From e42c18ededbc4b8c8e4ef89a7e7a324e6c7c8a8a Mon Sep 17 00:00:00 2001 From: Brenda Wallace Date: Thu, 3 Dec 2009 00:10:21 +0000 Subject: added url to twitter's docs --- config.php.sample | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/config.php.sample b/config.php.sample index 9fccb84f3..97645e870 100644 --- a/config.php.sample +++ b/config.php.sample @@ -186,7 +186,7 @@ $config['sphinx']['port'] = 3312; // // $config['twitterbridge']['enabled'] = true; -// Twitter OAuth settings +// Twitter OAuth settings. Documentation is at http://apiwiki.twitter.com/OAuth-FAQ // $config['twitter']['consumer_key'] = 'YOURKEY'; // $config['twitter']['consumer_secret'] = 'YOURSECRET'; -- cgit v1.2.3-54-g00ecf From c467bc0f3f7d47288d246b5b065d2f809dd1534a Mon Sep 17 00:00:00 2001 From: Brenda Wallace Date: Sun, 10 Jan 2010 05:21:23 +0000 Subject: getTableDef() mostly working in postgres --- lib/schema.php | 19 ++++++++++++++----- 1 file changed, 14 insertions(+), 5 deletions(-) diff --git a/lib/schema.php b/lib/schema.php index a7f64ebed..6292a3d56 100644 --- a/lib/schema.php +++ b/lib/schema.php @@ -94,7 +94,12 @@ class Schema public function getTableDef($name) { - $res = $this->conn->query('DESCRIBE ' . $name); + if(common_config('db','type') == 'pgsql') { + $res = $this->conn->query("select column_default as default, is_nullable as Null, udt_name as Type, column_name AS Field from INFORMATION_SCHEMA.COLUMNS where table_name = '$name'"); + } + else { + $res = $this->conn->query('DESCRIBE ' . $name); + } if (PEAR::isError($res)) { throw new Exception($res->getMessage()); @@ -108,12 +113,16 @@ class Schema $row = array(); while ($res->fetchInto($row, DB_FETCHMODE_ASSOC)) { + //lower case the keys, because the php postgres driver is case insentive for column names + foreach($row as $k=>$v) { + $row[strtolower($k)] = $row[$k]; + } $cd = new ColumnDef(); - $cd->name = $row['Field']; + $cd->name = $row['field']; - $packed = $row['Type']; + $packed = $row['type']; if (preg_match('/^(\w+)\((\d+)\)$/', $packed, $match)) { $cd->type = $match[1]; @@ -122,9 +131,9 @@ class Schema $cd->type = $packed; } - $cd->nullable = ($row['Null'] == 'YES') ? true : false; + $cd->nullable = ($row['null'] == 'YES') ? true : false; $cd->key = $row['Key']; - $cd->default = $row['Default']; + $cd->default = $row['default']; $cd->extra = $row['Extra']; $td->columns[] = $cd; -- cgit v1.2.3-54-g00ecf From 1e8707d29a6cf58d8e706b1f47cf1b90b337f35e Mon Sep 17 00:00:00 2001 From: Christopher Vollick Date: Wed, 13 Jan 2010 10:27:50 -0500 Subject: Include Unconfirmed Addresses Too. Looks like there are other places in the db where email addresses can go. Found them now! --- scripts/useremail.php | 25 +++++++++++++++++++++++-- 1 file changed, 23 insertions(+), 2 deletions(-) diff --git a/scripts/useremail.php b/scripts/useremail.php index 6676a87c8..0a59d36f8 100755 --- a/scripts/useremail.php +++ b/scripts/useremail.php @@ -53,7 +53,17 @@ if (have_option('i', 'id')) { if (!empty($user)) { if (empty($user->email)) { - print "No email registered for user '$user->nickname'\n"; + # Check for unconfirmed emails + $unconfirmed_email = new Confirm_address(); + $unconfirmed_email->user_id = $user->id; + $unconfirmed_email->address_type = 'email'; + $unconfirmed_email->find(true); + + if (empty($unconfirmed_email->address)) { + print "No email registered for user '$user->nickname'\n"; + } else { + print "Unconfirmed Adress: $unconfirmed_email->address\n"; + } } else { print "$user->email\n"; } @@ -65,7 +75,18 @@ if (have_option('e', 'email')) { $user->email = get_option_value('e', 'email'); $user->find(false); if (!$user->fetch()) { - print "No users with email $user->email\n"; + # Check unconfirmed emails + $unconfirmed_email = new Confirm_address(); + $unconfirmed_email->address = $user->email; + $unconfirmed_email->address_type = 'email'; + $unconfirmed_email->find(true); + + if (empty($unconfirmed_email->user_id)) { + print "No users with email $user->email\n"; + } else { + $user=User::staticGet('id', $unconfirmed_email->user_id); + print "Unconfirmed Address: $user->id $user->nickname\n"; + } exit(0); } do { -- cgit v1.2.3-54-g00ecf From 14bcac31b87e05d176235111a8ad316927317118 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Tue, 10 Nov 2009 17:10:56 -0800 Subject: Add new OAuth application tables and DataObjects. Also add a new column for consumer secret to consumer table. --- classes/Consumer.php | 5 +++-- classes/Oauth_application.php | 33 +++++++++++++++++++++++++++++++++ classes/Oauth_application_user.php | 24 ++++++++++++++++++++++++ db/statusnet.sql | 26 ++++++++++++++++++++++++++ 4 files changed, 86 insertions(+), 2 deletions(-) create mode 100755 classes/Oauth_application.php create mode 100755 classes/Oauth_application_user.php diff --git a/classes/Consumer.php b/classes/Consumer.php index d5b7b7e33..d17f183a8 100644 --- a/classes/Consumer.php +++ b/classes/Consumer.php @@ -11,9 +11,10 @@ class Consumer extends Memcached_DataObject public $__table = 'consumer'; // table name public $consumer_key; // varchar(255) primary_key not_null + public $consumer_secret; // varchar(255) not_null public $seed; // char(32) not_null - public $created; // datetime() not_null - public $modified; // timestamp() not_null default_CURRENT_TIMESTAMP + public $created; // datetime not_null + public $modified; // timestamp not_null default_CURRENT_TIMESTAMP /* Static get */ function staticGet($k,$v=null) diff --git a/classes/Oauth_application.php b/classes/Oauth_application.php new file mode 100755 index 000000000..6ad2db6dd --- /dev/null +++ b/classes/Oauth_application.php @@ -0,0 +1,33 @@ + Date: Thu, 12 Nov 2009 19:34:13 -0800 Subject: Changed the OAuth app tables to refer to profiles instead of users. Added an owner column to oauth_application. --- classes/Oauth_application.php | 23 ++++++++++++----------- classes/Oauth_application_user.php | 14 +++++++------- db/statusnet.sql | 9 +++++---- 3 files changed, 24 insertions(+), 22 deletions(-) mode change 100755 => 100644 classes/Oauth_application.php mode change 100755 => 100644 classes/Oauth_application_user.php diff --git a/classes/Oauth_application.php b/classes/Oauth_application.php old mode 100755 new mode 100644 index 6ad2db6dd..e2862bf97 --- a/classes/Oauth_application.php +++ b/classes/Oauth_application.php @@ -2,32 +2,33 @@ /** * Table Definition for oauth_application */ -require_once 'classes/Memcached_DataObject'; +require_once INSTALLDIR.'/classes/Memcached_DataObject.php'; -class Oauth_application extends Memcached_DataObject +class Oauth_application extends Memcached_DataObject { ###START_AUTOCODE /* the code below is auto generated do not remove the above tag */ public $__table = 'oauth_application'; // table name public $id; // int(4) primary_key not_null + public $owner; // int(4) not_null public $consumer_key; // varchar(255) not_null public $name; // varchar(255) not_null - public $description; // varchar(255) + public $description; // varchar(255) public $icon; // varchar(255) not_null - public $source_url; // varchar(255) - public $organization; // varchar(255) - public $homepage; // varchar(255) + public $source_url; // varchar(255) + public $organization; // varchar(255) + public $homepage; // varchar(255) public $callback_url; // varchar(255) not_null - public $type; // tinyint(1) - public $access_type; // tinyint(1) + public $type; // tinyint(1) + public $access_type; // tinyint(1) public $created; // datetime not_null public $modified; // timestamp not_null default_CURRENT_TIMESTAMP /* Static get */ - function staticGet($k,$v=null) - { return Memcached_DataObject::staticGet('Oauth_application_user',$k,$v); } - + function staticGet($k,$v=NULL) { + return Memcached_DataObject::staticGet('Oauth_application',$k,$v); + } /* the code above is auto generated do not remove the tag below */ ###END_AUTOCODE } diff --git a/classes/Oauth_application_user.php b/classes/Oauth_application_user.php old mode 100755 new mode 100644 index a8922f5e7..9e45ece25 --- a/classes/Oauth_application_user.php +++ b/classes/Oauth_application_user.php @@ -2,23 +2,23 @@ /** * Table Definition for oauth_application_user */ -require_once 'classes/Memcached_DataObject'; +require_once INSTALLDIR.'/classes/Memcached_DataObject.php'; -class Oauth_application_user extends Memcached_DataObject +class Oauth_application_user extends Memcached_DataObject { ###START_AUTOCODE /* the code below is auto generated do not remove the above tag */ public $__table = 'oauth_application_user'; // table name - public $user_id; // int(4) primary_key not_null + public $profile_id; // int(4) primary_key not_null public $application_id; // int(4) primary_key not_null - public $access_type; // tinyint(1) + public $access_type; // tinyint(1) public $created; // datetime not_null /* Static get */ - function staticGet($k,$v=null) - { return Memcached_DataObject::staticGet('Oauth_application_user',$k,$v); } - + function staticGet($k,$v=NULL) { + return Memcached_DataObject::staticGet('Oauth_application_user',$k,$v); + } /* the code above is auto generated do not remove the tag below */ ###END_AUTOCODE } diff --git a/db/statusnet.sql b/db/statusnet.sql index 67d3ee5f0..92f0636f3 100644 --- a/db/statusnet.sql +++ b/db/statusnet.sql @@ -210,6 +210,7 @@ create table nonce ( create table oauth_application ( id integer auto_increment primary key comment 'unique identifier', + owner integer not null comment 'owner of the application' references profile (id), consumer_key varchar(255) not null comment 'application consumer key' references consumer (consumer_key), name varchar(255) not null comment 'name of the application', description varchar(255) comment 'description of the application', @@ -219,18 +220,18 @@ create table oauth_application ( homepage varchar(255) comment 'homepage for the organization', callback_url varchar(255) not null comment 'url to redirect to after authentication', type tinyint default 0 comment 'type of app, 0 = browser, 1 = desktop', - access_type tinyint default 0 comment 'default access type, 0 = read-write, 1 = read-only', + access_type tinyint default 0 comment 'default access type, bit 1 = read, bit 2 = write', created datetime not null comment 'date this record was created', modified timestamp comment 'date this record was modified' ) ENGINE=InnoDB CHARACTER SET utf8 COLLATE utf8_bin; create table oauth_application_user ( - user_id integer not null comment 'id of the application user' references user (id), + profile_id integer not null comment 'user of the application' references profile (id), application_id integer not null comment 'id of the application' references oauth_application (id), - access_type tinyint default 0 comment 'access type, 0 = read-write, 1 = read-only', + access_type tinyint default 0 comment 'access type, bit 1 = read, bit 2 = write, bit 3 = revoked', created datetime not null comment 'date this record was created', - constraint primary key (user_id, application_id) + constraint primary key (profile_id, application_id) ) ENGINE=InnoDB CHARACTER SET utf8 COLLATE utf8_bin; /* These are used by JanRain OpenID library */ -- cgit v1.2.3-54-g00ecf From 5bff6651bab35817e4e795f4c325fece3fb1522f Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Thu, 12 Nov 2009 19:42:18 -0800 Subject: Started work on interface for displaying connected OAuth apps --- actions/applicationsettings.php | 135 ++++++++++++++++++++++++++++++++++++++++ actions/oauthclients.php | 108 ++++++++++++++++++++++++++++++++ classes/Profile.php | 23 +++++++ lib/applicationlist.php | 111 +++++++++++++++++++++++++++++++++ lib/connectsettingsaction.php | 4 +- lib/router.php | 4 +- 6 files changed, 383 insertions(+), 2 deletions(-) create mode 100644 actions/applicationsettings.php create mode 100644 actions/oauthclients.php create mode 100644 lib/applicationlist.php diff --git a/actions/applicationsettings.php b/actions/applicationsettings.php new file mode 100644 index 000000000..16c571fee --- /dev/null +++ b/actions/applicationsettings.php @@ -0,0 +1,135 @@ +. + * + * @category Settings + * @package StatusNet + * @author Zach Copley + * @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/connectsettingsaction.php'; +require_once INSTALLDIR . '/lib/applicationlist.php'; + +/** + * Show connected OAuth applications + * + * @category Settings + * @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/ + * + * @see SettingsAction + */ + +class ApplicationSettingsAction extends ConnectSettingsAction +{ + /** + * Title of the page + * + * @return string Title of the page + */ + + function title() + { + return _('Connected Applications'); + } + + /** + * Instructions for use + * + * @return instructions for use + */ + + function getInstructions() + { + return _('You have allowed the following applications to access you account.'); + } + + /** + * Content area of the page + * + * @return void + */ + + function showContent() + { + $user = common_current_user(); + $profile = $user->getProfile(); + + $offset = ($this->page - 1) * APPS_PER_PAGE; + $limit = APPS_PER_PAGE + 1; + + $application = $profile->getApplications($offset, $limit); + + if ($application) { + $al = new ApplicationList($application, $this->user, $this); + $cnt = $al->show(); + if (0 == $cnt) { + $this->showEmptyListMessage(); + } + } + + $this->pagination($this->page > 1, $cnt > APPS_PER_PAGE, + $this->page, 'applicationsettings', + array('nickname' => $this->user->nickname)); + } + + /** + * Handle posts to this form + * + * Based on the button that was pressed, muxes out to other functions + * to do the actual task requested. + * + * All sub-functions reload the form with a message -- success or failure. + * + * @return void + */ + + function handlePost() + { + // CSRF protection + + $token = $this->trimmed('token'); + if (!$token || $token != common_session_token()) { + $this->showForm(_('There was a problem with your session token. '. + 'Try again, please.')); + return; + } + + } + + function showEmptyListMessage() + { + $message = sprintf(_('You have not authorized any applications to use your account.')); + + $this->elementStart('div', 'guide'); + $this->raw(common_markup_to_html($message)); + $this->elementEnd('div'); + } + +} diff --git a/actions/oauthclients.php b/actions/oauthclients.php new file mode 100644 index 000000000..9a29e158e --- /dev/null +++ b/actions/oauthclients.php @@ -0,0 +1,108 @@ +. + * + * @category Settings + * @package StatusNet + * @author Zach Copley + * @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/connectsettingsaction.php'; + +/** + * Show a user's registered OAuth applications + * + * @category Settings + * @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/ + * + * @see SettingsAction + */ + +class OauthClientsAction extends ConnectSettingsAction +{ + /** + * Title of the page + * + * @return string Title of the page + */ + + function title() + { + return _('Applications using %%site_name%%'); + } + + /** + * Instructions for use + * + * @return instructions for use + */ + + function getInstructions() + { + return _('Applications you have registered'); + } + + /** + * Content area of the page + * + * @return void + */ + + function showContent() + { + $user = common_current_user(); + + } + + /** + * Handle posts to this form + * + * Based on the button that was pressed, muxes out to other functions + * to do the actual task requested. + * + * All sub-functions reload the form with a message -- success or failure. + * + * @return void + */ + + function handlePost() + { + // CSRF protection + + $token = $this->trimmed('token'); + if (!$token || $token != common_session_token()) { + $this->showForm(_('There was a problem with your session token. '. + 'Try again, please.')); + return; + } + + } + +} diff --git a/classes/Profile.php b/classes/Profile.php index 25d908dbf..687215b11 100644 --- a/classes/Profile.php +++ b/classes/Profile.php @@ -352,6 +352,29 @@ class Profile extends Memcached_DataObject return $profile; } + function getApplications($offset = 0, $limit = null) + { + $qry = + 'SELECT oauth_application_user.* ' . + 'FROM oauth_application_user ' . + 'WHERE profile_id = %d ' . + 'ORDER BY created DESC '; + + if ($offset > 0) { + if (common_config('db','type') == 'pgsql') { + $qry .= ' LIMIT ' . $limit . ' OFFSET ' . $offset; + } else { + $qry .= ' LIMIT ' . $offset . ', ' . $limit; + } + } + + $application = new Oauth_application(); + + $cnt = $application->query(sprintf($qry, $this->id)); + + return $application; + } + function subscriptionCount() { $c = common_memcache(); diff --git a/lib/applicationlist.php b/lib/applicationlist.php new file mode 100644 index 000000000..fed784bb6 --- /dev/null +++ b/lib/applicationlist.php @@ -0,0 +1,111 @@ +. + * + * @category Public + * @package StatusNet + * @author Zach Copley + * @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('APPS_PER_PAGE', 20); + +/** + * Widget to show a list of OAuth applications + * + * @category Public + * @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 ApplicationList extends Widget +{ + /** Current application, application query */ + var $application = null; + + /** Owner of this list */ + var $owner = null; + + /** Action object using us. */ + var $action = null; + + function __construct($application, $owner=null, $action=null) + { + parent::__construct($action); + + $this->application = $application; + $this->owner = $owner; + $this->action = $action; + } + + function show() + { + $this->out->elementStart('ul', 'applications xoxo'); + + $cnt = 0; + + while ($this->application->fetch()) { + $cnt++; + if($cnt > APPS_PER_PAGE) { + break; + } + $this->showapplication(); + } + + $this->out->elementEnd('ul'); + + return $cnt; + } + + function showApplication() + { + $this->out->elementStart('li', array('class' => 'application', + 'id' => 'oauthclient-' . $this->application->id)); + + $user = common_current_user(); + + $this->out->raw($this->application->name); + + $this->out->elementEnd('li'); + } + + /* Override this in subclasses. */ + + function showOwnerControls() + { + return; + } + + function highlight($text) + { + return htmlspecialchars($text); + } +} diff --git a/lib/connectsettingsaction.php b/lib/connectsettingsaction.php index e5fb8727b..4b5059540 100644 --- a/lib/connectsettingsaction.php +++ b/lib/connectsettingsaction.php @@ -116,6 +116,9 @@ class ConnectSettingsNav extends Widget _('Updates by SMS')); } + $menu['applicationsettings'] = array(_('Applications'), + _('OAuth connected applications')); + foreach ($menu as $menuaction => $menudesc) { $this->action->menuItem(common_local_url($menuaction), $menudesc[0], @@ -131,4 +134,3 @@ class ConnectSettingsNav extends Widget } - diff --git a/lib/router.php b/lib/router.php index 6b87ed27f..9b2aa025e 100644 --- a/lib/router.php +++ b/lib/router.php @@ -140,11 +140,13 @@ class Router // settings - foreach (array('profile', 'avatar', 'password', 'im', + foreach (array('profile', 'avatar', 'password', 'im', 'application', 'email', 'sms', 'userdesign', 'other') as $s) { $m->connect('settings/'.$s, array('action' => $s.'settings')); } + $m->connect('settings/oauthclients', array('action' => 'oauthclients')); + // search foreach (array('group', 'people', 'notice') as $s) { -- cgit v1.2.3-54-g00ecf From f8025428854546b0528fd714f6af93a220de0bcc Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 13 Nov 2009 19:02:18 -0800 Subject: Reorganized the OAuth app URLs and more work on the register app workflow --- actions/applicationsettings.php | 135 ---------------------- actions/apps.php | 108 ++++++++++++++++++ actions/newapplication.php | 202 ++++++++++++++++++++++++++++++++ actions/oauthclients.php | 108 ------------------ actions/oauthconnectionssettings.php | 135 ++++++++++++++++++++++ lib/applicationeditform.php | 215 +++++++++++++++++++++++++++++++++++ lib/connectsettingsaction.php | 8 +- lib/router.php | 15 ++- 8 files changed, 675 insertions(+), 251 deletions(-) delete mode 100644 actions/applicationsettings.php create mode 100644 actions/apps.php create mode 100644 actions/newapplication.php delete mode 100644 actions/oauthclients.php create mode 100644 actions/oauthconnectionssettings.php create mode 100644 lib/applicationeditform.php diff --git a/actions/applicationsettings.php b/actions/applicationsettings.php deleted file mode 100644 index 16c571fee..000000000 --- a/actions/applicationsettings.php +++ /dev/null @@ -1,135 +0,0 @@ -. - * - * @category Settings - * @package StatusNet - * @author Zach Copley - * @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/connectsettingsaction.php'; -require_once INSTALLDIR . '/lib/applicationlist.php'; - -/** - * Show connected OAuth applications - * - * @category Settings - * @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/ - * - * @see SettingsAction - */ - -class ApplicationSettingsAction extends ConnectSettingsAction -{ - /** - * Title of the page - * - * @return string Title of the page - */ - - function title() - { - return _('Connected Applications'); - } - - /** - * Instructions for use - * - * @return instructions for use - */ - - function getInstructions() - { - return _('You have allowed the following applications to access you account.'); - } - - /** - * Content area of the page - * - * @return void - */ - - function showContent() - { - $user = common_current_user(); - $profile = $user->getProfile(); - - $offset = ($this->page - 1) * APPS_PER_PAGE; - $limit = APPS_PER_PAGE + 1; - - $application = $profile->getApplications($offset, $limit); - - if ($application) { - $al = new ApplicationList($application, $this->user, $this); - $cnt = $al->show(); - if (0 == $cnt) { - $this->showEmptyListMessage(); - } - } - - $this->pagination($this->page > 1, $cnt > APPS_PER_PAGE, - $this->page, 'applicationsettings', - array('nickname' => $this->user->nickname)); - } - - /** - * Handle posts to this form - * - * Based on the button that was pressed, muxes out to other functions - * to do the actual task requested. - * - * All sub-functions reload the form with a message -- success or failure. - * - * @return void - */ - - function handlePost() - { - // CSRF protection - - $token = $this->trimmed('token'); - if (!$token || $token != common_session_token()) { - $this->showForm(_('There was a problem with your session token. '. - 'Try again, please.')); - return; - } - - } - - function showEmptyListMessage() - { - $message = sprintf(_('You have not authorized any applications to use your account.')); - - $this->elementStart('div', 'guide'); - $this->raw(common_markup_to_html($message)); - $this->elementEnd('div'); - } - -} diff --git a/actions/apps.php b/actions/apps.php new file mode 100644 index 000000000..d4cea1e3e --- /dev/null +++ b/actions/apps.php @@ -0,0 +1,108 @@ +. + * + * @category Settings + * @package StatusNet + * @author Zach Copley + * @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/connectsettingsaction.php'; + +/** + * Show a user's registered OAuth applications + * + * @category Settings + * @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/ + * + * @see SettingsAction + */ + +class AppsAction extends ConnectSettingsAction +{ + /** + * Title of the page + * + * @return string Title of the page + */ + + function title() + { + return _('OAuth applications'); + } + + /** + * Instructions for use + * + * @return instructions for use + */ + + function getInstructions() + { + return _('Applications you have registered'); + } + + /** + * Content area of the page + * + * @return void + */ + + function showContent() + { + $user = common_current_user(); + + } + + /** + * Handle posts to this form + * + * Based on the button that was pressed, muxes out to other functions + * to do the actual task requested. + * + * All sub-functions reload the form with a message -- success or failure. + * + * @return void + */ + + function handlePost() + { + // CSRF protection + + $token = $this->trimmed('token'); + if (!$token || $token != common_session_token()) { + $this->showForm(_('There was a problem with your session token. '. + 'Try again, please.')); + return; + } + + } + +} diff --git a/actions/newapplication.php b/actions/newapplication.php new file mode 100644 index 000000000..a78a856b1 --- /dev/null +++ b/actions/newapplication.php @@ -0,0 +1,202 @@ +. + * + * @category Applications + * @package StatusNet + * @author Zach Copley + * @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); +} + +/** + * Add a new application + * + * This is the form for adding a new application + * + * @category Application + * @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 NewApplicationAction extends Action +{ + var $msg; + + function title() + { + return _('New Application'); + } + + /** + * Prepare to run + */ + + function prepare($args) + { + parent::prepare($args); + + if (!common_logged_in()) { + $this->clientError(_('You must be logged in to create a group.')); + return false; + } + + 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 showForm($msg=null) + { + $this->msg = $msg; + $this->showPage(); + } + + function showContent() + { + $form = new ApplicationEditForm($this); + $form->show(); + } + + function showPageNotice() + { + if ($this->msg) { + $this->element('p', 'error', $this->msg); + } else { + $this->element('p', 'instructions', + _('Use this form to register a new application.')); + } + } + + function trySave() + { + $name = $this->trimmed('name'); + $description = $this->trimmed('description'); + $source_url = $this->trimmed('source_url'); + $organization = $this->trimmed('organization'); + $homepage = $this->trimmed('application'); + $callback_url = $this->trimmed('callback_url'); + $this->type = $this->trimmed('type'); + $this->access_type = $this->trimmed('access_type'); + + if (!is_null($name) && mb_strlen($name) > 255) { + $this->showForm(_('Name is too long (max 255 chars).')); + return; + } else if (User_group::descriptionTooLong($description)) { + $this->showForm(sprintf( + _('description is too long (max %d chars).'), + Oauth_application::maxDescription())); + return; + } elseif (!is_null($source_url) + && (strlen($source_url) > 0) + && !Validate::uri( + $source_url, + array('allowed_schemes' => array('http', 'https')) + ) + ) + { + $this->showForm(_('Source URL is not valid.')); + return; + } elseif (!is_null($homepage) + && (strlen($homepage) > 0) + && !Validate::uri( + $homepage, + array('allowed_schemes' => array('http', 'https')) + ) + ) + { + $this->showForm(_('Homepage is not a valid URL.')); + return; + } elseif (!is_null($callback_url) + && (strlen($callback_url) > 0) + && !Validate::uri( + $source_url, + array('allowed_schemes' => array('http', 'https')) + ) + ) + { + $this->showForm(_('Callback URL is not valid.')); + return; + } + + $cur = common_current_user(); + + // Checked in prepare() above + + assert(!is_null($cur)); + + $app = new Oauth_application(); + + $app->query('BEGIN'); + + $app->name = $name; + $app->owner = $cur->id; + $app->description = $description; + $app->source_url = $souce_url; + $app->organization = $organization; + $app->homepage = $homepage; + $app->callback_url = $callback_url; + $app->type = $type; + $app->access_type = $access_type; + + // generate consumer key and secret + + $app->created = common_sql_now(); + + $result = $app->insert(); + + if (!$result) { + common_log_db_error($group, 'INSERT', __FILE__); + $this->serverError(_('Could not create application.')); + } + + $group->query('COMMIT'); + + common_redirect($group->homeUrl(), 303); + + } + +} + diff --git a/actions/oauthclients.php b/actions/oauthclients.php deleted file mode 100644 index 9a29e158e..000000000 --- a/actions/oauthclients.php +++ /dev/null @@ -1,108 +0,0 @@ -. - * - * @category Settings - * @package StatusNet - * @author Zach Copley - * @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/connectsettingsaction.php'; - -/** - * Show a user's registered OAuth applications - * - * @category Settings - * @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/ - * - * @see SettingsAction - */ - -class OauthClientsAction extends ConnectSettingsAction -{ - /** - * Title of the page - * - * @return string Title of the page - */ - - function title() - { - return _('Applications using %%site_name%%'); - } - - /** - * Instructions for use - * - * @return instructions for use - */ - - function getInstructions() - { - return _('Applications you have registered'); - } - - /** - * Content area of the page - * - * @return void - */ - - function showContent() - { - $user = common_current_user(); - - } - - /** - * Handle posts to this form - * - * Based on the button that was pressed, muxes out to other functions - * to do the actual task requested. - * - * All sub-functions reload the form with a message -- success or failure. - * - * @return void - */ - - function handlePost() - { - // CSRF protection - - $token = $this->trimmed('token'); - if (!$token || $token != common_session_token()) { - $this->showForm(_('There was a problem with your session token. '. - 'Try again, please.')); - return; - } - - } - -} diff --git a/actions/oauthconnectionssettings.php b/actions/oauthconnectionssettings.php new file mode 100644 index 000000000..6ec9f7027 --- /dev/null +++ b/actions/oauthconnectionssettings.php @@ -0,0 +1,135 @@ +. + * + * @category Settings + * @package StatusNet + * @author Zach Copley + * @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/connectsettingsaction.php'; +require_once INSTALLDIR . '/lib/applicationlist.php'; + +/** + * Show connected OAuth applications + * + * @category Settings + * @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/ + * + * @see SettingsAction + */ + +class OauthconnectionssettingsAction extends ConnectSettingsAction +{ + /** + * Title of the page + * + * @return string Title of the page + */ + + function title() + { + return _('Connected Applications'); + } + + /** + * Instructions for use + * + * @return instructions for use + */ + + function getInstructions() + { + return _('You have allowed the following applications to access you account.'); + } + + /** + * Content area of the page + * + * @return void + */ + + function showContent() + { + $user = common_current_user(); + $profile = $user->getProfile(); + + $offset = ($this->page - 1) * APPS_PER_PAGE; + $limit = APPS_PER_PAGE + 1; + + $application = $profile->getApplications($offset, $limit); + + if ($application) { + $al = new ApplicationList($application, $this->user, $this); + $cnt = $al->show(); + if (0 == $cnt) { + $this->showEmptyListMessage(); + } + } + + $this->pagination($this->page > 1, $cnt > APPS_PER_PAGE, + $this->page, 'connectionssettings', + array('nickname' => $this->user->nickname)); + } + + /** + * Handle posts to this form + * + * Based on the button that was pressed, muxes out to other functions + * to do the actual task requested. + * + * All sub-functions reload the form with a message -- success or failure. + * + * @return void + */ + + function handlePost() + { + // CSRF protection + + $token = $this->trimmed('token'); + if (!$token || $token != common_session_token()) { + $this->showForm(_('There was a problem with your session token. '. + 'Try again, please.')); + return; + } + + } + + function showEmptyListMessage() + { + $message = sprintf(_('You have not authorized any applications to use your account.')); + + $this->elementStart('div', 'guide'); + $this->raw(common_markup_to_html($message)); + $this->elementEnd('div'); + } + +} diff --git a/lib/applicationeditform.php b/lib/applicationeditform.php new file mode 100644 index 000000000..3fd45876a --- /dev/null +++ b/lib/applicationeditform.php @@ -0,0 +1,215 @@ +. + * + * @category Form + * @package StatusNet + * @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); +} + +require_once INSTALLDIR . '/lib/form.php'; + +/** + * Form for editing an application + * + * @category Form + * @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 ApplicationEditForm extends Form +{ + /** + * group for user to join + */ + + var $application = null; + + /** + * Constructor + * + * @param Action $out output channel + * @param User_group $group group to join + */ + + function __construct($out=null, $application=null) + { + parent::__construct($out); + + $this->application = $application; + } + + /** + * ID of the form + * + * @return string ID of the form + */ + + function id() + { + if ($this->application) { + return 'form_application_edit-' . $this->application->id; + } else { + return 'form_application_add'; + } + } + + /** + * 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() + { + if ($this->application) { + return common_local_url('editapplication', + array('id' => $this->application->id)); + } else { + return common_local_url('newapplication'); + } + } + + /** + * Name of the form + * + * @return void + */ + + function formLegend() + { + $this->out->element('legend', null, _('Register a new application')); + } + + /** + * Data elements of the form + * + * @return void + */ + + function formData() + { + if ($this->application) { + $id = $this->application->id; + $name = $this->application->name; + $description = $this->application->description; + $source_url = $this->application->source_url; + $organization = $this->application->organization; + $homepage = $this->application->homepage; + $callback_url = $this->application->callback_url; + $this->type = $this->application->type; + $this->access_type = $this->application->access_type; + } else { + $id = ''; + $name = ''; + $description = ''; + $source_url = ''; + $organization = ''; + $homepage = ''; + $callback_url = ''; + $this->type = ''; + $this->access_type = ''; + } + + $this->out->elementStart('ul', 'form_data'); + $this->out->elementStart('li'); + + $this->out->hidden('application_id', $id); + $this->out->input('name', _('Name'), + ($this->out->arg('name')) ? $this->out->arg('name') : $name); + + $this->out->elementEnd('li'); + + $this->out->elementStart('li'); + $this->out->input('description', _('Description'), + ($this->out->arg('Description')) ? $this->out->arg('discription') : $description); + $this->out->elementEnd('li'); + + $this->out->elementStart('li'); + $this->out->input('source_url', _('Source URL'), + ($this->out->arg('source_url')) ? $this->out->arg('source_url') : $source_url, + _('URL of the homepage of this application')); + $this->out->elementEnd('li'); + + $this->out->elementStart('li'); + $this->out->input('Organization', _('Organization'), + ($this->out->arg('organization')) ? $this->out->arg('organization') : $orgranization, + _('Organization responsible for this application')); + $this->out->elementEnd('li'); + + $this->out->elementStart('li'); + $this->out->input('homepage', _('Homepage'), + ($this->out->arg('homepage')) ? $this->out->arg('homepage') : $homepage, + _('URL of the homepage of the organization')); + $this->out->elementEnd('li'); + + $this->out->elementStart('li'); + $this->out->input('callback_url', ('Callback URL'), + ($this->out->arg('callback_url')) ? $this->out->arg('callback_url') : $callback_url, + _('URL to redirect to after authentication')); + $this->out->elementEnd('li'); + + $this->out->elementStart('li'); + $this->out->input('type', _('Application type'), + ($this->out->arg('type')) ? $this->out->arg('type') : $type, + _('Type of application, browser or desktop')); + $this->out->elementEnd('li'); + + $this->out->elementStart('li'); + $this->out->input('access_type', _('Default access'), + ($this->out->arg('access_type')) ? $this->out->arg('access_type') : $access_type, + _('Default access for this application: read-write, or read-only')); + $this->out->elementEnd('li'); + + $this->out->elementEnd('ul'); + } + + /** + * Action elements + * + * @return void + */ + + function formActions() + { + $this->out->submit('submit', _('Save')); + } +} diff --git a/lib/connectsettingsaction.php b/lib/connectsettingsaction.php index 4b5059540..b9c14799e 100644 --- a/lib/connectsettingsaction.php +++ b/lib/connectsettingsaction.php @@ -115,9 +115,11 @@ class ConnectSettingsNav extends Widget array(_('SMS'), _('Updates by SMS')); } - - $menu['applicationsettings'] = array(_('Applications'), - _('OAuth connected applications')); + + $menu['oauthconnectionssettings'] = array( + _('Connections'), + _('Authorized connected applications') + ); foreach ($menu as $menuaction => $menudesc) { $this->action->menuItem(common_local_url($menuaction), diff --git a/lib/router.php b/lib/router.php index 9b2aa025e..7b65ae215 100644 --- a/lib/router.php +++ b/lib/router.php @@ -140,13 +140,11 @@ class Router // settings - foreach (array('profile', 'avatar', 'password', 'im', 'application', + foreach (array('profile', 'avatar', 'password', 'im', 'oauthconnections', 'email', 'sms', 'userdesign', 'other') as $s) { $m->connect('settings/'.$s, array('action' => $s.'settings')); } - - $m->connect('settings/oauthclients', array('action' => 'oauthclients')); - + // search foreach (array('group', 'people', 'notice') as $s) { @@ -636,12 +634,19 @@ class Router // user stuff foreach (array('subscriptions', 'subscribers', - 'nudge', 'all', 'foaf', 'xrds', + 'nudge', 'all', 'foaf', 'xrds', 'apps', 'replies', 'inbox', 'outbox', 'microsummary') as $a) { $m->connect(':nickname/'.$a, array('action' => $a), array('nickname' => '[a-zA-Z0-9]{1,64}')); } + + $m->connect('apps/new', array('action' => 'newapplication')); + + $m->connect(':nickname/apps/edit', + array('action' => 'editapplication'), + array('nickname' => '['.NICKNAME_FMT.']{1,64}') + ); foreach (array('subscriptions', 'subscribers') as $a) { $m->connect(':nickname/'.$a.'/:tag', -- cgit v1.2.3-54-g00ecf From 8e0499a233292a1df9526efc48e252ea56eedeac Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 13 Nov 2009 19:10:38 -0800 Subject: It might help if I checkd in statusnet.ini. --- classes/statusnet.ini | 30 ++++++++++++++++++++++++++++++ 1 file changed, 30 insertions(+) diff --git a/classes/statusnet.ini b/classes/statusnet.ini index 73727a6d6..a15ecaaca 100644 --- a/classes/statusnet.ini +++ b/classes/statusnet.ini @@ -39,6 +39,7 @@ code = K [consumer] consumer_key = 130 +consumer_secret = 130 seed = 130 created = 142 modified = 384 @@ -348,6 +349,35 @@ created = 142 tag = K notice_id = K +[oauth_application] +id = 129 +owner = 129 +consumer_key = 130 +name = 130 +description = 2 +icon = 130 +source_url = 2 +organization = 2 +homepage = 2 +callback_url = 130 +type = 17 +access_type = 17 +created = 142 +modified = 384 + +[oauth_application__keys] +id = N + +[oauth_application_user] +profile_id = 129 +application_id = 129 +access_type = 17 +created = 142 + +[oauth_application_user__keys] +profile_id = K +application_id = K + [profile] id = 129 nickname = 130 -- cgit v1.2.3-54-g00ecf From dad67b030f395816db4ba32cef56e848aea93f96 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Mon, 16 Nov 2009 16:58:49 -0800 Subject: Workflow for registering new OAuth apps pretty much done. --- actions/apps.php | 63 +++++++- actions/editapplication.php | 246 ++++++++++++++++++++++++++++ actions/newapplication.php | 133 ++++++++++----- actions/oauthconnectionssettings.php | 13 ++ actions/showapplication.php | 306 +++++++++++++++++++++++++++++++++++ classes/Consumer.php | 16 +- classes/Oauth_application.php | 44 +++++ db/statusnet.sql | 2 +- lib/applicationeditform.php | 135 +++++++++++++--- lib/applicationlist.php | 46 ++++-- lib/default.php | 2 + lib/router.php | 25 ++- 12 files changed, 949 insertions(+), 82 deletions(-) create mode 100644 actions/editapplication.php create mode 100644 actions/showapplication.php diff --git a/actions/apps.php b/actions/apps.php index d4cea1e3e..e6500599f 100644 --- a/actions/apps.php +++ b/actions/apps.php @@ -31,7 +31,8 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { exit(1); } -require_once INSTALLDIR . '/lib/connectsettingsaction.php'; +require_once INSTALLDIR . '/lib/settingsaction.php'; +require_once INSTALLDIR . '/lib/applicationlist.php'; /** * Show a user's registered OAuth applications @@ -45,8 +46,23 @@ require_once INSTALLDIR . '/lib/connectsettingsaction.php'; * @see SettingsAction */ -class AppsAction extends ConnectSettingsAction +class AppsAction extends SettingsAction { + var $page = 0; + + function prepare($args) + { + parent::prepare($args); + $this->page = ($this->arg('page')) ? ($this->arg('page') + 0) : 1; + + if (!common_logged_in()) { + $this->clientError(_('You must be logged in to list your applications.')); + return false; + } + + return true; + } + /** * Title of the page * @@ -79,6 +95,49 @@ class AppsAction extends ConnectSettingsAction { $user = common_current_user(); + $offset = ($this->page - 1) * APPS_PER_PAGE; + $limit = APPS_PER_PAGE + 1; + + $application = new Oauth_application(); + $application->owner = $user->id; + $application->limit($offset, $limit); + $application->orderBy('created DESC'); + $application->find(); + + $cnt = 0; + + if ($application) { + $al = new ApplicationList($application, $user, $this); + $cnt = $al->show(); + if (0 == $cnt) { + $this->showEmptyListMessage(); + } + } + + $this->element('a', + array('href' => common_local_url( + 'newapplication', + array('nickname' => $user->nickname) + ) + ), + 'Register a new application »'); + + $this->pagination( + $this->page > 1, + $cnt > APPS_PER_PAGE, + $this->page, + 'apps', + array('nickname' => $user->nickname) + ); + } + + function showEmptyListMessage() + { + $message = sprintf(_('You have not registered any applications yet.')); + + $this->elementStart('div', 'guide'); + $this->raw(common_markup_to_html($message)); + $this->elementEnd('div'); } /** diff --git a/actions/editapplication.php b/actions/editapplication.php new file mode 100644 index 000000000..3af482844 --- /dev/null +++ b/actions/editapplication.php @@ -0,0 +1,246 @@ +. + * + * @category Applications + * @package StatusNet + * @author Zach Copley + * @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); +} + +/** + * Edit the details of an OAuth application + * + * This is the form for editing an application + * + * @category Application + * @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 EditApplicationAction extends OwnerDesignAction +{ + var $msg = null; + + var $app = null; + + function title() + { + return _('Edit Application'); + } + + /** + * Prepare to run + */ + + function prepare($args) + { + parent::prepare($args); + + if (!common_logged_in()) { + $this->clientError(_('You must be logged in to edit an application.')); + return false; + } + + $id = (int)$this->arg('id'); + $this->app = Oauth_application::staticGet($id); + + if (!$this->app) { + $this->clientError(_('No such application.')); + return false; + } + + 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') { + + // CSRF protection + $token = $this->trimmed('token'); + if (!$token || $token != common_session_token()) { + $this->clientError(_('There was a problem with your session token.')); + return; + } + + $cur = common_current_user(); + + if ($this->arg('cancel')) { + common_redirect(common_local_url('showapplication', + array( + 'nickname' => $cur->nickname, + 'id' => $this->app->id) + ), 303); + } elseif ($this->arg('save')) { + $this->trySave(); + } else { + $this->clientError(_('Unexpected form submission.')); + } + } else { + $this->showForm(); + } + } + + function showForm($msg=null) + { + $this->msg = $msg; + $this->showPage(); + } + + function showContent() + { + $form = new ApplicationEditForm($this, $this->app); + $form->show(); + } + + function showPageNotice() + { + if (!empty($this->msg)) { + $this->element('p', 'error', $this->msg); + } else { + $this->element('p', 'instructions', + _('Use this form to edit your application.')); + } + } + + function trySave() + { + $name = $this->trimmed('name'); + $description = $this->trimmed('description'); + $source_url = $this->trimmed('source_url'); + $organization = $this->trimmed('organization'); + $homepage = $this->trimmed('homepage'); + $callback_url = $this->trimmed('callback_url'); + $type = $this->arg('app_type'); + $access_type = $this->arg('access_type'); + + if (empty($name)) { + $this->showForm(_('Name is required.')); + return; + } elseif (mb_strlen($name) > 255) { + $this->showForm(_('Name is too long (max 255 chars).')); + return; + } elseif (empty($description)) { + $this->showForm(_('Description is required.')); + return; + } elseif (Oauth_application::descriptionTooLong($description)) { + $this->showForm(sprintf( + _('Description is too long (max %d chars).'), + Oauth_application::maxDescription())); + return; + } elseif (empty($source_url)) { + $this->showForm(_('Source URL is required.')); + return; + } elseif ((strlen($source_url) > 0) + && !Validate::uri( + $source_url, + array('allowed_schemes' => array('http', 'https')) + ) + ) + { + $this->showForm(_('Source URL is not valid.')); + return; + } elseif (empty($organization)) { + $this->showForm(_('Organization is required.')); + return; + } elseif (mb_strlen($organization) > 255) { + $this->showForm(_('Organization is too long (max 255 chars).')); + return; + } elseif (empty($homepage)) { + $this->showForm(_('Organization homepage is required.')); + return; + } elseif ((strlen($homepage) > 0) + && !Validate::uri( + $homepage, + array('allowed_schemes' => array('http', 'https')) + ) + ) + { + $this->showForm(_('Homepage is not a valid URL.')); + return; + } elseif (empty($callback_url)) { + $this->showForm(_('Callback is required.')); + return; + } elseif (strlen($callback_url) > 0 + && !Validate::uri( + $source_url, + array('allowed_schemes' => array('http', 'https')) + ) + ) + { + $this->showForm(_('Callback URL is not valid.')); + return; + } + + $cur = common_current_user(); + + // Checked in prepare() above + + assert(!is_null($cur)); + + $orig = clone($this->app); + + $this->app->name = $name; + $this->app->description = $description; + $this->app->source_url = $source_url; + $this->app->organization = $organization; + $this->app->homepage = $homepage; + $this->app->callback_url = $callback_url; + $this->app->type = $type; + + if ($access_type == 'r') { + $this->app->setAccessFlags(true, false); + } else { + $this->app->setAccessFlags(true, true); + } + + $result = $this->app->update($orig); + + if (!$result) { + common_log_db_error($app, 'UPDATE', __FILE__); + $this->serverError(_('Could not update application.')); + } + + common_redirect(common_local_url('apps', + array('nickname' => $cur->nickname)), 303); + } + +} + diff --git a/actions/newapplication.php b/actions/newapplication.php index a78a856b1..9d8635270 100644 --- a/actions/newapplication.php +++ b/actions/newapplication.php @@ -43,7 +43,7 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { * @link http://status.net/ */ -class NewApplicationAction extends Action +class NewApplicationAction extends OwnerDesignAction { var $msg; @@ -61,7 +61,7 @@ class NewApplicationAction extends Action parent::prepare($args); if (!common_logged_in()) { - $this->clientError(_('You must be logged in to create a group.')); + $this->clientError(_('You must be logged in to register an application.')); return false; } @@ -81,8 +81,19 @@ class NewApplicationAction extends Action function handle($args) { parent::handle($args); + if ($_SERVER['REQUEST_METHOD'] == 'POST') { - $this->trySave(); + + $cur = common_current_user(); + + if ($this->arg('cancel')) { + common_redirect(common_local_url('apps', + array('nickname' => $cur->nickname)), 303); + } elseif ($this->arg('save')) { + $this->trySave(); + } else { + $this->clientError(_('Unexpected form submission.')); + } } else { $this->showForm(); } @@ -112,55 +123,73 @@ class NewApplicationAction extends Action function trySave() { - $name = $this->trimmed('name'); - $description = $this->trimmed('description'); - $source_url = $this->trimmed('source_url'); - $organization = $this->trimmed('organization'); - $homepage = $this->trimmed('application'); - $callback_url = $this->trimmed('callback_url'); - $this->type = $this->trimmed('type'); - $this->access_type = $this->trimmed('access_type'); - - if (!is_null($name) && mb_strlen($name) > 255) { + $name = $this->trimmed('name'); + $description = $this->trimmed('description'); + $source_url = $this->trimmed('source_url'); + $organization = $this->trimmed('organization'); + $homepage = $this->trimmed('homepage'); + $callback_url = $this->trimmed('callback_url'); + $type = $this->arg('app_type'); + $access_type = $this->arg('access_type'); + + if (empty($name)) { + $this->showForm(_('Name is required.')); + return; + } elseif (mb_strlen($name) > 255) { $this->showForm(_('Name is too long (max 255 chars).')); return; - } else if (User_group::descriptionTooLong($description)) { + } elseif (empty($description)) { + $this->showForm(_('Description is required.')); + return; + } elseif (Oauth_application::descriptionTooLong($description)) { $this->showForm(sprintf( - _('description is too long (max %d chars).'), + _('Description is too long (max %d chars).'), Oauth_application::maxDescription())); return; - } elseif (!is_null($source_url) - && (strlen($source_url) > 0) + } elseif (empty($source_url)) { + $this->showForm(_('Source URL is required.')); + return; + } elseif ((strlen($source_url) > 0) && !Validate::uri( $source_url, array('allowed_schemes' => array('http', 'https')) ) - ) + ) { $this->showForm(_('Source URL is not valid.')); return; - } elseif (!is_null($homepage) - && (strlen($homepage) > 0) + } elseif (empty($organization)) { + $this->showForm(_('Organization is required.')); + return; + } elseif (mb_strlen($organization) > 255) { + $this->showForm(_('Organization is too long (max 255 chars).')); + return; + } elseif (empty($homepage)) { + $this->showForm(_('Organization homepage is required.')); + return; + } elseif ((strlen($homepage) > 0) && !Validate::uri( $homepage, array('allowed_schemes' => array('http', 'https')) ) - ) + ) { $this->showForm(_('Homepage is not a valid URL.')); - return; - } elseif (!is_null($callback_url) - && (strlen($callback_url) > 0) + return; + } elseif (empty($callback_url)) { + $this->showForm(_('Callback is required.')); + return; + } elseif (strlen($callback_url) > 0 && !Validate::uri( $source_url, array('allowed_schemes' => array('http', 'https')) ) - ) + ) { $this->showForm(_('Callback URL is not valid.')); return; } - + $cur = common_current_user(); // Checked in prepare() above @@ -171,31 +200,53 @@ class NewApplicationAction extends Action $app->query('BEGIN'); - $app->name = $name; - $app->owner = $cur->id; - $app->description = $description; - $app->source_url = $souce_url; + $app->name = $name; + $app->owner = $cur->id; + $app->description = $description; + $app->source_url = $source_url; $app->organization = $organization; - $app->homepage = $homepage; + $app->homepage = $homepage; $app->callback_url = $callback_url; - $app->type = $type; - $app->access_type = $access_type; - + $app->type = $type; + + // Yeah, I dunno why I chose bit flags. I guess so I could + // copy this value directly to Oauth_application_user + // access_type which I think does need bit flags -- Z + + if ($access_type == 'r') { + $app->setAccessFlags(true, false); + } else { + $app->setAccessFlags(true, true); + } + + $app->created = common_sql_now(); + // generate consumer key and secret - - $app->created = common_sql_now(); + + $consumer = Consumer::generateNew(); + + $result = $consumer->insert(); + + if (!$result) { + common_log_db_error($consumer, 'INSERT', __FILE__); + $this->serverError(_('Could not create application.')); + } + + $app->consumer_key = $consumer->consumer_key; $result = $app->insert(); if (!$result) { - common_log_db_error($group, 'INSERT', __FILE__); + common_log_db_error($app, 'INSERT', __FILE__); $this->serverError(_('Could not create application.')); + $app->query('ROLLBACK'); } - - $group->query('COMMIT'); - common_redirect($group->homeUrl(), 303); - + $app->query('COMMIT'); + + common_redirect(common_local_url('apps', + array('nickname' => $cur->nickname)), 303); + } } diff --git a/actions/oauthconnectionssettings.php b/actions/oauthconnectionssettings.php index 6ec9f7027..e4b5af158 100644 --- a/actions/oauthconnectionssettings.php +++ b/actions/oauthconnectionssettings.php @@ -132,4 +132,17 @@ class OauthconnectionssettingsAction extends ConnectSettingsAction $this->elementEnd('div'); } + function showSections() + { + $cur = common_current_user(); + + $this->element('h2', null, 'Developers'); + $this->elementStart('p'); + $this->raw(_('Developers can edit the registration settings for their applications ')); + $this->element('a', + array('href' => common_local_url('apps', array('nickname' => $cur->nickname))), + 'here.'); + $this->elementEnd('p'); + } + } diff --git a/actions/showapplication.php b/actions/showapplication.php new file mode 100644 index 000000000..6b8eff4a6 --- /dev/null +++ b/actions/showapplication.php @@ -0,0 +1,306 @@ +. + * + * @category Application + * @package StatusNet + * @author Zach Copley + * @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); +} + +/** + * Show an OAuth application + * + * @category Application + * @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 ShowApplicationAction extends OwnerDesignAction +{ + /** + * Application to show + */ + + var $application = null; + + /** + * User who owns the app + */ + + var $owner = null; + + + var $msg = null; + + var $success = null; + + /** + * Load attributes based on database arguments + * + * Loads all the DB stuff + * + * @param array $args $_REQUEST array + * + * @return success flag + */ + + function prepare($args) + { + parent::prepare($args); + + $id = (int)$this->arg('id'); + + $this->application = Oauth_application::staticGet($id); + $this->owner = User::staticGet($this->application->owner); + + if (!common_logged_in()) { + $this->clientError(_('You must be logged in to view an application.')); + return false; + } + + if (empty($this->application)) { + $this->clientError(_('No such application.'), 404); + return false; + } + + $cur = common_current_user(); + + if ($cur->id != $this->owner->id) { + $this->clientError(_('You are not the owner of this application.'), 401); + } + + return true; + } + + /** + * Handle the request + * + * Shows info about the app + * + * @return void + */ + + function handle($args) + { + parent::handle($args); + + if ($_SERVER['REQUEST_METHOD'] == 'POST') { + + // CSRF protection + $token = $this->trimmed('token'); + if (!$token || $token != common_session_token()) { + $this->clientError(_('There was a problem with your session token.')); + return; + } + + if ($this->arg('reset')) { + $this->resetKey(); + } + } else { + $this->showPage(); + } + } + + /** + * Title of the page + * + * @return string title of the page + */ + + function title() + { + if (!empty($this->application->name)) { + return 'Application: ' . $this->application->name; + } + } + + function showPageNotice() + { + if (!empty($this->msg)) { + $this->element('div', ($this->success) ? 'success' : 'error', $this->msg); + } + } + + function showContent() + { + + $cur = common_current_user(); + + $this->elementStart('div', 'entity_actions'); + + $this->element('a', + array('href' => + common_local_url( + 'editapplication', + array( + 'nickname' => $this->owner->nickname, + 'id' => $this->application->id + ) + ) + ), 'Edit application'); + + $this->elementStart('form', array( + 'id' => 'forma_reset_key', + 'class' => 'form_reset_key', + 'method' => 'POST', + 'action' => common_local_url('showapplication', + array('nickname' => $cur->nickname, + 'id' => $this->application->id)))); + + $this->elementStart('fieldset'); + $this->hidden('token', common_session_token()); + $this->submit('reset', _('Reset Consumer key/secret')); + $this->elementEnd('fieldset'); + $this->elementEnd('form'); + + $this->elementEnd('div'); + + $consumer = $this->application->getConsumer(); + + $this->elementStart('div', 'entity-application'); + + $this->elementStart('ul', 'entity_application_details'); + + $this->elementStart('li', 'entity_application_name'); + $this->element('span', array('class' => 'big'), $this->application->name); + $this->raw(sprintf(_(' by %1$s'), $this->application->organization)); + $this->elementEnd('li'); + + $this->element('li', 'entity_application_description', $this->application->description); + + $this->elementStart('li', 'entity_application_statistics'); + + $defaultAccess = ($this->application->access_type & Oauth_application::$writeAccess) + ? 'read-write' : 'read-only'; + $profile = Profile::staticGet($this->application->owner); + $userCnt = 0; // XXX: count how many users use the app + + $this->raw(sprintf( + _('Created by %1$s - %2$s access by default - %3$d users.'), + $profile->getBestName(), + $defaultAccess, + $userCnt + )); + + $this->elementEnd('li'); + + $this->elementEnd('ul'); + + $this->elementStart('dl', 'entity_consumer_key'); + $this->element('dt', null, _('Consumer key')); + $this->element('dd', 'label', $consumer->consumer_key); + $this->elementEnd('dl'); + + $this->elementStart('dl', 'entity_consumer_secret'); + $this->element('dt', null, _('Consumer secret')); + $this->element('dd', 'label', $consumer->consumer_secret); + $this->elementEnd('dl'); + + $this->elementStart('dl', 'entity_request_token_url'); + $this->element('dt', null, _('Request token URL')); + $this->element('dd', 'label', common_local_url('oauthrequesttoken')); + $this->elementEnd('dl'); + + $this->elementStart('dl', 'entity_access_token_url'); + $this->element('dt', null, _('Access token URL')); + $this->element('dd', 'label', common_local_url('oauthaccesstoken')); + $this->elementEnd('dl'); + + $this->elementStart('dl', 'entity_authorize_url'); + $this->element('dt', null, _('Authorize URL')); + $this->element('dd', 'label', common_local_url('oauthauthorize')); + $this->elementEnd('dl'); + + $this->element('p', 'oauth-signature-note', + '*We support hmac-sha1 signatures. We do not support the plaintext signature method.'); + + $this->elementEnd('div'); + + $this->elementStart('div', 'entity-list-apps'); + $this->element('a', + array( + 'href' => common_local_url( + 'apps', + array('nickname' => $this->owner->nickname) + ) + ), + 'View your applications'); + $this->elementEnd('div'); + } + + function resetKey() + { + $this->application->query('BEGIN'); + + $consumer = $this->application->getConsumer(); + $result = $consumer->delete(); + + if (!$result) { + common_log_db_error($consumer, 'DELETE', __FILE__); + $this->success = false; + $this->msg = ('Unable to reset consumer key and secret.'); + $this->showPage(); + return; + } + + $consumer = Consumer::generateNew(); + + $result = $consumer->insert(); + + if (!$result) { + common_log_db_error($consumer, 'INSERT', __FILE__); + $this->application->query('ROLLBACK'); + $this->success = false; + $this->msg = ('Unable to reset consumer key and secret.'); + $this->showPage(); + return; + } + + $orig = clone($this->application); + $this->application->consumer_key = $consumer->consumer_key; + $result = $this->application->update($orig); + + if (!$result) { + common_log_db_error($application, 'UPDATE', __FILE__); + $this->application->query('ROLLBACK'); + $this->success = false; + $this->msg = ('Unable to reset consumer key and secret.'); + $this->showPage(); + return; + } + + $this->application->query('COMMIT'); + + $this->success = true; + $this->msg = ('Consumer key and secret reset.'); + $this->showPage(); + } + +} + diff --git a/classes/Consumer.php b/classes/Consumer.php index d17f183a8..ad64a8491 100644 --- a/classes/Consumer.php +++ b/classes/Consumer.php @@ -4,7 +4,7 @@ */ require_once INSTALLDIR.'/classes/Memcached_DataObject.php'; -class Consumer extends Memcached_DataObject +class Consumer extends Memcached_DataObject { ###START_AUTOCODE /* the code below is auto generated do not remove the above tag */ @@ -22,4 +22,18 @@ class Consumer extends Memcached_DataObject /* the code above is auto generated do not remove the tag below */ ###END_AUTOCODE + + static function generateNew() + { + $cons = new Consumer(); + $rand = common_good_rand(16); + + $cons->seed = $rand; + $cons->consumer_key = md5(time() + $rand); + $cons->consumer_secret = md5(md5(time() + time() + $rand)); + $cons->created = common_sql_now(); + + return $cons; + } + } diff --git a/classes/Oauth_application.php b/classes/Oauth_application.php index e2862bf97..ef1bbf6d9 100644 --- a/classes/Oauth_application.php +++ b/classes/Oauth_application.php @@ -31,4 +31,48 @@ class Oauth_application extends Memcached_DataObject } /* the code above is auto generated do not remove the tag below */ ###END_AUTOCODE + + // Bit flags + public static $readAccess = 1; + public static $writeAccess = 2; + + public static $browser = 1; + public static $desktop = 2; + + function getConsumer() + { + return Consumer::staticGet('consumer_key', $this->consumer_key); + } + + static function maxDesc() + { + $desclimit = common_config('application', 'desclimit'); + // null => use global limit (distinct from 0!) + if (is_null($desclimit)) { + $desclimit = common_config('site', 'textlimit'); + } + return $desclimit; + } + + static function descriptionTooLong($desc) + { + $desclimit = self::maxDesc(); + return ($desclimit > 0 && !empty($desc) && (mb_strlen($desc) > $desclimit)); + } + + function setAccessFlags($read, $write) + { + if ($read) { + $this->access_type |= self::$readAccess; + } else { + $this->access_type &= ~self::$readAccess; + } + + if ($write) { + $this->access_type |= self::$writeAccess; + } else { + $this->access_type &= ~self::$writeAccess; + } + } + } diff --git a/db/statusnet.sql b/db/statusnet.sql index 92f0636f3..fb36adac8 100644 --- a/db/statusnet.sql +++ b/db/statusnet.sql @@ -219,7 +219,7 @@ create table oauth_application ( organization varchar(255) comment 'name of the organization running the application', homepage varchar(255) comment 'homepage for the organization', callback_url varchar(255) not null comment 'url to redirect to after authentication', - type tinyint default 0 comment 'type of app, 0 = browser, 1 = desktop', + type tinyint default 0 comment 'type of app, 1 = browser, 2 = desktop', access_type tinyint default 0 comment 'default access type, bit 1 = read, bit 2 = write', created datetime not null comment 'date this record was created', modified timestamp comment 'date this record was modified' diff --git a/lib/applicationeditform.php b/lib/applicationeditform.php index 3fd45876a..ed187ba0b 100644 --- a/lib/applicationeditform.php +++ b/lib/applicationeditform.php @@ -100,11 +100,16 @@ class ApplicationEditForm extends Form function action() { - if ($this->application) { + $cur = common_current_user(); + + if (!empty($this->application)) { return common_local_url('editapplication', - array('id' => $this->application->id)); + array('id' => $this->application->id, + 'nickname' => $cur->nickname) + ); } else { - return common_local_url('newapplication'); + return common_local_url('newapplication', + array('nickname' => $cur->nickname)); } } @@ -116,7 +121,7 @@ class ApplicationEditForm extends Form function formLegend() { - $this->out->element('legend', null, _('Register a new application')); + $this->out->element('legend', null, _('Edit application')); } /** @@ -130,7 +135,7 @@ class ApplicationEditForm extends Form if ($this->application) { $id = $this->application->id; $name = $this->application->name; - $description = $this->application->description; + $description = $this->application->description; $source_url = $this->application->source_url; $organization = $this->application->organization; $homepage = $this->application->homepage; @@ -151,34 +156,46 @@ class ApplicationEditForm extends Form $this->out->elementStart('ul', 'form_data'); $this->out->elementStart('li'); - + $this->out->hidden('application_id', $id); + $this->out->hidden('token', common_session_token()); + $this->out->input('name', _('Name'), ($this->out->arg('name')) ? $this->out->arg('name') : $name); - + $this->out->elementEnd('li'); - + $this->out->elementStart('li'); - $this->out->input('description', _('Description'), - ($this->out->arg('Description')) ? $this->out->arg('discription') : $description); + + $maxDesc = Oauth_application::maxDesc(); + if ($maxDesc > 0) { + $descInstr = sprintf(_('Describe your application in %d chars'), + $maxDesc); + } else { + $descInstr = _('Describe your application'); + } + $this->out->textarea('description', _('Description'), + ($this->out->arg('description')) ? $this->out->arg('description') : $description, + $descInstr); + $this->out->elementEnd('li'); - + $this->out->elementStart('li'); $this->out->input('source_url', _('Source URL'), ($this->out->arg('source_url')) ? $this->out->arg('source_url') : $source_url, _('URL of the homepage of this application')); - $this->out->elementEnd('li'); + $this->out->elementEnd('li'); $this->out->elementStart('li'); - $this->out->input('Organization', _('Organization'), - ($this->out->arg('organization')) ? $this->out->arg('organization') : $orgranization, + $this->out->input('organization', _('Organization'), + ($this->out->arg('organization')) ? $this->out->arg('organization') : $organization, _('Organization responsible for this application')); $this->out->elementEnd('li'); $this->out->elementStart('li'); $this->out->input('homepage', _('Homepage'), ($this->out->arg('homepage')) ? $this->out->arg('homepage') : $homepage, - _('URL of the homepage of the organization')); + _('URL for the homepage of the organization')); $this->out->elementEnd('li'); $this->out->elementStart('li'); @@ -188,17 +205,86 @@ class ApplicationEditForm extends Form $this->out->elementEnd('li'); $this->out->elementStart('li'); - $this->out->input('type', _('Application type'), - ($this->out->arg('type')) ? $this->out->arg('type') : $type, - _('Type of application, browser or desktop')); + + $attrs = array('name' => 'app_type', + 'type' => 'radio', + 'id' => 'app_type-browser', + 'class' => 'radio', + 'value' => Oauth_application::$browser); + + // Default to Browser + + if ($this->application->type == Oauth_application::$browser + || empty($this->applicaiton->type)) { + $attrs['checked'] = 'checked'; + } + + $this->out->element('input', $attrs); + + $this->out->element('label', array('for' => 'app_type-browser', + 'class' => 'radio'), + _('Browser')); + + $attrs = array('name' => 'app_type', + 'type' => 'radio', + 'id' => 'app_type-dekstop', + 'class' => 'radio', + 'value' => Oauth_application::$desktop); + + if ($this->application->type == Oauth_application::$desktop) { + $attrs['checked'] = 'checked'; + } + + $this->out->element('input', $attrs); + + $this->out->element('label', array('for' => 'app_type-desktop', + 'class' => 'radio'), + _('Desktop')); + $this->out->element('p', 'form_guide', _('Type of application, browser or desktop')); $this->out->elementEnd('li'); - + $this->out->elementStart('li'); - $this->out->input('access_type', _('Default access'), - ($this->out->arg('access_type')) ? $this->out->arg('access_type') : $access_type, - _('Default access for this application: read-write, or read-only')); + + $attrs = array('name' => 'default_access_type', + 'type' => 'radio', + 'id' => 'default_access_type-r', + 'class' => 'radio', + 'value' => 'r'); + + // default to read-only access + + if ($this->application->access_type & Oauth_application::$readAccess + || empty($this->application->access_type)) { + $attrs['checked'] = 'checked'; + } + + $this->out->element('input', $attrs); + + $this->out->element('label', array('for' => 'default_access_type-ro', + 'class' => 'radio'), + _('Read-only')); + + $attrs = array('name' => 'default_access_type', + 'type' => 'radio', + 'id' => 'default_access_type-rw', + 'class' => 'radio', + 'value' => 'rw'); + + if ($this->application->access_type & Oauth_application::$readAccess + && $this->application->access_type & Oauth_application::$writeAccess + ) { + $attrs['checked'] = 'checked'; + } + + $this->out->element('input', $attrs); + + $this->out->element('label', array('for' => 'default_access_type-rw', + 'class' => 'radio'), + _('Read-write')); + $this->out->element('p', 'form_guide', _('Default access for this application: read-only, or read-write')); + $this->out->elementEnd('li'); - + $this->out->elementEnd('ul'); } @@ -210,6 +296,7 @@ class ApplicationEditForm extends Form function formActions() { - $this->out->submit('submit', _('Save')); + $this->out->submit('save', _('Save')); + $this->out->submit('cancel', _('Cancel')); } } diff --git a/lib/applicationlist.php b/lib/applicationlist.php index fed784bb6..3141ea974 100644 --- a/lib/applicationlist.php +++ b/lib/applicationlist.php @@ -20,7 +20,7 @@ * You should have received a copy of the GNU Affero General Public License * along with this program. If not, see . * - * @category Public + * @category Application * @package StatusNet * @author Zach Copley * @copyright 2008-2009 StatusNet, Inc. @@ -39,7 +39,7 @@ define('APPS_PER_PAGE', 20); /** * Widget to show a list of OAuth applications * - * @category Public + * @category Application * @package StatusNet * @author Zach Copley * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 @@ -50,10 +50,10 @@ class ApplicationList extends Widget { /** Current application, application query */ var $application = null; - + /** Owner of this list */ var $owner = null; - + /** Action object using us. */ var $action = null; @@ -87,14 +87,42 @@ class ApplicationList extends Widget function showApplication() { - $this->out->elementStart('li', array('class' => 'application', - 'id' => 'oauthclient-' . $this->application->id)); $user = common_current_user(); - $this->out->raw($this->application->name); - - $this->out->elementEnd('li'); + $this->out->elementStart('li', array('class' => 'application', + 'id' => 'oauthclient-' . $this->application->id)); + + $this->out->elementStart('a', + array('href' => common_local_url( + 'showapplication', + array( + 'nickname' => $user->nickname, + 'id' => $this->application->id + ) + ), + 'class' => 'url') + ); + + $this->out->raw($this->application->name); + $this->out->elementEnd('a'); + + $this->out->raw(' by '); + + $this->out->elementStart('a', + array( + 'href' => $this->application->homepage, + 'class' => 'url' + ) + ); + $this->out->raw($this->application->organization); + $this->out->elementEnd('a'); + + $this->out->elementStart('p', 'note'); + $this->out->raw($this->application->description); + $this->out->elementEnd('p'); + + $this->out->elementEnd('li'); } /* Override this in subclasses. */ diff --git a/lib/default.php b/lib/default.php index f7f4777a2..82578fea8 100644 --- a/lib/default.php +++ b/lib/default.php @@ -204,6 +204,8 @@ $default = 'uploads' => true, 'filecommand' => '/usr/bin/file', ), + 'application' => + array('desclimit' => null), 'group' => array('maxaliases' => 3, 'desclimit' => null), diff --git a/lib/router.php b/lib/router.php index 7b65ae215..a8dbbf6d0 100644 --- a/lib/router.php +++ b/lib/router.php @@ -641,13 +641,30 @@ class Router array('nickname' => '[a-zA-Z0-9]{1,64}')); } - $m->connect('apps/new', array('action' => 'newapplication')); - - $m->connect(':nickname/apps/edit', + $m->connect(':nickname/apps', + array('action' => 'apps'), + array('nickname' => '['.NICKNAME_FMT.']{1,64}')); + $m->connect(':nickname/apps/show/:id', + array('action' => 'showapplication'), + array('nickname' => '['.NICKNAME_FMT.']{1,64}', + 'id' => '[0-9]+') + ); + $m->connect(':nickname/apps/new', + array('action' => 'newapplication'), + array('nickname' => '['.NICKNAME_FMT.']{1,64}')); + $m->connect(':nickname/apps/edit/:id', array('action' => 'editapplication'), - array('nickname' => '['.NICKNAME_FMT.']{1,64}') + array('nickname' => '['.NICKNAME_FMT.']{1,64}', + 'id' => '[0-9]+') ); + $m->connect('oauth/request_token', + array('action' => 'oauthrequesttoken')); + $m->connect('oauth/access_token', + array('action' => 'oauthaccesstoken')); + $m->connect('oauth/authorize', + array('action' => 'oauthauthorize')); + foreach (array('subscriptions', 'subscribers') as $a) { $m->connect(':nickname/'.$a.'/:tag', array('action' => $a), -- cgit v1.2.3-54-g00ecf From 4c5ddc42c10f2c8509e2a38e3fb18a69e021213a Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Mon, 16 Nov 2009 18:12:39 -0800 Subject: Added session token checking. --- actions/newapplication.php | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/actions/newapplication.php b/actions/newapplication.php index 9d8635270..ec0f2e7af 100644 --- a/actions/newapplication.php +++ b/actions/newapplication.php @@ -84,6 +84,13 @@ class NewApplicationAction extends OwnerDesignAction if ($_SERVER['REQUEST_METHOD'] == 'POST') { + // CSRF protection + $token = $this->trimmed('token'); + if (!$token || $token != common_session_token()) { + $this->clientError(_('There was a problem with your session token.')); + return; + } + $cur = common_current_user(); if ($this->arg('cancel')) { -- cgit v1.2.3-54-g00ecf From b14a97f5f95e809c6b5bffa6dab8eba06509a3dc Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Thu, 7 Jan 2010 01:55:57 -0800 Subject: Add icons/icon upload to Oauth apps --- actions/editapplication.php | 79 +++++++++++++++++++++------------ actions/newapplication.php | 100 ++++++++++++++++++++++++++++++++---------- actions/showapplication.php | 9 +++- classes/Oauth_application.php | 13 ++++++ lib/applicationeditform.php | 43 ++++++++++++++++-- lib/applicationlist.php | 4 ++ 6 files changed, 192 insertions(+), 56 deletions(-) diff --git a/actions/editapplication.php b/actions/editapplication.php index 3af482844..6b8dd501c 100644 --- a/actions/editapplication.php +++ b/actions/editapplication.php @@ -81,7 +81,7 @@ class EditApplicationAction extends OwnerDesignAction /** * Handle the request * - * On GET, show the form. On POST, try to save the group. + * On GET, show the form. On POST, try to save the app. * * @param array $args unused * @@ -91,31 +91,49 @@ class EditApplicationAction extends OwnerDesignAction function handle($args) { parent::handle($args); + if ($_SERVER['REQUEST_METHOD'] == 'POST') { + $this->handlePost($args); + } else { + $this->showForm(); + } + } - // CSRF protection - $token = $this->trimmed('token'); - if (!$token || $token != common_session_token()) { - $this->clientError(_('There was a problem with your session token.')); - return; - } - - $cur = common_current_user(); - - if ($this->arg('cancel')) { - common_redirect(common_local_url('showapplication', - array( - 'nickname' => $cur->nickname, - 'id' => $this->app->id) - ), 303); - } elseif ($this->arg('save')) { - $this->trySave(); - } else { - $this->clientError(_('Unexpected form submission.')); - } - } else { - $this->showForm(); + function handlePost($args) + { + // Workaround for PHP returning empty $_POST and $_FILES when POST + // length > post_max_size in php.ini + + if (empty($_FILES) + && empty($_POST) + && ($_SERVER['CONTENT_LENGTH'] > 0) + ) { + $msg = _('The server was unable to handle that much POST ' . + 'data (%s bytes) due to its current configuration.'); + $this->clientException(sprintf($msg, $_SERVER['CONTENT_LENGTH'])); + return; } + + // CSRF protection + $token = $this->trimmed('token'); + if (!$token || $token != common_session_token()) { + $this->clientError(_('There was a problem with your session token.')); + return; + } + + $cur = common_current_user(); + + if ($this->arg('cancel')) { + common_redirect(common_local_url('showapplication', + array( + 'nickname' => $cur->nickname, + 'id' => $this->app->id) + ), 303); + } elseif ($this->arg('save')) { + $this->trySave(); + } else { + $this->clientError(_('Unexpected form submission.')); + } } function showForm($msg=null) @@ -149,7 +167,7 @@ class EditApplicationAction extends OwnerDesignAction $homepage = $this->trimmed('homepage'); $callback_url = $this->trimmed('callback_url'); $type = $this->arg('app_type'); - $access_type = $this->arg('access_type'); + $access_type = $this->arg('default_access_type'); if (empty($name)) { $this->showForm(_('Name is required.')); @@ -214,6 +232,7 @@ class EditApplicationAction extends OwnerDesignAction // Checked in prepare() above assert(!is_null($cur)); + assert(!is_null($this->app)); $orig = clone($this->app); @@ -225,16 +244,18 @@ class EditApplicationAction extends OwnerDesignAction $this->app->callback_url = $callback_url; $this->app->type = $type; + $result = $this->app->update($orig); + + common_debug("access_type = $access_type"); + if ($access_type == 'r') { - $this->app->setAccessFlags(true, false); + $this->app->access_type = 1; } else { - $this->app->setAccessFlags(true, true); + $this->app->access_type = 3; } - $result = $this->app->update($orig); - if (!$result) { - common_log_db_error($app, 'UPDATE', __FILE__); + common_log_db_error($this->app, 'UPDATE', __FILE__); $this->serverError(_('Could not update application.')); } diff --git a/actions/newapplication.php b/actions/newapplication.php index ec0f2e7af..a0e61d288 100644 --- a/actions/newapplication.php +++ b/actions/newapplication.php @@ -71,7 +71,7 @@ class NewApplicationAction extends OwnerDesignAction /** * Handle the request * - * On GET, show the form. On POST, try to save the group. + * On GET, show the form. On POST, try to save the app. * * @param array $args unused * @@ -83,29 +83,46 @@ class NewApplicationAction extends OwnerDesignAction parent::handle($args); if ($_SERVER['REQUEST_METHOD'] == 'POST') { - - // CSRF protection - $token = $this->trimmed('token'); - if (!$token || $token != common_session_token()) { - $this->clientError(_('There was a problem with your session token.')); - return; - } - - $cur = common_current_user(); - - if ($this->arg('cancel')) { - common_redirect(common_local_url('apps', - array('nickname' => $cur->nickname)), 303); - } elseif ($this->arg('save')) { - $this->trySave(); - } else { - $this->clientError(_('Unexpected form submission.')); - } + $this->handlePost($args); } else { $this->showForm(); } } + function handlePost($args) + { + // Workaround for PHP returning empty $_POST and $_FILES when POST + // length > post_max_size in php.ini + + if (empty($_FILES) + && empty($_POST) + && ($_SERVER['CONTENT_LENGTH'] > 0) + ) { + $msg = _('The server was unable to handle that much POST ' . + 'data (%s bytes) due to its current configuration.'); + $this->clientException(sprintf($msg, $_SERVER['CONTENT_LENGTH'])); + return; + } + + // CSRF protection + $token = $this->trimmed('token'); + if (!$token || $token != common_session_token()) { + $this->clientError(_('There was a problem with your session token.')); + return; + } + + $cur = common_current_user(); + + if ($this->arg('cancel')) { + common_redirect(common_local_url('apps', + array('nickname' => $cur->nickname)), 303); + } elseif ($this->arg('save')) { + $this->trySave(); + } else { + $this->clientError(_('Unexpected form submission.')); + } + } + function showForm($msg=null) { $this->msg = $msg; @@ -130,14 +147,14 @@ class NewApplicationAction extends OwnerDesignAction function trySave() { - $name = $this->trimmed('name'); + $name = $this->trimmed('name'); $description = $this->trimmed('description'); $source_url = $this->trimmed('source_url'); $organization = $this->trimmed('organization'); $homepage = $this->trimmed('homepage'); $callback_url = $this->trimmed('callback_url'); $type = $this->arg('app_type'); - $access_type = $this->arg('access_type'); + $access_type = $this->arg('default_access_type'); if (empty($name)) { $this->showForm(_('Name is required.')); @@ -241,14 +258,16 @@ class NewApplicationAction extends OwnerDesignAction $app->consumer_key = $consumer->consumer_key; - $result = $app->insert(); + $this->app_id = $app->insert(); - if (!$result) { + if (!$this->app_id) { common_log_db_error($app, 'INSERT', __FILE__); $this->serverError(_('Could not create application.')); $app->query('ROLLBACK'); } + $this->uploadLogo($app); + $app->query('COMMIT'); common_redirect(common_local_url('apps', @@ -256,5 +275,40 @@ class NewApplicationAction extends OwnerDesignAction } + /** + * Handle an image upload + * + * Does all the magic for handling an image upload, and crops the + * image by default. + * + * @return void + */ + + function uploadLogo($app) + { + if ($_FILES['app_icon']['error'] == + UPLOAD_ERR_OK) { + + try { + $imagefile = ImageFile::fromUpload('app_icon'); + } catch (Exception $e) { + common_debug("damn that sucks"); + $this->showForm($e->getMessage()); + return; + } + + $filename = Avatar::filename($app->id, + image_type_to_extension($imagefile->type), + null, + 'oauth-app-icon-'.common_timestamp()); + + $filepath = Avatar::path($filename); + + move_uploaded_file($imagefile->filepath, $filepath); + + $app->setOriginal($filename); + } + } + } diff --git a/actions/showapplication.php b/actions/showapplication.php index 6b8eff4a6..6d19b9561 100644 --- a/actions/showapplication.php +++ b/actions/showapplication.php @@ -55,7 +55,6 @@ class ShowApplicationAction extends OwnerDesignAction var $owner = null; - var $msg = null; var $success = null; @@ -187,6 +186,14 @@ class ShowApplicationAction extends OwnerDesignAction $this->elementStart('ul', 'entity_application_details'); + $this->elementStart('li', 'entity_application-icon'); + + if (!empty($this->application->icon)) { + $this->element('img', array('src' => $this->application->icon)); + } + + $this->elementEnd('li'); + $this->elementStart('li', 'entity_application_name'); $this->element('span', array('class' => 'big'), $this->application->name); $this->raw(sprintf(_(' by %1$s'), $this->application->organization)); diff --git a/classes/Oauth_application.php b/classes/Oauth_application.php index ef1bbf6d9..d4de6d82e 100644 --- a/classes/Oauth_application.php +++ b/classes/Oauth_application.php @@ -75,4 +75,17 @@ class Oauth_application extends Memcached_DataObject } } + function setOriginal($filename) + { + $imagefile = new ImageFile($this->id, Avatar::path($filename)); + + // XXX: Do we want to have a bunch of different size icons? homepage, stream, mini? + // or just one and control size via CSS? --Zach + + $orig = clone($this); + $this->icon = Avatar::url($filename); + common_debug(common_log_objstring($this)); + return $this->update($orig); + } + } diff --git a/lib/applicationeditform.php b/lib/applicationeditform.php index ed187ba0b..4d3bb06e7 100644 --- a/lib/applicationeditform.php +++ b/lib/applicationeditform.php @@ -81,6 +81,21 @@ class ApplicationEditForm extends Form } } + /** + * HTTP method used to submit the form + * + * For image data we need to send multipart/form-data + * so we set that here too + * + * @return string the method to use for submitting + */ + + function method() + { + $this->enctype = 'multipart/form-data'; + return 'post'; + } + /** * class of the form * @@ -134,6 +149,7 @@ class ApplicationEditForm extends Form { if ($this->application) { $id = $this->application->id; + $icon = $this->application->icon; $name = $this->application->name; $description = $this->application->description; $source_url = $this->application->source_url; @@ -144,6 +160,7 @@ class ApplicationEditForm extends Form $this->access_type = $this->application->access_type; } else { $id = ''; + $icon = ''; $name = ''; $description = ''; $source_url = ''; @@ -154,11 +171,31 @@ class ApplicationEditForm extends Form $this->access_type = ''; } + $this->out->hidden('token', common_session_token()); + $this->out->elementStart('ul', 'form_data'); - $this->out->elementStart('li'); + + $this->out->elementStart('li'); + + if (!empty($icon)) { + $this->out->element('img', array('src' => $icon)); + } + + $this->out->element('label', array('for' => 'app_icon'), + _('Icon')); + $this->out->element('input', array('name' => 'app_icon', + 'type' => 'file', + 'id' => 'app_icon')); + $this->out->element('p', 'form_guide', _('Icon for this application')); + $this->out->element('input', array('name' => 'MAX_FILE_SIZE', + 'type' => 'hidden', + 'id' => 'MAX_FILE_SIZE', + 'value' => ImageFile::maxFileSizeInt())); + $this->out->elementEnd('li'); + + $this->out->elementStart('li'); $this->out->hidden('application_id', $id); - $this->out->hidden('token', common_session_token()); $this->out->input('name', _('Name'), ($this->out->arg('name')) ? $this->out->arg('name') : $name); @@ -215,7 +252,7 @@ class ApplicationEditForm extends Form // Default to Browser if ($this->application->type == Oauth_application::$browser - || empty($this->applicaiton->type)) { + || empty($this->application->type)) { $attrs['checked'] = 'checked'; } diff --git a/lib/applicationlist.php b/lib/applicationlist.php index 3141ea974..5392ddab8 100644 --- a/lib/applicationlist.php +++ b/lib/applicationlist.php @@ -93,6 +93,10 @@ class ApplicationList extends Widget $this->out->elementStart('li', array('class' => 'application', 'id' => 'oauthclient-' . $this->application->id)); + if (!empty($this->application->icon)) { + $this->out->element('img', array('src' => $this->application->icon)); + } + $this->out->elementStart('a', array('href' => common_local_url( 'showapplication', -- cgit v1.2.3-54-g00ecf From bcbe013385e991c6b1fa12fc62fc3386b61c93ed Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Thu, 7 Jan 2010 13:19:21 -0800 Subject: Stubs for API OAuth token exchange stuff --- actions/apioauthaccesstoken.php | 49 ++++++++++++++++++++++++++++++++++++++++ actions/apioauthauthorize.php | 49 ++++++++++++++++++++++++++++++++++++++++ actions/apioauthrequesttoken.php | 49 ++++++++++++++++++++++++++++++++++++++++ lib/router.php | 6 ++--- 4 files changed, 150 insertions(+), 3 deletions(-) create mode 100644 actions/apioauthaccesstoken.php create mode 100644 actions/apioauthauthorize.php create mode 100644 actions/apioauthrequesttoken.php diff --git a/actions/apioauthaccesstoken.php b/actions/apioauthaccesstoken.php new file mode 100644 index 000000000..db82f656a --- /dev/null +++ b/actions/apioauthaccesstoken.php @@ -0,0 +1,49 @@ +. + * + * @category API + * @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); +} + +require_once INSTALLDIR . '/lib/api.php'; + +/** + * Exchange an authorized OAuth request token for an access token + * + * @category API + * @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 ApiOauthAccessTokenAction extends ApiAction +{ + +} diff --git a/actions/apioauthauthorize.php b/actions/apioauthauthorize.php new file mode 100644 index 000000000..8839d9571 --- /dev/null +++ b/actions/apioauthauthorize.php @@ -0,0 +1,49 @@ +. + * + * @category API + * @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); +} + +require_once INSTALLDIR . '/lib/api.php'; + +/** + * Authorize an OAuth request token + * + * @category API + * @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 ApiOauthAuthorizeAction extends Action +{ + +} diff --git a/actions/apioauthrequesttoken.php b/actions/apioauthrequesttoken.php new file mode 100644 index 000000000..c1ccd4b7d --- /dev/null +++ b/actions/apioauthrequesttoken.php @@ -0,0 +1,49 @@ +. + * + * @category API + * @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); +} + +require_once INSTALLDIR . '/lib/api.php'; + +/** + * Get an OAuth request token + * + * @category API + * @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 ApiOauthRequestTokenAction extends ApiAction +{ + +} diff --git a/lib/router.php b/lib/router.php index a8dbbf6d0..0703d7597 100644 --- a/lib/router.php +++ b/lib/router.php @@ -659,11 +659,11 @@ class Router ); $m->connect('oauth/request_token', - array('action' => 'oauthrequesttoken')); + array('action' => 'apioauthrequesttoken')); $m->connect('oauth/access_token', - array('action' => 'oauthaccesstoken')); + array('action' => 'apioauthaccesstoken')); $m->connect('oauth/authorize', - array('action' => 'oauthauthorize')); + array('action' => 'apioauthauthorize')); foreach (array('subscriptions', 'subscribers') as $a) { $m->connect(':nickname/'.$a.'/:tag', -- cgit v1.2.3-54-g00ecf From 2e23638615275d7aec19b48f0333bbdabb1702ef Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Thu, 7 Jan 2010 18:33:17 -0800 Subject: Action for issuing a request token --- actions/apioauthrequesttoken.php | 41 +++++++++++++++++- lib/apioauthstore.php | 90 ++++++++++++++++++++++++++++++++++++++++ 2 files changed, 130 insertions(+), 1 deletion(-) create mode 100644 lib/apioauthstore.php diff --git a/actions/apioauthrequesttoken.php b/actions/apioauthrequesttoken.php index c1ccd4b7d..1bbd7d295 100644 --- a/actions/apioauthrequesttoken.php +++ b/actions/apioauthrequesttoken.php @@ -32,6 +32,7 @@ if (!defined('STATUSNET')) { } require_once INSTALLDIR . '/lib/api.php'; +require_once INSTALLDIR . '/lib/apioauthstore.php'; /** * Get an OAuth request token @@ -43,7 +44,45 @@ require_once INSTALLDIR . '/lib/api.php'; * @link http://status.net/ */ -class ApiOauthRequestTokenAction extends ApiAction +class ApiOauthRequestTokenAction extends Action { + /** + * Is read only? + * + * @return boolean false + */ + function isReadOnly() + { + return false; + } + + /** + * Class handler. + * + * @param array $args array of arguments + * + * @return void + */ + function handle($args) + { + parent::handle($args); + + $datastore = new ApiStatusNetOAuthDataStore(); + $server = new OAuthServer($datastore); + $hmac_method = new OAuthSignatureMethod_HMAC_SHA1(); + $server->add_signature_method($hmac_method); + + try { + $req = OAuthRequest::from_request(); + $token = $server->fetch_request_token($req); + print $token; + } catch (OAuthException $e) { + common_log(LOG_WARN, $e->getMessage()); + common_debug(var_export($req, true)); + header('HTTP/1.1 401 Unauthorized'); + header('Content-Type: text/html; charset=utf-8'); + print $e->getMessage() . "\n"; + } + } } diff --git a/lib/apioauthstore.php b/lib/apioauthstore.php new file mode 100644 index 000000000..a92a4d6e4 --- /dev/null +++ b/lib/apioauthstore.php @@ -0,0 +1,90 @@ +. + */ + +if (!defined('STATUSNET') && !defined('LACONICA')) { exit(1); } + +require_once INSTALLDIR . '/lib/oauthstore.php'; + +class ApiStatusNetOAuthDataStore extends StatusNetOAuthDataStore +{ + + function lookup_consumer($consumer_key) + { + $con = Consumer::staticGet('consumer_key', $consumer_key); + + if (!$con) { + return null; + } + + return new OAuthConsumer($con->consumer_key, + $con->consumer_secret); + } + + function new_access_token($token, $consumer) + { + common_debug('new_access_token("'.$token->key.'","'.$consumer->key.'")', __FILE__); + $rt = new Token(); + $rt->consumer_key = $consumer->key; + $rt->tok = $token->key; + $rt->type = 0; // request + if ($rt->find(true) && $rt->state == 1) { // authorized + common_debug('request token found.', __FILE__); + $at = new Token(); + $at->consumer_key = $consumer->key; + $at->tok = common_good_rand(16); + $at->secret = common_good_rand(16); + $at->type = 1; // access + $at->created = DB_DataObject_Cast::dateTime(); + if (!$at->insert()) { + $e = $at->_lastError; + common_debug('access token "'.$at->tok.'" not inserted: "'.$e->message.'"', __FILE__); + return null; + } else { + common_debug('access token "'.$at->tok.'" inserted', __FILE__); + // burn the old one + $orig_rt = clone($rt); + $rt->state = 2; // used + if (!$rt->update($orig_rt)) { + return null; + } + common_debug('request token "'.$rt->tok.'" updated', __FILE__); + // Update subscription + // XXX: mixing levels here + $sub = Subscription::staticGet('token', $rt->tok); + if (!$sub) { + return null; + } + common_debug('subscription for request token found', __FILE__); + $orig_sub = clone($sub); + $sub->token = $at->tok; + $sub->secret = $at->secret; + if (!$sub->update($orig_sub)) { + return null; + } else { + common_debug('subscription updated to use access token', __FILE__); + return new OAuthToken($at->tok, $at->secret); + } + } + } else { + return null; + } + } + +} + -- cgit v1.2.3-54-g00ecf From aba299c5d1b5aa466040401eb271482fab87995e Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Sun, 10 Jan 2010 21:35:46 -0800 Subject: Workflow for request tokens and authorizing request tokens --- actions/apioauthauthorize.php | 326 ++++++++++++++++++++++++++++++++++++++- actions/apioauthrequesttoken.php | 5 +- actions/showapplication.php | 6 +- lib/router.php | 19 +-- 4 files changed, 338 insertions(+), 18 deletions(-) diff --git a/actions/apioauthauthorize.php b/actions/apioauthauthorize.php index 8839d9571..895a0c6e5 100644 --- a/actions/apioauthauthorize.php +++ b/actions/apioauthauthorize.php @@ -31,7 +31,7 @@ if (!defined('STATUSNET')) { exit(1); } -require_once INSTALLDIR . '/lib/api.php'; +require_once INSTALLDIR . '/lib/apioauthstore.php'; /** * Authorize an OAuth request token @@ -45,5 +45,329 @@ require_once INSTALLDIR . '/lib/api.php'; class ApiOauthAuthorizeAction extends Action { + var $oauth_token; + var $callback; + var $app; + var $nickname; + var $password; + var $store; + + /** + * Is this a read-only action? + * + * @return boolean false + */ + + function isReadOnly($args) + { + return false; + } + + function prepare($args) + { + parent::prepare($args); + + common_debug(var_export($_REQUEST, true)); + + $this->nickname = $this->trimmed('nickname'); + $this->password = $this->arg('password'); + $this->oauth_token = $this->arg('oauth_token'); + $this->callback = $this->arg('oauth_callback'); + $this->store = new ApiStatusNetOAuthDataStore(); + + return true; + } + + function getApp() + { + // Look up the full req token + + $req_token = $this->store->lookup_token(null, + 'request', + $this->oauth_token); + + if (empty($req_token)) { + + common_debug("Couldn't find request token!"); + + $this->clientError(_('Bad request.')); + return; + } + + // Look up the app + + $app = new Oauth_application(); + $app->consumer_key = $req_token->consumer_key; + $result = $app->find(true); + + if (!empty($result)) { + $this->app = $app; + return true; + + } else { + common_debug("couldn't find the app!"); + return false; + } + } + + /** + * Handle input, produce output + * + * Switches on request method; either shows the form or handles its input. + * + * @param array $args $_REQUEST data + * + * @return void + */ + + function handle($args) + { + parent::handle($args); + + if ($_SERVER['REQUEST_METHOD'] == 'POST') { + /* Use a session token for CSRF protection. */ + $token = $this->trimmed('token'); + if (!$token || $token != common_session_token()) { + $this->showForm(_('There was a problem with your session token. '. + 'Try again, please.')); + return; + } + + $this->handlePost(); + + } else { + + common_debug('ApiOauthAuthorize::handle()'); + + if (empty($this->oauth_token)) { + + common_debug("No request token found."); + + $this->clientError(_('Bad request.')); + return; + } + + if (!$this->getApp()) { + $this->clientError(_('Bad request.')); + return; + } + + common_debug("Requesting auth for app: $app->name."); + + $this->showForm(); + } + } + + function handlePost() + { + /* Use a session token for CSRF protection. */ + + $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 (!$this->getApp()) { + $this->clientError(_('Bad request.')); + return; + } + + // is the user already logged in? + + // check creds + + if (!common_logged_in()) { + $user = common_check_user($this->nickname, $this->password); + if (empty($user)) { + $this->showForm(_("Invalid nickname / password!")); + return; + } + } + + if ($this->arg('allow')) { + + $this->store->authorize_token($this->oauth_token); + + // if we have a callback redirect and provide the token + + if (!empty($this->callback)) { + $target_url = $this->callback . '?oauth_token=' . $this->oauth_token; + common_redirect($target_url, 303); + } + + // otherwise inform the user that the rt was authorized + + $this->elementStart('p'); + + // XXX: Do verifier code? + + $this->raw(sprintf(_("The request token %s has been authorized. " . + 'Please exchange it for an access token.'), + $this->oauth_token)); + + $this->elementEnd('p'); + + } else if ($this->arg('deny')) { + + $this->elementStart('p'); + + $this->raw(sprintf(_("The request token %s has been denied."), + $this->oauth_token)); + + $this->elementEnd('p'); + } else { + $this->clientError(_('Unexpected form submission.')); + return; + } + } + + function showForm($error=null) + { + $this->error = $error; + $this->showPage(); + } + + function showScripts() + { + parent::showScripts(); + // $this->autofocus('nickname'); + } + + /** + * Title of the page + * + * @return string title of the page + */ + + function title() + { + return _('An application would like to connect to your account'); + } + + /** + * Show page notice + * + * Display a notice for how to use the page, or the + * error if it exists. + * + * @return void + */ + + function showPageNotice() + { + if ($this->error) { + $this->element('p', 'error', $this->error); + } else { + $instr = $this->getInstructions(); + $output = common_markup_to_html($instr); + + $this->raw($output); + } + } + + /** + * Shows the authorization form. + * + * @return void + */ + + function showContent() + { + $this->elementStart('form', array('method' => 'post', + 'id' => 'form_login', + 'class' => 'form_settings', + 'action' => common_local_url('apioauthauthorize'))); + + $this->hidden('token', common_session_token()); + $this->hidden('oauth_token', $this->oauth_token); + $this->hidden('oauth_callback', $this->callback); + + $this->elementStart('fieldset'); + + $this->elementStart('ul'); + $this->elementStart('li'); + if (!empty($this->app->icon)) { + $this->element('img', array('src' => $this->app->icon)); + } + $this->elementEnd('li'); + $this->elementStart('li'); + + $access = ($this->app->access_type & Oauth_application::$writeAccess) ? + 'access and update' : 'access'; + + $msg = _("The application %s by %s would like " . + "the ability to %s your account data."); + + $this->raw(sprintf($msg, + $this->app->name, + $this->app->organization, + $access)); + + $this->elementEnd('li'); + $this->elementEnd('ul'); + + $this->elementEnd('fieldset'); + + if (!common_logged_in()) { + + $this->elementStart('fieldset'); + $this->element('legend', null, _('Login')); + $this->elementStart('ul', 'form_data'); + $this->elementStart('li'); + $this->input('nickname', _('Nickname')); + $this->elementEnd('li'); + $this->elementStart('li'); + $this->password('password', _('Password')); + $this->elementEnd('li'); + $this->elementEnd('ul'); + + $this->elementEnd('fieldset'); + + } + + $this->element('input', array('id' => 'deny_submit', + 'class' => 'submit', + 'name' => 'deny', + 'type' => 'submit', + 'value' => _('Deny'))); + + $this->element('input', array('id' => 'allow_submit', + 'class' => 'submit', + 'name' => 'allow', + 'type' => 'submit', + 'value' => _('Allow'))); + + $this->elementEnd('form'); + } + + /** + * Instructions for using the form + * + * For "remembered" logins, we make the user re-login when they + * try to change settings. Different instructions for this case. + * + * @return void + */ + + function getInstructions() + { + return _('Allow or deny access to your account information.'); + + } + + /** + * A local menu + * + * Shows different login/register actions. + * + * @return void + */ + + function showLocalNav() + { + } } diff --git a/actions/apioauthrequesttoken.php b/actions/apioauthrequesttoken.php index 1bbd7d295..53aca6b96 100644 --- a/actions/apioauthrequesttoken.php +++ b/actions/apioauthrequesttoken.php @@ -31,7 +31,6 @@ if (!defined('STATUSNET')) { exit(1); } -require_once INSTALLDIR . '/lib/api.php'; require_once INSTALLDIR . '/lib/apioauthstore.php'; /** @@ -70,6 +69,7 @@ class ApiOauthRequestTokenAction extends Action $datastore = new ApiStatusNetOAuthDataStore(); $server = new OAuthServer($datastore); $hmac_method = new OAuthSignatureMethod_HMAC_SHA1(); + $server->add_signature_method($hmac_method); try { @@ -77,8 +77,7 @@ class ApiOauthRequestTokenAction extends Action $token = $server->fetch_request_token($req); print $token; } catch (OAuthException $e) { - common_log(LOG_WARN, $e->getMessage()); - common_debug(var_export($req, true)); + common_log(LOG_WARN, 'API OAuthException - ' . $e->getMessage()); header('HTTP/1.1 401 Unauthorized'); header('Content-Type: text/html; charset=utf-8'); print $e->getMessage() . "\n"; diff --git a/actions/showapplication.php b/actions/showapplication.php index 6d19b9561..5156fa6f0 100644 --- a/actions/showapplication.php +++ b/actions/showapplication.php @@ -231,17 +231,17 @@ class ShowApplicationAction extends OwnerDesignAction $this->elementStart('dl', 'entity_request_token_url'); $this->element('dt', null, _('Request token URL')); - $this->element('dd', 'label', common_local_url('oauthrequesttoken')); + $this->element('dd', 'label', common_local_url('apioauthrequesttoken')); $this->elementEnd('dl'); $this->elementStart('dl', 'entity_access_token_url'); $this->element('dt', null, _('Access token URL')); - $this->element('dd', 'label', common_local_url('oauthaccesstoken')); + $this->element('dd', 'label', common_local_url('apioauthaccesstoken')); $this->elementEnd('dl'); $this->elementStart('dl', 'entity_authorize_url'); $this->element('dt', null, _('Authorize URL')); - $this->element('dd', 'label', common_local_url('oauthauthorize')); + $this->element('dd', 'label', common_local_url('apioauthauthorize')); $this->elementEnd('dl'); $this->element('p', 'oauth-signature-note', diff --git a/lib/router.php b/lib/router.php index 0703d7597..420f5a0a1 100644 --- a/lib/router.php +++ b/lib/router.php @@ -50,7 +50,8 @@ class Router var $m = null; static $inst = null; static $bare = array('requesttoken', 'accesstoken', 'userauthorization', - 'postnotice', 'updateprofile', 'finishremotesubscribe'); + 'postnotice', 'updateprofile', 'finishremotesubscribe', + 'apioauthrequesttoken', 'apioauthaccesstoken'); static function get() { @@ -144,7 +145,7 @@ class Router 'email', 'sms', 'userdesign', 'other') as $s) { $m->connect('settings/'.$s, array('action' => $s.'settings')); } - + // search foreach (array('group', 'people', 'notice') as $s) { @@ -640,11 +641,11 @@ class Router array('action' => $a), array('nickname' => '[a-zA-Z0-9]{1,64}')); } - - $m->connect(':nickname/apps', + + $m->connect(':nickname/apps', array('action' => 'apps'), array('nickname' => '['.NICKNAME_FMT.']{1,64}')); - $m->connect(':nickname/apps/show/:id', + $m->connect(':nickname/apps/show/:id', array('action' => 'showapplication'), array('nickname' => '['.NICKNAME_FMT.']{1,64}', 'id' => '[0-9]+') @@ -652,18 +653,14 @@ class Router $m->connect(':nickname/apps/new', array('action' => 'newapplication'), array('nickname' => '['.NICKNAME_FMT.']{1,64}')); - $m->connect(':nickname/apps/edit/:id', + $m->connect(':nickname/apps/edit/:id', array('action' => 'editapplication'), array('nickname' => '['.NICKNAME_FMT.']{1,64}', 'id' => '[0-9]+') ); - $m->connect('oauth/request_token', - array('action' => 'apioauthrequesttoken')); - $m->connect('oauth/access_token', - array('action' => 'apioauthaccesstoken')); $m->connect('oauth/authorize', - array('action' => 'apioauthauthorize')); + array('action' => 'apioauthauthorize')); foreach (array('subscriptions', 'subscribers') as $a) { $m->connect(':nickname/'.$a.'/:tag', -- cgit v1.2.3-54-g00ecf From e7f4ab677480f0fa39db5199de5f77821ba4a60d Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Sun, 10 Jan 2010 23:03:30 -0800 Subject: Associate request tokens with OAuth apps and app users --- actions/apioauthauthorize.php | 64 +++++++++++++++++++++++++++++--------- classes/Oauth_application_user.php | 24 +++++++++++++- classes/statusnet.ini | 4 +++ db/statusnet.sql | 5 ++- 4 files changed, 81 insertions(+), 16 deletions(-) diff --git a/actions/apioauthauthorize.php b/actions/apioauthauthorize.php index 895a0c6e5..48d5087ef 100644 --- a/actions/apioauthauthorize.php +++ b/actions/apioauthauthorize.php @@ -125,19 +125,12 @@ class ApiOauthAuthorizeAction extends Action parent::handle($args); if ($_SERVER['REQUEST_METHOD'] == 'POST') { - /* Use a session token for CSRF protection. */ - $token = $this->trimmed('token'); - if (!$token || $token != common_session_token()) { - $this->showForm(_('There was a problem with your session token. '. - 'Try again, please.')); - return; - } $this->handlePost(); } else { - common_debug('ApiOauthAuthorize::handle()'); + // XXX: make better error messages if (empty($this->oauth_token)) { @@ -160,7 +153,7 @@ class ApiOauthAuthorizeAction extends Action function handlePost() { - /* Use a session token for CSRF protection. */ + // check session token for CSRF protection. $token = $this->trimmed('token'); @@ -175,25 +168,66 @@ class ApiOauthAuthorizeAction extends Action return; } - // is the user already logged in? - // check creds + $user = null; + if (!common_logged_in()) { $user = common_check_user($this->nickname, $this->password); if (empty($user)) { $this->showForm(_("Invalid nickname / password!")); return; } - } + } else { + $user = common_current_user(); + } if ($this->arg('allow')) { + // mark the req token as authorized + $this->store->authorize_token($this->oauth_token); + // Check to see if there was a previous token associated + // with this user/app and kill it. If you're doing this you + // probably don't want any old tokens anyway. + + $appUser = Oauth_application_user::getByKeys($user, $this->app); + + if (!empty($appUser)) { + $result = $appUser->delete(); + + if (!$result) { + common_log_db_error($appUser, 'DELETE', __FILE__); + throw new ServerException(_('DB error deleting OAuth app user.')); + return; + } + } + + // associated the new req token with the user and the app + + $appUser = new Oauth_application_user(); + + $appUser->profile_id = $user->id; + $appUser->application_id = $this->app->id; + $appUser->access_type = $this->app->access_type; + $appUser->token = $this->oauth_token; + $appUser->created = common_sql_now(); + + $result = $appUser->insert(); + + if (!$result) { + common_log_db_error($appUser, 'INSERT', __FILE__); + throw new ServerException(_('DB error inserting OAuth app user.')); + return; + } + // if we have a callback redirect and provide the token if (!empty($this->callback)) { + + // XXX: Need better way to build this redirect url. + $target_url = $this->callback . '?oauth_token=' . $this->oauth_token; common_redirect($target_url, 303); } @@ -202,7 +236,7 @@ class ApiOauthAuthorizeAction extends Action $this->elementStart('p'); - // XXX: Do verifier code? + // XXX: Do OAuth 1.0a verifier code? $this->raw(sprintf(_("The request token %s has been authorized. " . 'Please exchange it for an access token.'), @@ -233,7 +267,9 @@ class ApiOauthAuthorizeAction extends Action function showScripts() { parent::showScripts(); - // $this->autofocus('nickname'); + if (!common_logged_in()) { + $this->autofocus('nickname'); + } } /** diff --git a/classes/Oauth_application_user.php b/classes/Oauth_application_user.php index 9e45ece25..e4c018f21 100644 --- a/classes/Oauth_application_user.php +++ b/classes/Oauth_application_user.php @@ -13,12 +13,34 @@ class Oauth_application_user extends Memcached_DataObject public $profile_id; // int(4) primary_key not_null public $application_id; // int(4) primary_key not_null public $access_type; // tinyint(1) + public $token; // varchar(255) + public $secret; // varchar(255) + public $verifier; // varchar(255) public $created; // datetime not_null + public $modified; // timestamp not_null default_CURRENT_TIMESTAMP /* Static get */ function staticGet($k,$v=NULL) { - return Memcached_DataObject::staticGet('Oauth_application_user',$k,$v); + return Memcached_DataObject::staticGet('Oauth_application_user',$k,$v); } /* the code above is auto generated do not remove the tag below */ ###END_AUTOCODE + + static function getByKeys($user, $app) + { + if (empty($user) || empty($app)) { + return null; + } + + $oau = new Oauth_application_user(); + + $oau->profile_id = $user->id; + $oau->application_id = $app->id; + $oau->limit(1); + + $result = $oau->find(true); + + return empty($result) ? null : $oau; + } + } diff --git a/classes/statusnet.ini b/classes/statusnet.ini index a15ecaaca..c1144b3fd 100644 --- a/classes/statusnet.ini +++ b/classes/statusnet.ini @@ -372,7 +372,11 @@ id = N profile_id = 129 application_id = 129 access_type = 17 +token = 2 +secret = 2 +verifier = 2 created = 142 +modified = 384 [oauth_application_user__keys] profile_id = K diff --git a/db/statusnet.sql b/db/statusnet.sql index fb36adac8..f9f8e9a87 100644 --- a/db/statusnet.sql +++ b/db/statusnet.sql @@ -229,8 +229,11 @@ create table oauth_application_user ( profile_id integer not null comment 'user of the application' references profile (id), application_id integer not null comment 'id of the application' references oauth_application (id), access_type tinyint default 0 comment 'access type, bit 1 = read, bit 2 = write, bit 3 = revoked', + token varchar(255) comment 'authorization token', + secret varchar(255) comment 'token secret', + verifier varchar(255) not null comment 'verification code', created datetime not null comment 'date this record was created', - + modified timestamp comment 'date this record was modified', constraint primary key (profile_id, application_id) ) ENGINE=InnoDB CHARACTER SET utf8 COLLATE utf8_bin; -- cgit v1.2.3-54-g00ecf From d8abad747823e4bc9fa4f43efbc0715b146b61eb Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Mon, 11 Jan 2010 01:11:50 -0800 Subject: Exchanging authorized request tokens for access tokens working --- actions/apioauthaccesstoken.php | 60 ++++++++++++++++++++++++++++++++++-- classes/Oauth_application.php | 14 +++++++++ lib/apioauthstore.php | 68 ++++++++++++++++++++++++++++------------- 3 files changed, 119 insertions(+), 23 deletions(-) diff --git a/actions/apioauthaccesstoken.php b/actions/apioauthaccesstoken.php index db82f656a..9b99724d0 100644 --- a/actions/apioauthaccesstoken.php +++ b/actions/apioauthaccesstoken.php @@ -31,7 +31,7 @@ if (!defined('STATUSNET')) { exit(1); } -require_once INSTALLDIR . '/lib/api.php'; +require_once INSTALLDIR . '/lib/apioauthstore.php'; /** * Exchange an authorized OAuth request token for an access token @@ -43,7 +43,63 @@ require_once INSTALLDIR . '/lib/api.php'; * @link http://status.net/ */ -class ApiOauthAccessTokenAction extends ApiAction +class ApiOauthAccessTokenAction extends Action { + /** + * Is read only? + * + * @return boolean false + */ + function isReadOnly() + { + return false; + } + + /** + * Class handler. + * + * @param array $args array of arguments + * + * @return void + */ + function handle($args) + { + parent::handle($args); + + $datastore = new ApiStatusNetOAuthDataStore(); + $server = new OAuthServer($datastore); + $hmac_method = new OAuthSignatureMethod_HMAC_SHA1(); + + $server->add_signature_method($hmac_method); + + $atok = null; + + try { + $req = OAuthRequest::from_request(); + $atok = $server->fetch_access_token($req); + + } catch (OAuthException $e) { + common_log(LOG_WARN, 'API OAuthException - ' . $e->getMessage()); + common_debug(var_export($req, true)); + $this->outputError($e->getMessage()); + return; + } + + if (empty($atok)) { + common_debug('couldn\'t get access token.'); + $this->outputError("Badness."); + return; + } + + print $atok; + } + + function outputError($msg) + { + header('HTTP/1.1 401 Unauthorized'); + header('Content-Type: text/html; charset=utf-8'); + print $msg . "\n"; + } } + diff --git a/classes/Oauth_application.php b/classes/Oauth_application.php index d4de6d82e..5df8b9459 100644 --- a/classes/Oauth_application.php +++ b/classes/Oauth_application.php @@ -88,4 +88,18 @@ class Oauth_application extends Memcached_DataObject return $this->update($orig); } + static function getByConsumerKey($key) + { + if (empty($key)) { + return null; + } + + $app = new Oauth_application(); + $app->consumer_key = $key; + $app->limit(1); + $result = $app->find(true); + + return empty($result) ? null : $app; + } + } diff --git a/lib/apioauthstore.php b/lib/apioauthstore.php index a92a4d6e4..290ce8973 100644 --- a/lib/apioauthstore.php +++ b/lib/apioauthstore.php @@ -39,19 +39,45 @@ class ApiStatusNetOAuthDataStore extends StatusNetOAuthDataStore function new_access_token($token, $consumer) { common_debug('new_access_token("'.$token->key.'","'.$consumer->key.'")', __FILE__); - $rt = new Token(); + + $rt = new Token(); $rt->consumer_key = $consumer->key; $rt->tok = $token->key; $rt->type = 0; // request - if ($rt->find(true) && $rt->state == 1) { // authorized + + $app = Oauth_application::getByConsumerKey($consumer->key); + + if (empty($app)) { + common_debug("empty app!"); + } + + if ($rt->find(true) && $rt->state == 1) { // authorized common_debug('request token found.', __FILE__); - $at = new Token(); + + // find the associated user of the app + + $appUser = new Oauth_application_user(); + $appUser->application_id = $app->id; + $appUser->token = $rt->tok; + $result = $appUser->find(true); + + if (!empty($result)) { + common_debug("Oath app user found."); + } else { + common_debug("Oauth app user not found."); + return null; + } + + // go ahead and make the access token + + $at = new Token(); $at->consumer_key = $consumer->key; $at->tok = common_good_rand(16); $at->secret = common_good_rand(16); $at->type = 1; // access $at->created = DB_DataObject_Cast::dateTime(); - if (!$at->insert()) { + + if (!$at->insert()) { $e = $at->_lastError; common_debug('access token "'.$at->tok.'" not inserted: "'.$e->message.'"', __FILE__); return null; @@ -64,23 +90,23 @@ class ApiStatusNetOAuthDataStore extends StatusNetOAuthDataStore return null; } common_debug('request token "'.$rt->tok.'" updated', __FILE__); - // Update subscription - // XXX: mixing levels here - $sub = Subscription::staticGet('token', $rt->tok); - if (!$sub) { - return null; - } - common_debug('subscription for request token found', __FILE__); - $orig_sub = clone($sub); - $sub->token = $at->tok; - $sub->secret = $at->secret; - if (!$sub->update($orig_sub)) { - return null; - } else { - common_debug('subscription updated to use access token', __FILE__); - return new OAuthToken($at->tok, $at->secret); - } - } + + // update the token from req to access for the user + + $orig = clone($appUser); + $appUser->token = $at->tok; + $result = $appUser->update($orig); + + if (empty($result)) { + common_debug('couldn\'t update OAuth app user.'); + return null; + } + + // Okay, good + + return new OAuthToken($at->tok, $at->secret); + } + } else { return null; } -- cgit v1.2.3-54-g00ecf From bfe3e3c74e70c50f8f8358299960dbd3aebd482f Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Mon, 11 Jan 2010 12:17:36 -0800 Subject: Decided we didn't need to keep the token secret in the Oauth_application_user record --- classes/Oauth_application_user.php | 1 - classes/statusnet.ini | 1 - db/statusnet.sql | 3 +-- 3 files changed, 1 insertion(+), 4 deletions(-) diff --git a/classes/Oauth_application_user.php b/classes/Oauth_application_user.php index e4c018f21..a05371f56 100644 --- a/classes/Oauth_application_user.php +++ b/classes/Oauth_application_user.php @@ -14,7 +14,6 @@ class Oauth_application_user extends Memcached_DataObject public $application_id; // int(4) primary_key not_null public $access_type; // tinyint(1) public $token; // varchar(255) - public $secret; // varchar(255) public $verifier; // varchar(255) public $created; // datetime not_null public $modified; // timestamp not_null default_CURRENT_TIMESTAMP diff --git a/classes/statusnet.ini b/classes/statusnet.ini index c1144b3fd..7a0f4dede 100644 --- a/classes/statusnet.ini +++ b/classes/statusnet.ini @@ -373,7 +373,6 @@ profile_id = 129 application_id = 129 access_type = 17 token = 2 -secret = 2 verifier = 2 created = 142 modified = 384 diff --git a/db/statusnet.sql b/db/statusnet.sql index f9f8e9a87..b50f125db 100644 --- a/db/statusnet.sql +++ b/db/statusnet.sql @@ -229,8 +229,7 @@ create table oauth_application_user ( profile_id integer not null comment 'user of the application' references profile (id), application_id integer not null comment 'id of the application' references oauth_application (id), access_type tinyint default 0 comment 'access type, bit 1 = read, bit 2 = write, bit 3 = revoked', - token varchar(255) comment 'authorization token', - secret varchar(255) comment 'token secret', + token varchar(255) comment 'request or access token', verifier varchar(255) not null comment 'verification code', created datetime not null comment 'date this record was created', modified timestamp comment 'date this record was modified', -- cgit v1.2.3-54-g00ecf From 7885dadfe7807f6a87c3d8ff0687280f4875eeef Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Mon, 11 Jan 2010 12:52:56 -0800 Subject: Issue a warning when someone tries to exchange an unauthorized or otherwise bad req token for an access token. --- actions/apioauthaccesstoken.php | 7 +++---- 1 file changed, 3 insertions(+), 4 deletions(-) diff --git a/actions/apioauthaccesstoken.php b/actions/apioauthaccesstoken.php index 9b99724d0..67359d765 100644 --- a/actions/apioauthaccesstoken.php +++ b/actions/apioauthaccesstoken.php @@ -88,11 +88,10 @@ class ApiOauthAccessTokenAction extends Action if (empty($atok)) { common_debug('couldn\'t get access token.'); - $this->outputError("Badness."); - return; + print "Token exchange failed. Has the request token been authorized?\n"; + } else { + print $atok; } - - print $atok; } function outputError($msg) -- cgit v1.2.3-54-g00ecf From 31c5ebb95ccf40d34a824099acb24f86e7f67095 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Mon, 11 Jan 2010 14:11:43 -0800 Subject: Better detial in connected OAuth applications list --- actions/oauthconnectionssettings.php | 32 +++++++++++++---- classes/Profile.php | 9 ++--- lib/applicationlist.php | 68 ++++++++++++++++++++++++++---------- 3 files changed, 79 insertions(+), 30 deletions(-) diff --git a/actions/oauthconnectionssettings.php b/actions/oauthconnectionssettings.php index e4b5af158..56e7b02fb 100644 --- a/actions/oauthconnectionssettings.php +++ b/actions/oauthconnectionssettings.php @@ -48,6 +48,16 @@ require_once INSTALLDIR . '/lib/applicationlist.php'; class OauthconnectionssettingsAction extends ConnectSettingsAction { + + var $page = null; + + function prepare($args) + { + parent::prepare($args); + $this->page = ($this->arg('page')) ? ($this->arg('page') + 0) : 1; + return true; + } + /** * Title of the page * @@ -59,6 +69,11 @@ class OauthconnectionssettingsAction extends ConnectSettingsAction return _('Connected Applications'); } + function isReadOnly($args) + { + return true; + } + /** * Instructions for use * @@ -86,13 +101,16 @@ class OauthconnectionssettingsAction extends ConnectSettingsAction $application = $profile->getApplications($offset, $limit); - if ($application) { - $al = new ApplicationList($application, $this->user, $this); - $cnt = $al->show(); - if (0 == $cnt) { - $this->showEmptyListMessage(); - } - } + $cnt == 0; + + if (!empty($application)) { + $al = new ApplicationList($application, $user, $this, true); + $cnt = $al->show(); + } + + if ($cnt == 0) { + $this->showEmptyListMessage(); + } $this->pagination($this->page > 1, $cnt > APPS_PER_PAGE, $this->page, 'connectionssettings', diff --git a/classes/Profile.php b/classes/Profile.php index 687215b11..fef2a2171 100644 --- a/classes/Profile.php +++ b/classes/Profile.php @@ -355,10 +355,11 @@ class Profile extends Memcached_DataObject function getApplications($offset = 0, $limit = null) { $qry = - 'SELECT oauth_application_user.* ' . - 'FROM oauth_application_user ' . - 'WHERE profile_id = %d ' . - 'ORDER BY created DESC '; + 'SELECT a.* ' . + 'FROM oauth_application_user u, oauth_application a ' . + 'WHERE u.profile_id = %d ' . + 'AND a.id = u.application_id ' . + 'ORDER BY u.created DESC '; if ($offset > 0) { if (common_config('db','type') == 'pgsql') { diff --git a/lib/applicationlist.php b/lib/applicationlist.php index 5392ddab8..e305437f4 100644 --- a/lib/applicationlist.php +++ b/lib/applicationlist.php @@ -57,13 +57,14 @@ class ApplicationList extends Widget /** Action object using us. */ var $action = null; - function __construct($application, $owner=null, $action=null) + function __construct($application, $owner=null, $action=null, $connections = false) { parent::__construct($action); $this->application = $application; $this->owner = $owner; $this->action = $action; + $this->connections = $connections; } function show() @@ -97,36 +98,65 @@ class ApplicationList extends Widget $this->out->element('img', array('src' => $this->application->icon)); } - $this->out->elementStart('a', - array('href' => common_local_url( - 'showapplication', - array( - 'nickname' => $user->nickname, - 'id' => $this->application->id - ) - ), - 'class' => 'url') - ); + if (!$this->connections) { + + $this->out->elementStart('a', + array('href' => + common_local_url('showapplication', + array('nickname' => $user->nickname, + 'id' => $this->application->id)), + 'class' => 'url') + ); $this->out->raw($this->application->name); $this->out->elementEnd('a'); + } else { + $this->out->elementStart('a', + array('href' => $this->application->source_url, + 'class' => 'url')); - $this->out->raw(' by '); + $this->out->raw($this->application->name); + $this->out->elementEnd('a'); + } - $this->out->elementStart('a', + $this->out->raw(' by '); + + $this->out->elementStart('a', array( - 'href' => $this->application->homepage, - 'class' => 'url' + 'href' => $this->application->homepage, + 'class' => 'url' ) - ); - $this->out->raw($this->application->organization); - $this->out->elementEnd('a'); + ); + $this->out->raw($this->application->organization); + $this->out->elementEnd('a'); - $this->out->elementStart('p', 'note'); + $this->out->elementStart('p', 'note'); $this->out->raw($this->application->description); $this->out->elementEnd('p'); + $this->out->elementEnd('li'); + + if ($this->connections) { + + $appUser = Oauth_application_user::getByKeys($this->owner, $this->application); + + if (empty($appUser)) { + common_debug("empty appUser!"); + } + + $this->out->elementStart('li'); + + $access = ($this->application->access_type & Oauth_application::$writeAccess) + ? 'read-write' : 'read-only'; + + $txt = 'Approved ' . common_exact_date($appUser->modified) . + " $access for access."; + + $this->out->raw($txt); $this->out->elementEnd('li'); + + // XXX: Add revoke access button + } } /* Override this in subclasses. */ -- cgit v1.2.3-54-g00ecf From c6bdbd478b27beae8346f12207e1c3550441df4a Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Mon, 11 Jan 2010 22:46:35 +0000 Subject: Updated markup for application edit form submits --- lib/applicationeditform.php | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/lib/applicationeditform.php b/lib/applicationeditform.php index 4d3bb06e7..f8fcb3e3f 100644 --- a/lib/applicationeditform.php +++ b/lib/applicationeditform.php @@ -333,7 +333,9 @@ class ApplicationEditForm extends Form function formActions() { - $this->out->submit('save', _('Save')); - $this->out->submit('cancel', _('Cancel')); + $this->out->submit('cancel', _('Cancel'), 'submit form_action-primary', + 'cancel', _('Cancel')); + $this->out->submit('save', _('Save'), 'submit form_action-secondary', + 'save', _('Save')); } } -- cgit v1.2.3-54-g00ecf From 28329bd2b3e5c9b52ba79d9d29256192ed2ca208 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Mon, 11 Jan 2010 22:54:46 +0000 Subject: Updated markup for application registration and view links --- actions/apps.php | 7 +++++-- actions/showapplication.php | 8 ++++---- 2 files changed, 9 insertions(+), 6 deletions(-) diff --git a/actions/apps.php b/actions/apps.php index e6500599f..7c7b24570 100644 --- a/actions/apps.php +++ b/actions/apps.php @@ -114,13 +114,16 @@ class AppsAction extends SettingsAction } } + $this->elementStart('p', array('id' => 'application_register')); $this->element('a', array('href' => common_local_url( 'newapplication', array('nickname' => $user->nickname) - ) + ), + 'class' => 'more' ), - 'Register a new application »'); + 'Register a new application'); + $this->elementEnd('p'); $this->pagination( $this->page > 1, diff --git a/actions/showapplication.php b/actions/showapplication.php index 5156fa6f0..3e191148a 100644 --- a/actions/showapplication.php +++ b/actions/showapplication.php @@ -249,16 +249,16 @@ class ShowApplicationAction extends OwnerDesignAction $this->elementEnd('div'); - $this->elementStart('div', 'entity-list-apps'); + $this->elementStart('p', array('id' => 'application_action')); $this->element('a', array( 'href' => common_local_url( 'apps', - array('nickname' => $this->owner->nickname) - ) + array('nickname' => $this->owner->nickname)), + 'class' => 'more' ), 'View your applications'); - $this->elementEnd('div'); + $this->elementEnd('p'); } function resetKey() -- cgit v1.2.3-54-g00ecf From 676975605b2f8f32e03007583101d1e15d3824cf Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Mon, 11 Jan 2010 23:51:12 +0000 Subject: Updated markup for application details --- actions/showapplication.php | 70 ++++++++++++++++++++++++++------------------- 1 file changed, 40 insertions(+), 30 deletions(-) diff --git a/actions/showapplication.php b/actions/showapplication.php index 3e191148a..33bc51f93 100644 --- a/actions/showapplication.php +++ b/actions/showapplication.php @@ -152,7 +152,8 @@ class ShowApplicationAction extends OwnerDesignAction $cur = common_current_user(); $this->elementStart('div', 'entity_actions'); - + $this->elementStart('ul'); + $this->elementStart('li'); $this->element('a', array('href' => common_local_url( @@ -163,7 +164,9 @@ class ShowApplicationAction extends OwnerDesignAction ) ) ), 'Edit application'); + $this->elementEnd('li'); + $this->elementStart('li'); $this->elementStart('form', array( 'id' => 'forma_reset_key', 'class' => 'form_reset_key', @@ -177,32 +180,39 @@ class ShowApplicationAction extends OwnerDesignAction $this->submit('reset', _('Reset Consumer key/secret')); $this->elementEnd('fieldset'); $this->elementEnd('form'); - + $this->elementEnd('li'); + $this->elementEnd('ul'); $this->elementEnd('div'); $consumer = $this->application->getConsumer(); - $this->elementStart('div', 'entity-application'); - - $this->elementStart('ul', 'entity_application_details'); - - $this->elementStart('li', 'entity_application-icon'); - - if (!empty($this->application->icon)) { - $this->element('img', array('src' => $this->application->icon)); - } - - $this->elementEnd('li'); + $this->elementStart('div', 'entity_application'); + $this->element('h2', null, _('Application profile')); + $this->elementStart('dl', 'entity_depiction'); + $this->element('dt', null, _('Icon')); + $this->elementStart('dd'); + if (!empty($this->application->icon)) { + $this->element('img', array('src' => $this->application->icon)); + } + $this->elementEnd('dd'); + $this->elementEnd('dl'); - $this->elementStart('li', 'entity_application_name'); - $this->element('span', array('class' => 'big'), $this->application->name); + $this->elementStart('dl', 'entity_fn'); + $this->element('dt', null, _('Name')); + $this->elementStart('dd'); + $this->element('span', null, $this->application->name); $this->raw(sprintf(_(' by %1$s'), $this->application->organization)); - $this->elementEnd('li'); - - $this->element('li', 'entity_application_description', $this->application->description); + $this->elementEnd('dd'); + $this->elementEnd('dl'); - $this->elementStart('li', 'entity_application_statistics'); + $this->elementStart('dl', 'entity_note'); + $this->element('dt', null, _('Description')); + $this->element('dd', null, $this->application->description); + $this->elementEnd('dl'); + $this->elementStart('dl', 'entity_statistics'); + $this->element('dt', null, _('Statistics')); + $this->elementStart('dd'); $defaultAccess = ($this->application->access_type & Oauth_application::$writeAccess) ? 'read-write' : 'read-only'; $profile = Profile::staticGet($this->application->owner); @@ -214,39 +224,39 @@ class ShowApplicationAction extends OwnerDesignAction $defaultAccess, $userCnt )); + $this->elementEnd('dd'); + $this->elementEnd('dl'); + $this->elementEnd('div'); - $this->elementEnd('li'); - - $this->elementEnd('ul'); - + $this->elementStart('div', array('id' => 'entity_data')); + $this->element('h2', null, _('Application info')); $this->elementStart('dl', 'entity_consumer_key'); $this->element('dt', null, _('Consumer key')); - $this->element('dd', 'label', $consumer->consumer_key); + $this->element('dd', null, $consumer->consumer_key); $this->elementEnd('dl'); $this->elementStart('dl', 'entity_consumer_secret'); $this->element('dt', null, _('Consumer secret')); - $this->element('dd', 'label', $consumer->consumer_secret); + $this->element('dd', null, $consumer->consumer_secret); $this->elementEnd('dl'); $this->elementStart('dl', 'entity_request_token_url'); $this->element('dt', null, _('Request token URL')); - $this->element('dd', 'label', common_local_url('apioauthrequesttoken')); + $this->element('dd', null, common_local_url('apioauthrequesttoken')); $this->elementEnd('dl'); $this->elementStart('dl', 'entity_access_token_url'); $this->element('dt', null, _('Access token URL')); - $this->element('dd', 'label', common_local_url('apioauthaccesstoken')); + $this->element('dd', null, common_local_url('apioauthaccesstoken')); $this->elementEnd('dl'); $this->elementStart('dl', 'entity_authorize_url'); $this->element('dt', null, _('Authorize URL')); - $this->element('dd', 'label', common_local_url('apioauthauthorize')); + $this->element('dd', null, common_local_url('apioauthauthorize')); $this->elementEnd('dl'); $this->element('p', 'oauth-signature-note', - '*We support hmac-sha1 signatures. We do not support the plaintext signature method.'); - + '* We support hmac-sha1 signatures. We do not support the plaintext signature method.'); $this->elementEnd('div'); $this->elementStart('p', array('id' => 'application_action')); -- cgit v1.2.3-54-g00ecf From 284301db817b1726958514a6b6ad4de305ed3ecc Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Tue, 12 Jan 2010 01:01:45 +0000 Subject: Updated class for application list --- lib/applicationlist.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/applicationlist.php b/lib/applicationlist.php index e305437f4..23c727bd6 100644 --- a/lib/applicationlist.php +++ b/lib/applicationlist.php @@ -69,7 +69,7 @@ class ApplicationList extends Widget function show() { - $this->out->elementStart('ul', 'applications xoxo'); + $this->out->elementStart('ul', array('id' => 'applications')); $cnt = 0; -- cgit v1.2.3-54-g00ecf From f1e075cf4a15b75d45dc8391264394fbecf5c3ae Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Tue, 12 Jan 2010 01:02:25 +0000 Subject: Updated markup for application details page. Similar to user/group profile page. --- actions/showapplication.php | 90 +++++++++++++++++++++++---------------------- 1 file changed, 47 insertions(+), 43 deletions(-) diff --git a/actions/showapplication.php b/actions/showapplication.php index 33bc51f93..db28395c2 100644 --- a/actions/showapplication.php +++ b/actions/showapplication.php @@ -151,63 +151,33 @@ class ShowApplicationAction extends OwnerDesignAction $cur = common_current_user(); - $this->elementStart('div', 'entity_actions'); - $this->elementStart('ul'); - $this->elementStart('li'); - $this->element('a', - array('href' => - common_local_url( - 'editapplication', - array( - 'nickname' => $this->owner->nickname, - 'id' => $this->application->id - ) - ) - ), 'Edit application'); - $this->elementEnd('li'); - - $this->elementStart('li'); - $this->elementStart('form', array( - 'id' => 'forma_reset_key', - 'class' => 'form_reset_key', - 'method' => 'POST', - 'action' => common_local_url('showapplication', - array('nickname' => $cur->nickname, - 'id' => $this->application->id)))); - - $this->elementStart('fieldset'); - $this->hidden('token', common_session_token()); - $this->submit('reset', _('Reset Consumer key/secret')); - $this->elementEnd('fieldset'); - $this->elementEnd('form'); - $this->elementEnd('li'); - $this->elementEnd('ul'); - $this->elementEnd('div'); - $consumer = $this->application->getConsumer(); - $this->elementStart('div', 'entity_application'); + $this->elementStart('div', 'entity_profile vcard'); $this->element('h2', null, _('Application profile')); $this->elementStart('dl', 'entity_depiction'); $this->element('dt', null, _('Icon')); $this->elementStart('dd'); if (!empty($this->application->icon)) { - $this->element('img', array('src' => $this->application->icon)); + $this->element('img', array('src' => $this->application->icon, + 'class' => 'photo logo')); } $this->elementEnd('dd'); $this->elementEnd('dl'); $this->elementStart('dl', 'entity_fn'); $this->element('dt', null, _('Name')); - $this->elementStart('dd'); - $this->element('span', null, $this->application->name); - $this->raw(sprintf(_(' by %1$s'), $this->application->organization)); - $this->elementEnd('dd'); + $this->element('dd', 'fn', $this->application->name); + $this->elementEnd('dl'); + + $this->elementStart('dl', 'entity_org'); + $this->element('dt', null, _('Organization')); + $this->element('dd', 'org', $this->application->organization); $this->elementEnd('dl'); $this->elementStart('dl', 'entity_note'); $this->element('dt', null, _('Description')); - $this->element('dd', null, $this->application->description); + $this->element('dd', 'note', $this->application->description); $this->elementEnd('dl'); $this->elementStart('dl', 'entity_statistics'); @@ -228,7 +198,41 @@ class ShowApplicationAction extends OwnerDesignAction $this->elementEnd('dl'); $this->elementEnd('div'); - $this->elementStart('div', array('id' => 'entity_data')); + $this->elementStart('div', 'entity_actions'); + $this->element('h2', null, _('Application actions')); + $this->elementStart('ul'); + $this->elementStart('li', 'entity_edit'); + $this->element('a', + array('href' => + common_local_url( + 'editapplication', + array( + 'nickname' => $this->owner->nickname, + 'id' => $this->application->id + ) + ) + ), 'Edit'); + $this->elementEnd('li'); + + $this->elementStart('li', 'entity_reset_keysecret'); + $this->elementStart('form', array( + 'id' => 'forma_reset_key', + 'class' => 'form_reset_key', + 'method' => 'POST', + 'action' => common_local_url('showapplication', + array('nickname' => $cur->nickname, + 'id' => $this->application->id)))); + + $this->elementStart('fieldset'); + $this->hidden('token', common_session_token()); + $this->submit('reset', _('Reset key & secret')); + $this->elementEnd('fieldset'); + $this->elementEnd('form'); + $this->elementEnd('li'); + $this->elementEnd('ul'); + $this->elementEnd('div'); + + $this->elementStart('div', 'entity_data'); $this->element('h2', null, _('Application info')); $this->elementStart('dl', 'entity_consumer_key'); $this->element('dt', null, _('Consumer key')); @@ -255,8 +259,8 @@ class ShowApplicationAction extends OwnerDesignAction $this->element('dd', null, common_local_url('apioauthauthorize')); $this->elementEnd('dl'); - $this->element('p', 'oauth-signature-note', - '* We support hmac-sha1 signatures. We do not support the plaintext signature method.'); + $this->element('p', 'note', + _('Note: We support hmac-sha1 signatures. We do not support the plaintext signature method.')); $this->elementEnd('div'); $this->elementStart('p', array('id' => 'application_action')); -- cgit v1.2.3-54-g00ecf From a6cc614aaa1e0ea081b090da37cf6ab32782b73c Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Tue, 12 Jan 2010 01:02:55 +0000 Subject: Styles for application details page --- theme/base/css/display.css | 33 +++++++++++++++++++++++++++++++++ 1 file changed, 33 insertions(+) diff --git a/theme/base/css/display.css b/theme/base/css/display.css index 2e4c88dfa..5e280bdfe 100644 --- a/theme/base/css/display.css +++ b/theme/base/css/display.css @@ -894,6 +894,39 @@ font-weight:normal; margin-right:11px; } +#showapplication .entity_profile { +width:68%; +} +#showapplication .entity_profile img { +max-width:96px; +max-height:96px; +} +#showapplication .entity_profile .entity_fn { +margin-left:0; +} +#showapplication .entity_profile .entity_fn .fn:before, +#showapplication .entity_profile .entity_fn .fn:after { +content:''; +} +#showapplication .entity_data { +clear:both; +margin-bottom:18px; +} +#showapplication .entity_data h2 { +display:none; +} +#showapplication .entity_data dl { +margin-bottom:18px; +} +#showapplication .entity_data dt { +font-weight:bold; +} +#showapplication .entity_data dd { +margin-left:1.795%; +font-family:monospace; +font-size:1.3em; +} + /* NOTICE */ .notice, .profile { -- cgit v1.2.3-54-g00ecf From 5add05c503de2b8c2367fbf04880872b42345b7b Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Tue, 12 Jan 2010 01:13:36 +0000 Subject: Added anchors to application source and homepage --- actions/showapplication.php | 12 ++++++++++-- 1 file changed, 10 insertions(+), 2 deletions(-) diff --git a/actions/showapplication.php b/actions/showapplication.php index db28395c2..f2ff8b900 100644 --- a/actions/showapplication.php +++ b/actions/showapplication.php @@ -167,12 +167,20 @@ class ShowApplicationAction extends OwnerDesignAction $this->elementStart('dl', 'entity_fn'); $this->element('dt', null, _('Name')); - $this->element('dd', 'fn', $this->application->name); + $this->elementStart('dd'); + $this->element('a', array('href' => $this->application->source_url, + 'class' => 'url fn'), + $this->application->name); + $this->elementEnd('dd'); $this->elementEnd('dl'); $this->elementStart('dl', 'entity_org'); $this->element('dt', null, _('Organization')); - $this->element('dd', 'org', $this->application->organization); + $this->elementStart('dd'); + $this->element('a', array('href' => $this->application->homepage, + 'class' => 'url'), + $this->application->organization); + $this->elementEnd('dd'); $this->elementEnd('dl'); $this->elementStart('dl', 'entity_note'); -- cgit v1.2.3-54-g00ecf From c80652824a4fbadb91f1281cc1a12a2234fcc057 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Tue, 12 Jan 2010 01:29:09 +0000 Subject: Fixed tabbing --- lib/applicationlist.php | 99 ++++++++++++++++++++++--------------------------- 1 file changed, 44 insertions(+), 55 deletions(-) diff --git a/lib/applicationlist.php b/lib/applicationlist.php index 23c727bd6..b404767ba 100644 --- a/lib/applicationlist.php +++ b/lib/applicationlist.php @@ -69,7 +69,7 @@ class ApplicationList extends Widget function show() { - $this->out->elementStart('ul', array('id' => 'applications')); + $this->out->elementStart('ul', 'applications'); $cnt = 0; @@ -94,69 +94,58 @@ class ApplicationList extends Widget $this->out->elementStart('li', array('class' => 'application', 'id' => 'oauthclient-' . $this->application->id)); - if (!empty($this->application->icon)) { - $this->out->element('img', array('src' => $this->application->icon)); - } - - if (!$this->connections) { - - $this->out->elementStart('a', - array('href' => - common_local_url('showapplication', - array('nickname' => $user->nickname, - 'id' => $this->application->id)), - 'class' => 'url') - ); - - $this->out->raw($this->application->name); - $this->out->elementEnd('a'); - } else { - $this->out->elementStart('a', - array('href' => $this->application->source_url, - 'class' => 'url')); - - $this->out->raw($this->application->name); - $this->out->elementEnd('a'); - } - - $this->out->raw(' by '); - - $this->out->elementStart('a', - array( - 'href' => $this->application->homepage, - 'class' => 'url' - ) - ); - $this->out->raw($this->application->organization); - $this->out->elementEnd('a'); - - $this->out->elementStart('p', 'note'); - $this->out->raw($this->application->description); - $this->out->elementEnd('p'); + if (!empty($this->application->icon)) { + $this->out->element('img', array('src' => $this->application->icon)); + } + + if (!$this->connections) { + $this->out->elementStart('a', + array('href' => common_local_url('showapplication', + array('nickname' => $user->nickname, + 'id' => $this->application->id)), + 'class' => 'url')); + + $this->out->raw($this->application->name); + $this->out->elementEnd('a'); + } else { + $this->out->elementStart('a', array('href' => $this->application->source_url, + 'class' => 'url')); + + $this->out->raw($this->application->name); + $this->out->elementEnd('a'); + } - $this->out->elementEnd('li'); + $this->out->raw(' by '); - if ($this->connections) { + $this->out->elementStart('a', array('href' => $this->application->homepage, + 'class' => 'url')); + $this->out->raw($this->application->organization); + $this->out->elementEnd('a'); - $appUser = Oauth_application_user::getByKeys($this->owner, $this->application); + $this->out->elementStart('p', 'note'); + $this->out->raw($this->application->description); + $this->out->elementEnd('p'); - if (empty($appUser)) { - common_debug("empty appUser!"); - } + if ($this->connections) { + $appUser = Oauth_application_user::getByKeys($this->owner, $this->application); - $this->out->elementStart('li'); + if (empty($appUser)) { + common_debug("empty appUser!"); + } - $access = ($this->application->access_type & Oauth_application::$writeAccess) - ? 'read-write' : 'read-only'; + $this->out->elementStart('li'); - $txt = 'Approved ' . common_exact_date($appUser->modified) . - " $access for access."; + $access = ($this->application->access_type & Oauth_application::$writeAccess) + ? 'read-write' : 'read-only'; - $this->out->raw($txt); - $this->out->elementEnd('li'); + $txt = 'Approved ' . common_exact_date($appUser->modified) . + " $access for access."; - // XXX: Add revoke access button - } + $this->out->raw($txt); + $this->out->elementEnd('li'); + + // XXX: Add revoke access button + } } /* Override this in subclasses. */ -- cgit v1.2.3-54-g00ecf From 61b3f5664780850bf1d20bd437f6dde1cdb6bf89 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Mon, 11 Jan 2010 17:30:56 -0800 Subject: Make API auth handle OAuth requests w/access tokens --- lib/apiauth.php | 114 +++++++++++++++++++++++++++++++++++++++++++++++++++++++- 1 file changed, 112 insertions(+), 2 deletions(-) diff --git a/lib/apiauth.php b/lib/apiauth.php index 7102764cb..3229ab19f 100644 --- a/lib/apiauth.php +++ b/lib/apiauth.php @@ -28,7 +28,7 @@ * @author Evan Prodromou * @author mEDI * @author Sarven Capadisli - * @author Zach Copley + * @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/ @@ -39,6 +39,7 @@ if (!defined('STATUSNET')) { } require_once INSTALLDIR . '/lib/api.php'; +require_once INSTALLDIR . '/lib/apioauthstore.php'; /** * Actions extending this class will require auth @@ -52,6 +53,8 @@ require_once INSTALLDIR . '/lib/api.php'; class ApiAuthAction extends ApiAction { + var $access_token; + var $oauth_access_type; /** * Take arguments for running, and output basic auth header if needed @@ -67,12 +70,119 @@ class ApiAuthAction extends ApiAction parent::prepare($args); if ($this->requiresAuth()) { - $this->checkBasicAuthUser(); + + $this->consumer_key = $this->arg('oauth_consumer_key'); + $this->access_token = $this->arg('oauth_token'); + + if (!empty($this->access_token)) { + $this->checkOAuthRequest(); + } else { + $this->checkBasicAuthUser(); + } } return true; } + function checkOAuthRequest() + { + common_debug("We have an OAuth request."); + + $datastore = new ApiStatusNetOAuthDataStore(); + $server = new OAuthServer($datastore); + $hmac_method = new OAuthSignatureMethod_HMAC_SHA1(); + + $server->add_signature_method($hmac_method); + + $this->cleanRequest(); + + try { + + $req = OAuthRequest::from_request(); + $server->verify_request($req); + + common_debug("Good OAuth request!"); + + $app = Oauth_application::getByConsumerKey($this->consumer_key); + + if (empty($app)) { + + // this should really not happen + common_log(LOG_WARN, + "Couldn't find the OAuth app for consumer key: $this->consumer_key"); + + throw new OAuthException('No application for that consumer key.'); + } + + $appUser = Oauth_application_user::staticGet('token', + $this->access_token); + + // XXX: check that app->id and appUser->application_id and consumer all + // match? + + if (!empty($appUser)) { + + // read or read-write + $this->oauth_access_type = $appUser->access_type; + + // If access_type == 0 we have either a request token + // or a bad / revoked access token + + if ($this->oauth_access_type != 0) { + + $this->auth_user = User::staticGet('id', $appUser->profile_id); + + $msg = "API OAuth authentication for user '%s' (id: %d) on behalf of " . + "application '%s' (id: %d)."; + + common_log(LOG_INFO, sprintf($msg, + $this->auth_user->nickname, + $this->auth_user->id, + $app->name, + $app->id)); + return true; + } else { + throw new OAuthException('Bad access token.'); + } + } else { + + // also should not happen + throw new OAuthException('No user for that token.'); + } + + } catch (OAuthException $e) { + common_log(LOG_WARN, 'API OAuthException - ' . $e->getMessage()); + common_debug(var_export($req, true)); + $this->showOAuthError($e->getMessage()); + exit(); + } + } + + function showOAuthError($msg) + { + header('HTTP/1.1 401 Unauthorized'); + header('Content-Type: text/html; charset=utf-8'); + print $msg . "\n"; + } + + function cleanRequest() + { + // kill evil effects of magical slashing + + if(get_magic_quotes_gpc() == 1) { + $_POST = array_map('stripslashes', $_POST); + $_GET = array_map('stripslashes', $_GET); + } + + // strip out the p param added in index.php + + // XXX: should we strip anything else? Or alternatively + // only allow a known list of params? + + unset($_GET['p']); + unset($_POST['p']); + } + /** * Does this API resource require authentication? * -- cgit v1.2.3-54-g00ecf From bf53456710aa3266c79965ca6b62d72d0798eec5 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Tue, 12 Jan 2010 01:36:08 +0000 Subject: Added missing end tag --- lib/applicationlist.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/applicationlist.php b/lib/applicationlist.php index b404767ba..b1dcc39a9 100644 --- a/lib/applicationlist.php +++ b/lib/applicationlist.php @@ -110,7 +110,6 @@ class ApplicationList extends Widget } else { $this->out->elementStart('a', array('href' => $this->application->source_url, 'class' => 'url')); - $this->out->raw($this->application->name); $this->out->elementEnd('a'); } @@ -125,6 +124,7 @@ class ApplicationList extends Widget $this->out->elementStart('p', 'note'); $this->out->raw($this->application->description); $this->out->elementEnd('p'); + $this->out->elementEnd('li'); if ($this->connections) { $appUser = Oauth_application_user::getByKeys($this->owner, $this->application); -- cgit v1.2.3-54-g00ecf From 2b78c061fcaf4e8b05663cb0837480736d393731 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Tue, 12 Jan 2010 01:41:38 +0000 Subject: Moved application image inside the anchor --- lib/applicationlist.php | 15 +++++++-------- 1 file changed, 7 insertions(+), 8 deletions(-) diff --git a/lib/applicationlist.php b/lib/applicationlist.php index b1dcc39a9..8961da435 100644 --- a/lib/applicationlist.php +++ b/lib/applicationlist.php @@ -94,10 +94,6 @@ class ApplicationList extends Widget $this->out->elementStart('li', array('class' => 'application', 'id' => 'oauthclient-' . $this->application->id)); - if (!empty($this->application->icon)) { - $this->out->element('img', array('src' => $this->application->icon)); - } - if (!$this->connections) { $this->out->elementStart('a', array('href' => common_local_url('showapplication', @@ -105,15 +101,18 @@ class ApplicationList extends Widget 'id' => $this->application->id)), 'class' => 'url')); - $this->out->raw($this->application->name); - $this->out->elementEnd('a'); } else { $this->out->elementStart('a', array('href' => $this->application->source_url, 'class' => 'url')); - $this->out->raw($this->application->name); - $this->out->elementEnd('a'); } + if (!empty($this->application->icon)) { + $this->out->element('img', array('src' => $this->application->icon)); + } + + $this->out->raw($this->application->name); + $this->out->elementEnd('a'); + $this->out->raw(' by '); $this->out->elementStart('a', array('href' => $this->application->homepage, -- cgit v1.2.3-54-g00ecf From 69bb4efe00a03703056d7949b60db277d1314377 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Tue, 12 Jan 2010 01:44:15 +0000 Subject: Added vcard and photo classes --- lib/applicationlist.php | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/lib/applicationlist.php b/lib/applicationlist.php index 8961da435..6ca210537 100644 --- a/lib/applicationlist.php +++ b/lib/applicationlist.php @@ -94,6 +94,7 @@ class ApplicationList extends Widget $this->out->elementStart('li', array('class' => 'application', 'id' => 'oauthclient-' . $this->application->id)); + $this->out->elementStart('span', 'vcard author'); if (!$this->connections) { $this->out->elementStart('a', array('href' => common_local_url('showapplication', @@ -107,11 +108,13 @@ class ApplicationList extends Widget } if (!empty($this->application->icon)) { - $this->out->element('img', array('src' => $this->application->icon)); + $this->out->element('img', array('src' => $this->application->icon, + 'class' => 'photo')); } $this->out->raw($this->application->name); $this->out->elementEnd('a'); + $this->out->elementEnd('span'); $this->out->raw(' by '); -- cgit v1.2.3-54-g00ecf From 7ffa25819641f46c662c6c65c76f378a68342644 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Tue, 12 Jan 2010 01:52:59 +0000 Subject: A little minimization --- lib/applicationlist.php | 15 ++++++--------- 1 file changed, 6 insertions(+), 9 deletions(-) diff --git a/lib/applicationlist.php b/lib/applicationlist.php index 6ca210537..15c2d588a 100644 --- a/lib/applicationlist.php +++ b/lib/applicationlist.php @@ -109,23 +109,20 @@ class ApplicationList extends Widget if (!empty($this->application->icon)) { $this->out->element('img', array('src' => $this->application->icon, - 'class' => 'photo')); + 'class' => 'photo avatar')); } - $this->out->raw($this->application->name); + $this->out->element('span', 'fn', $this->application->name); $this->out->elementEnd('a'); $this->out->elementEnd('span'); $this->out->raw(' by '); - $this->out->elementStart('a', array('href' => $this->application->homepage, - 'class' => 'url')); - $this->out->raw($this->application->organization); - $this->out->elementEnd('a'); + $this->out->element('a', array('href' => $this->application->homepage, + 'class' => 'url'), + $this->application->organization); - $this->out->elementStart('p', 'note'); - $this->out->raw($this->application->description); - $this->out->elementEnd('p'); + $this->out->element('p', 'note', $this->application->description); $this->out->elementEnd('li'); if ($this->connections) { -- cgit v1.2.3-54-g00ecf From 2172114f8619491003b1291fe8e97c7e3e77dbb9 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Tue, 12 Jan 2010 02:04:20 +0000 Subject: Styles for application list --- theme/base/css/display.css | 16 +++++++++++++++- theme/default/css/display.css | 2 ++ theme/identica/css/display.css | 2 ++ 3 files changed, 19 insertions(+), 1 deletion(-) diff --git a/theme/base/css/display.css b/theme/base/css/display.css index 5e280bdfe..c33f64aca 100644 --- a/theme/base/css/display.css +++ b/theme/base/css/display.css @@ -894,6 +894,19 @@ font-weight:normal; margin-right:11px; } +/*applications*/ +.applications { +margin-bottom:18px; +float:left; +width:100%; +} +.applications li { +list-style-type:none; +} +.application img { +max-width:96px; +max-height:96px; +} #showapplication .entity_profile { width:68%; } @@ -929,7 +942,8 @@ font-size:1.3em; /* NOTICE */ .notice, -.profile { +.profile, +.application { position:relative; padding-top:11px; padding-bottom:11px; diff --git a/theme/default/css/display.css b/theme/default/css/display.css index 8a2c01175..4a45303ca 100644 --- a/theme/default/css/display.css +++ b/theme/default/css/display.css @@ -129,6 +129,7 @@ color:#002FA7; .notice, .profile, +.application, #content tbody tr { border-top-color:#C8D1D5; } @@ -378,6 +379,7 @@ box-shadow:3px 3px 3px rgba(194, 194, 194, 0.3); -webkit-box-shadow:3px 3px 3px rgba(194, 194, 194, 0.3); } #content .notices li:hover, +#content .applications li:hover, #content tbody tr:hover { background-color:rgba(240, 240, 240, 0.2); } diff --git a/theme/identica/css/display.css b/theme/identica/css/display.css index 4ee48459d..96e3c61bc 100644 --- a/theme/identica/css/display.css +++ b/theme/identica/css/display.css @@ -129,6 +129,7 @@ color:#002FA7; .notice, .profile, +.application, #content tbody tr { border-top-color:#CEE1E9; } @@ -377,6 +378,7 @@ box-shadow:3px 3px 3px rgba(194, 194, 194, 0.3); -webkit-box-shadow:3px 3px 3px rgba(194, 194, 194, 0.3); } #content .notices li:hover, +#content .applications li:hover, #content tbody tr:hover { background-color:rgba(240, 240, 240, 0.2); } -- cgit v1.2.3-54-g00ecf From ab844f063c811abc355b134c11b1a5128b88e2d0 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Tue, 12 Jan 2010 02:33:36 +0000 Subject: Added key icon for application key and secret rest action --- theme/base/images/icons/icons-01.gif | Bin 3607 -> 3650 bytes theme/base/images/icons/twotone/green/key.gif | Bin 0 -> 76 bytes theme/default/css/display.css | 6 +++++- theme/identica/css/display.css | 6 +++++- 4 files changed, 10 insertions(+), 2 deletions(-) create mode 100644 theme/base/images/icons/twotone/green/key.gif diff --git a/theme/base/images/icons/icons-01.gif b/theme/base/images/icons/icons-01.gif index 06202a047..f93d33d79 100644 Binary files a/theme/base/images/icons/icons-01.gif and b/theme/base/images/icons/icons-01.gif differ diff --git a/theme/base/images/icons/twotone/green/key.gif b/theme/base/images/icons/twotone/green/key.gif new file mode 100644 index 000000000..ccf357ab2 Binary files /dev/null and b/theme/base/images/icons/twotone/green/key.gif differ diff --git a/theme/default/css/display.css b/theme/default/css/display.css index 4a45303ca..3aebb239d 100644 --- a/theme/default/css/display.css +++ b/theme/default/css/display.css @@ -188,7 +188,8 @@ button.close, .entity_delete input.submit, .notice-options .repeated, .form_notice label[for=notice_data-geo], -button.minimize { +button.minimize, +.form_reset_key input.submit { background-image:url(../../base/images/icons/icons-01.gif); background-repeat:no-repeat; background-color:transparent; @@ -333,6 +334,9 @@ background-position: 5px -1445px; .entity_delete input.submit { background-position: 5px -1511px; } +.form_reset_key input.submit { +background-position: 5px -1973px; +} /* NOTICES */ .notice .attachment { diff --git a/theme/identica/css/display.css b/theme/identica/css/display.css index 96e3c61bc..2818196c2 100644 --- a/theme/identica/css/display.css +++ b/theme/identica/css/display.css @@ -188,7 +188,8 @@ button.close, .entity_delete input.submit, .notice-options .repeated, .form_notice label[for=notice_data-geo], -button.minimize { +button.minimize, +.form_reset_key input.submit { background-image:url(../../base/images/icons/icons-01.gif); background-repeat:no-repeat; background-color:transparent; @@ -332,6 +333,9 @@ background-position: 5px -1445px; .entity_delete input.submit { background-position: 5px -1511px; } +.form_reset_key input.submit { +background-position: 5px -1973px; +} /* NOTICES */ .notice .attachment { -- cgit v1.2.3-54-g00ecf From 881e1c50b9cd474bd72b2726df9a53e6d54a3146 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Tue, 12 Jan 2010 02:50:54 +0000 Subject: Updated markup for application edit form; image, radios --- lib/applicationeditform.php | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/lib/applicationeditform.php b/lib/applicationeditform.php index f8fcb3e3f..e9ab46780 100644 --- a/lib/applicationeditform.php +++ b/lib/applicationeditform.php @@ -175,7 +175,7 @@ class ApplicationEditForm extends Form $this->out->elementStart('ul', 'form_data'); - $this->out->elementStart('li'); + $this->out->elementStart('li', array('id' => 'application_icon')); if (!empty($icon)) { $this->out->element('img', array('src' => $icon)); @@ -193,7 +193,7 @@ class ApplicationEditForm extends Form 'value' => ImageFile::maxFileSizeInt())); $this->out->elementEnd('li'); - $this->out->elementStart('li'); + $this->out->elementStart('li'); $this->out->hidden('application_id', $id); @@ -241,7 +241,7 @@ class ApplicationEditForm extends Form _('URL to redirect to after authentication')); $this->out->elementEnd('li'); - $this->out->elementStart('li'); + $this->out->elementStart('li', array('id' => 'application_types')); $attrs = array('name' => 'app_type', 'type' => 'radio', @@ -280,7 +280,7 @@ class ApplicationEditForm extends Form $this->out->element('p', 'form_guide', _('Type of application, browser or desktop')); $this->out->elementEnd('li'); - $this->out->elementStart('li'); + $this->out->elementStart('li', array('id' => 'default_access_types')); $attrs = array('name' => 'default_access_type', 'type' => 'radio', -- cgit v1.2.3-54-g00ecf From 5f178cbf20d0f296ffa305be2d85211162f54250 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Tue, 12 Jan 2010 02:51:33 +0000 Subject: Styles for image max width/height and radio form controls --- theme/base/css/display.css | 12 +++++++----- 1 file changed, 7 insertions(+), 5 deletions(-) diff --git a/theme/base/css/display.css b/theme/base/css/display.css index c33f64aca..507733979 100644 --- a/theme/base/css/display.css +++ b/theme/base/css/display.css @@ -903,17 +903,15 @@ width:100%; .applications li { list-style-type:none; } -.application img { +.application img, +#showapplication .entity_profile img, +#editapplication .form_data #application_icon img { max-width:96px; max-height:96px; } #showapplication .entity_profile { width:68%; } -#showapplication .entity_profile img { -max-width:96px; -max-height:96px; -} #showapplication .entity_profile .entity_fn { margin-left:0; } @@ -939,6 +937,10 @@ margin-left:1.795%; font-family:monospace; font-size:1.3em; } +#editapplication .form_data #application_types label.radio, +#editapplication .form_data #default_access_types label.radio { +width:15%; +} /* NOTICE */ .notice, -- cgit v1.2.3-54-g00ecf From 4cfc71f4e0cec5f4c067dbc8f1ba8932a97263f8 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Wed, 13 Jan 2010 01:16:42 +0000 Subject: Callback URL can be null --- db/statusnet.sql | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/db/statusnet.sql b/db/statusnet.sql index b50f125db..3f7a1fc8d 100644 --- a/db/statusnet.sql +++ b/db/statusnet.sql @@ -218,7 +218,7 @@ create table oauth_application ( source_url varchar(255) comment 'application homepage - used for source link', organization varchar(255) comment 'name of the organization running the application', homepage varchar(255) comment 'homepage for the organization', - callback_url varchar(255) not null comment 'url to redirect to after authentication', + callback_url varchar(255) comment 'url to redirect to after authentication', type tinyint default 0 comment 'type of app, 1 = browser, 2 = desktop', access_type tinyint default 0 comment 'default access type, bit 1 = read, bit 2 = write', created datetime not null comment 'date this record was created', -- cgit v1.2.3-54-g00ecf From 0d7490470dd434b16bd7c9462be4174bbee98bd9 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Wed, 13 Jan 2010 01:22:37 +0000 Subject: Can now edit/change application icon --- actions/editapplication.php | 128 ++++++++++++++++++++---------------------- actions/newapplication.php | 85 +++++++++------------------- classes/Oauth_application.php | 53 ++++++++++++++--- 3 files changed, 130 insertions(+), 136 deletions(-) diff --git a/actions/editapplication.php b/actions/editapplication.php index 6b8dd501c..a0ed3117a 100644 --- a/actions/editapplication.php +++ b/actions/editapplication.php @@ -93,47 +93,47 @@ class EditApplicationAction extends OwnerDesignAction parent::handle($args); if ($_SERVER['REQUEST_METHOD'] == 'POST') { - $this->handlePost($args); - } else { - $this->showForm(); - } + $this->handlePost($args); + } else { + $this->showForm(); + } } function handlePost($args) { - // Workaround for PHP returning empty $_POST and $_FILES when POST + // Workaround for PHP returning empty $_POST and $_FILES when POST // length > post_max_size in php.ini if (empty($_FILES) && empty($_POST) && ($_SERVER['CONTENT_LENGTH'] > 0) - ) { + ) { $msg = _('The server was unable to handle that much POST ' . - 'data (%s bytes) due to its current configuration.'); + 'data (%s bytes) due to its current configuration.'); $this->clientException(sprintf($msg, $_SERVER['CONTENT_LENGTH'])); return; } - // CSRF protection - $token = $this->trimmed('token'); - if (!$token || $token != common_session_token()) { - $this->clientError(_('There was a problem with your session token.')); - return; - } - - $cur = common_current_user(); - - if ($this->arg('cancel')) { - common_redirect(common_local_url('showapplication', - array( - 'nickname' => $cur->nickname, - 'id' => $this->app->id) - ), 303); - } elseif ($this->arg('save')) { - $this->trySave(); - } else { - $this->clientError(_('Unexpected form submission.')); - } + // CSRF protection + $token = $this->trimmed('token'); + if (!$token || $token != common_session_token()) { + $this->clientError(_('There was a problem with your session token.')); + return; + } + + $cur = common_current_user(); + + if ($this->arg('cancel')) { + common_redirect(common_local_url('showapplication', + array( + 'nickname' => $cur->nickname, + 'id' => $this->app->id) + ), 303); + } elseif ($this->arg('save')) { + $this->trySave(); + } else { + $this->clientError(_('Unexpected form submission.')); + } } function showForm($msg=null) @@ -170,8 +170,8 @@ class EditApplicationAction extends OwnerDesignAction $access_type = $this->arg('default_access_type'); if (empty($name)) { - $this->showForm(_('Name is required.')); - return; + $this->showForm(_('Name is required.')); + return; } elseif (mb_strlen($name) > 255) { $this->showForm(_('Name is too long (max 255 chars).')); return; @@ -181,20 +181,17 @@ class EditApplicationAction extends OwnerDesignAction } elseif (Oauth_application::descriptionTooLong($description)) { $this->showForm(sprintf( _('Description is too long (max %d chars).'), - Oauth_application::maxDescription())); + Oauth_application::maxDescription())); return; - } elseif (empty($source_url)) { - $this->showForm(_('Source URL is required.')); - return; - } elseif ((strlen($source_url) > 0) - && !Validate::uri( - $source_url, - array('allowed_schemes' => array('http', 'https')) - ) - ) - { - $this->showForm(_('Source URL is not valid.')); + } elseif (mb_strlen($source_url) > 255) { + $this->showForm(_('Source URL is too long.')); return; + } elseif ((mb_strlen($source_url) > 0) + && !Validate::uri($source_url, + array('allowed_schemes' => array('http', 'https')))) + { + $this->showForm(_('Source URL is not valid.')); + return; } elseif (empty($organization)) { $this->showForm(_('Organization is required.')); return; @@ -204,35 +201,30 @@ class EditApplicationAction extends OwnerDesignAction } elseif (empty($homepage)) { $this->showForm(_('Organization homepage is required.')); return; - } elseif ((strlen($homepage) > 0) - && !Validate::uri( - $homepage, - array('allowed_schemes' => array('http', 'https')) - ) - ) - { - $this->showForm(_('Homepage is not a valid URL.')); - return; - } elseif (empty($callback_url)) { - $this->showForm(_('Callback is required.')); - return; - } elseif (strlen($callback_url) > 0 - && !Validate::uri( - $source_url, - array('allowed_schemes' => array('http', 'https')) - ) - ) - { - $this->showForm(_('Callback URL is not valid.')); - return; - } + } elseif ((mb_strlen($homepage) > 0) + && !Validate::uri($homepage, + array('allowed_schemes' => array('http', 'https')))) + { + $this->showForm(_('Homepage is not a valid URL.')); + return; + } elseif (mb_strlen($callback_url) > 255) { + $this->showForm(_('Callback is too long.')); + return; + } elseif (mb_strlen($callback_url) > 0 + && !Validate::uri($source_url, + array('allowed_schemes' => array('http', 'https')) + )) + { + $this->showForm(_('Callback URL is not valid.')); + return; + } $cur = common_current_user(); // Checked in prepare() above assert(!is_null($cur)); - assert(!is_null($this->app)); + assert(!is_null($this->app)); $orig = clone($this->app); @@ -244,9 +236,7 @@ class EditApplicationAction extends OwnerDesignAction $this->app->callback_url = $callback_url; $this->app->type = $type; - $result = $this->app->update($orig); - - common_debug("access_type = $access_type"); + common_debug("access_type = $access_type"); if ($access_type == 'r') { $this->app->access_type = 1; @@ -254,11 +244,15 @@ class EditApplicationAction extends OwnerDesignAction $this->app->access_type = 3; } + $result = $this->app->update($orig); + if (!$result) { common_log_db_error($this->app, 'UPDATE', __FILE__); $this->serverError(_('Could not update application.')); } + $this->app->uploadLogo(); + common_redirect(common_local_url('apps', array('nickname' => $cur->nickname)), 303); } diff --git a/actions/newapplication.php b/actions/newapplication.php index a0e61d288..3d42b657b 100644 --- a/actions/newapplication.php +++ b/actions/newapplication.php @@ -83,7 +83,7 @@ class NewApplicationAction extends OwnerDesignAction parent::handle($args); if ($_SERVER['REQUEST_METHOD'] == 'POST') { - $this->handlePost($args); + $this->handlePost($args); } else { $this->showForm(); } @@ -91,36 +91,36 @@ class NewApplicationAction extends OwnerDesignAction function handlePost($args) { - // Workaround for PHP returning empty $_POST and $_FILES when POST + // Workaround for PHP returning empty $_POST and $_FILES when POST // length > post_max_size in php.ini if (empty($_FILES) && empty($_POST) && ($_SERVER['CONTENT_LENGTH'] > 0) - ) { + ) { $msg = _('The server was unable to handle that much POST ' . - 'data (%s bytes) due to its current configuration.'); + 'data (%s bytes) due to its current configuration.'); $this->clientException(sprintf($msg, $_SERVER['CONTENT_LENGTH'])); return; } - // CSRF protection - $token = $this->trimmed('token'); - if (!$token || $token != common_session_token()) { - $this->clientError(_('There was a problem with your session token.')); - return; - } - - $cur = common_current_user(); - - if ($this->arg('cancel')) { - common_redirect(common_local_url('apps', - array('nickname' => $cur->nickname)), 303); - } elseif ($this->arg('save')) { - $this->trySave(); - } else { - $this->clientError(_('Unexpected form submission.')); - } + // CSRF protection + $token = $this->trimmed('token'); + if (!$token || $token != common_session_token()) { + $this->clientError(_('There was a problem with your session token.')); + return; + } + + $cur = common_current_user(); + + if ($this->arg('cancel')) { + common_redirect(common_local_url('apps', + array('nickname' => $cur->nickname)), 303); + } elseif ($this->arg('save')) { + $this->trySave(); + } else { + $this->clientError(_('Unexpected form submission.')); + } } function showForm($msg=null) @@ -147,7 +147,7 @@ class NewApplicationAction extends OwnerDesignAction function trySave() { - $name = $this->trimmed('name'); + $name = $this->trimmed('name'); $description = $this->trimmed('description'); $source_url = $this->trimmed('source_url'); $organization = $this->trimmed('organization'); @@ -200,8 +200,8 @@ class NewApplicationAction extends OwnerDesignAction { $this->showForm(_('Homepage is not a valid URL.')); return; - } elseif (empty($callback_url)) { - $this->showForm(_('Callback is required.')); + } elseif (mb_strlen($callback_url) > 255) { + $this->showForm(_('Callback is too long.')); return; } elseif (strlen($callback_url) > 0 && !Validate::uri( @@ -266,7 +266,7 @@ class NewApplicationAction extends OwnerDesignAction $app->query('ROLLBACK'); } - $this->uploadLogo($app); + $this->app->uploadLogo(); $app->query('COMMIT'); @@ -275,40 +275,5 @@ class NewApplicationAction extends OwnerDesignAction } - /** - * Handle an image upload - * - * Does all the magic for handling an image upload, and crops the - * image by default. - * - * @return void - */ - - function uploadLogo($app) - { - if ($_FILES['app_icon']['error'] == - UPLOAD_ERR_OK) { - - try { - $imagefile = ImageFile::fromUpload('app_icon'); - } catch (Exception $e) { - common_debug("damn that sucks"); - $this->showForm($e->getMessage()); - return; - } - - $filename = Avatar::filename($app->id, - image_type_to_extension($imagefile->type), - null, - 'oauth-app-icon-'.common_timestamp()); - - $filepath = Avatar::path($filename); - - move_uploaded_file($imagefile->filepath, $filepath); - - $app->setOriginal($filename); - } - } - } diff --git a/classes/Oauth_application.php b/classes/Oauth_application.php index 5df8b9459..a6b539087 100644 --- a/classes/Oauth_application.php +++ b/classes/Oauth_application.php @@ -27,7 +27,7 @@ class Oauth_application extends Memcached_DataObject /* Static get */ function staticGet($k,$v=NULL) { - return Memcached_DataObject::staticGet('Oauth_application',$k,$v); + return Memcached_DataObject::staticGet('Oauth_application',$k,$v); } /* the code above is auto generated do not remove the tag below */ ###END_AUTOCODE @@ -90,16 +90,51 @@ class Oauth_application extends Memcached_DataObject static function getByConsumerKey($key) { - if (empty($key)) { - return null; - } + if (empty($key)) { + return null; + } + + $app = new Oauth_application(); + $app->consumer_key = $key; + $app->limit(1); + $result = $app->find(true); + + return empty($result) ? null : $app; + } + + /** + * Handle an image upload + * + * Does all the magic for handling an image upload, and crops the + * image by default. + * + * @return void + */ - $app = new Oauth_application(); - $app->consumer_key = $key; - $app->limit(1); - $result = $app->find(true); + function uploadLogo() + { + if ($_FILES['app_icon']['error'] == + UPLOAD_ERR_OK) { - return empty($result) ? null : $app; + try { + $imagefile = ImageFile::fromUpload('app_icon'); + } catch (Exception $e) { + common_debug("damn that sucks"); + $this->showForm($e->getMessage()); + return; + } + + $filename = Avatar::filename($this->id, + image_type_to_extension($imagefile->type), + null, + 'oauth-app-icon-'.common_timestamp()); + + $filepath = Avatar::path($filename); + + move_uploaded_file($imagefile->filepath, $filepath); + + $this->setOriginal($filename); + } } } -- cgit v1.2.3-54-g00ecf From 42a82a024a77fa1605769079dc436118a559e763 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Wed, 13 Jan 2010 05:06:35 +0000 Subject: OAuth 1.0 working now --- actions/apioauthaccesstoken.php | 40 +++++------- actions/apioauthauthorize.php | 111 +++++++++++++++++++------------ actions/apioauthrequesttoken.php | 24 +++++-- lib/apiauth.php | 138 +++++++++++++++++---------------------- lib/apioauth.php | 122 ++++++++++++++++++++++++++++++++++ lib/apioauthstore.php | 69 +++++++++++--------- lib/router.php | 11 +++- 7 files changed, 330 insertions(+), 185 deletions(-) create mode 100644 lib/apioauth.php diff --git a/actions/apioauthaccesstoken.php b/actions/apioauthaccesstoken.php index 67359d765..085ef6f0b 100644 --- a/actions/apioauthaccesstoken.php +++ b/actions/apioauthaccesstoken.php @@ -31,7 +31,7 @@ if (!defined('STATUSNET')) { exit(1); } -require_once INSTALLDIR . '/lib/apioauthstore.php'; +require_once INSTALLDIR . '/lib/apioauth.php'; /** * Exchange an authorized OAuth request token for an access token @@ -43,19 +43,9 @@ require_once INSTALLDIR . '/lib/apioauthstore.php'; * @link http://status.net/ */ -class ApiOauthAccessTokenAction extends Action +class ApiOauthAccessTokenAction extends ApiOauthAction { - /** - * Is read only? - * - * @return boolean false - */ - function isReadOnly() - { - return false; - } - /** * Class handler. * @@ -73,7 +63,7 @@ class ApiOauthAccessTokenAction extends Action $server->add_signature_method($hmac_method); - $atok = null; + $atok = null; try { $req = OAuthRequest::from_request(); @@ -81,24 +71,24 @@ class ApiOauthAccessTokenAction extends Action } catch (OAuthException $e) { common_log(LOG_WARN, 'API OAuthException - ' . $e->getMessage()); - common_debug(var_export($req, true)); - $this->outputError($e->getMessage()); - return; + common_debug(var_export($req, true)); + $this->outputError($e->getMessage()); + return; } - if (empty($atok)) { - common_debug('couldn\'t get access token.'); - print "Token exchange failed. Has the request token been authorized?\n"; - } else { - print $atok; - } + if (empty($atok)) { + common_debug('couldn\'t get access token.'); + print "Token exchange failed. Has the request token been authorized?\n"; + } else { + print $atok; + } } function outputError($msg) { - header('HTTP/1.1 401 Unauthorized'); - header('Content-Type: text/html; charset=utf-8'); - print $msg . "\n"; + header('HTTP/1.1 401 Unauthorized'); + header('Content-Type: text/html; charset=utf-8'); + print $msg . "\n"; } } diff --git a/actions/apioauthauthorize.php b/actions/apioauthauthorize.php index 48d5087ef..cdf9cb7df 100644 --- a/actions/apioauthauthorize.php +++ b/actions/apioauthauthorize.php @@ -31,7 +31,7 @@ if (!defined('STATUSNET')) { exit(1); } -require_once INSTALLDIR . '/lib/apioauthstore.php'; +require_once INSTALLDIR . '/lib/apioauth.php'; /** * Authorize an OAuth request token @@ -43,7 +43,7 @@ require_once INSTALLDIR . '/lib/apioauthstore.php'; * @link http://status.net/ */ -class ApiOauthAuthorizeAction extends Action +class ApiOauthAuthorizeAction extends ApiOauthAction { var $oauth_token; var $callback; @@ -67,7 +67,7 @@ class ApiOauthAuthorizeAction extends Action { parent::prepare($args); - common_debug(var_export($_REQUEST, true)); + common_debug("apioauthauthorize"); $this->nickname = $this->trimmed('nickname'); $this->password = $this->arg('password'); @@ -130,7 +130,7 @@ class ApiOauthAuthorizeAction extends Action } else { - // XXX: make better error messages + // XXX: make better error messages if (empty($this->oauth_token)) { @@ -145,7 +145,8 @@ class ApiOauthAuthorizeAction extends Action return; } - common_debug("Requesting auth for app: $app->name."); + $name = $this->app->name; + common_debug("Requesting auth for app: " . $name); $this->showForm(); } @@ -153,6 +154,8 @@ class ApiOauthAuthorizeAction extends Action function handlePost() { + common_debug("handlePost()"); + // check session token for CSRF protection. $token = $this->trimmed('token'); @@ -170,7 +173,7 @@ class ApiOauthAuthorizeAction extends Action // check creds - $user = null; + $user = null; if (!common_logged_in()) { $user = common_check_user($this->nickname, $this->password); @@ -179,64 +182,86 @@ class ApiOauthAuthorizeAction extends Action return; } } else { - $user = common_current_user(); - } + $user = common_current_user(); + } if ($this->arg('allow')) { - // mark the req token as authorized + // mark the req token as authorized $this->store->authorize_token($this->oauth_token); - // Check to see if there was a previous token associated - // with this user/app and kill it. If you're doing this you - // probably don't want any old tokens anyway. + // Check to see if there was a previous token associated + // with this user/app and kill it. If the user is doing this she + // probably doesn't want any old tokens anyway. + + $appUser = Oauth_application_user::getByKeys($user, $this->app); + + if (!empty($appUser)) { + $result = $appUser->delete(); - $appUser = Oauth_application_user::getByKeys($user, $this->app); + if (!$result) { + common_log_db_error($appUser, 'DELETE', __FILE__); + throw new ServerException(_('DB error deleting OAuth app user.')); + return; + } + } - if (!empty($appUser)) { - $result = $appUser->delete(); + // associated the authorized req token with the user and the app - if (!$result) { - common_log_db_error($appUser, 'DELETE', __FILE__); - throw new ServerException(_('DB error deleting OAuth app user.')); - return; - } - } + $appUser = new Oauth_application_user(); - // associated the new req token with the user and the app + $appUser->profile_id = $user->id; + $appUser->application_id = $this->app->id; - $appUser = new Oauth_application_user(); + // Note: do not copy the access type from the application. + // The access type should always be 0 when the OAuth app + // user record has a request token associated with it. + // Access type gets assigned once an access token has been + // granted. The OAuth app user record then gets updated + // with the new access token and access type. - $appUser->profile_id = $user->id; - $appUser->application_id = $this->app->id; - $appUser->access_type = $this->app->access_type; - $appUser->token = $this->oauth_token; - $appUser->created = common_sql_now(); + $appUser->token = $this->oauth_token; + $appUser->created = common_sql_now(); - $result = $appUser->insert(); + $result = $appUser->insert(); - if (!$result) { - common_log_db_error($appUser, 'INSERT', __FILE__); - throw new ServerException(_('DB error inserting OAuth app user.')); - return; - } + if (!$result) { + common_log_db_error($appUser, 'INSERT', __FILE__); + throw new ServerException(_('DB error inserting OAuth app user.')); + return; + } // if we have a callback redirect and provide the token + // A callback specified in the app setup overrides whatever + // is passed in with the request. + + common_debug("Req token is authorized - doing callback"); + + if (!empty($this->app->callback_url)) { + $this->callback = $this->app->callback_url; + } + if (!empty($this->callback)) { - // XXX: Need better way to build this redirect url. + // XXX: Need better way to build this redirect url. + + $target_url = $this->getCallback($this->callback, + array('oauth_token' => $this->oauth_token)); + + common_debug("Doing callback to $target_url"); - $target_url = $this->callback . '?oauth_token=' . $this->oauth_token; common_redirect($target_url, 303); + } else { + common_debug("callback was empty!"); } // otherwise inform the user that the rt was authorized $this->elementStart('p'); - // XXX: Do OAuth 1.0a verifier code? + // XXX: Do OAuth 1.0a verifier code $this->raw(sprintf(_("The request token %s has been authorized. " . 'Please exchange it for an access token.'), @@ -267,9 +292,9 @@ class ApiOauthAuthorizeAction extends Action function showScripts() { parent::showScripts(); - if (!common_logged_in()) { - $this->autofocus('nickname'); - } + if (!common_logged_in()) { + $this->autofocus('nickname'); + } } /** @@ -313,9 +338,9 @@ class ApiOauthAuthorizeAction extends Action function showContent() { $this->elementStart('form', array('method' => 'post', - 'id' => 'form_login', - 'class' => 'form_settings', - 'action' => common_local_url('apioauthauthorize'))); + 'id' => 'form_login', + 'class' => 'form_settings', + 'action' => common_local_url('apioauthauthorize'))); $this->hidden('token', common_session_token()); $this->hidden('oauth_token', $this->oauth_token); diff --git a/actions/apioauthrequesttoken.php b/actions/apioauthrequesttoken.php index 53aca6b96..467640b9a 100644 --- a/actions/apioauthrequesttoken.php +++ b/actions/apioauthrequesttoken.php @@ -31,7 +31,7 @@ if (!defined('STATUSNET')) { exit(1); } -require_once INSTALLDIR . '/lib/apioauthstore.php'; +require_once INSTALLDIR . '/lib/apioauth.php'; /** * Get an OAuth request token @@ -43,16 +43,28 @@ require_once INSTALLDIR . '/lib/apioauthstore.php'; * @link http://status.net/ */ -class ApiOauthRequestTokenAction extends Action +class ApiOauthRequestTokenAction extends ApiOauthAction { /** - * Is read only? + * Take arguments for running + * + * @param array $args $_REQUEST args + * + * @return boolean success flag * - * @return boolean false */ - function isReadOnly() + + function prepare($args) { - return false; + parent::prepare($args); + + $this->callback = $this->arg('oauth_callback'); + + if (!empty($this->callback)) { + common_debug("callback: $this->callback"); + } + + return true; } /** diff --git a/lib/apiauth.php b/lib/apiauth.php index 3229ab19f..431f3ac4f 100644 --- a/lib/apiauth.php +++ b/lib/apiauth.php @@ -39,7 +39,7 @@ if (!defined('STATUSNET')) { } require_once INSTALLDIR . '/lib/api.php'; -require_once INSTALLDIR . '/lib/apioauthstore.php'; +require_once INSTALLDIR . '/lib/apioauth.php'; /** * Actions extending this class will require auth @@ -71,14 +71,14 @@ class ApiAuthAction extends ApiAction if ($this->requiresAuth()) { - $this->consumer_key = $this->arg('oauth_consumer_key'); - $this->access_token = $this->arg('oauth_token'); + $this->consumer_key = $this->arg('oauth_consumer_key'); + $this->access_token = $this->arg('oauth_token'); - if (!empty($this->access_token)) { - $this->checkOAuthRequest(); - } else { - $this->checkBasicAuthUser(); - } + if (!empty($this->access_token)) { + $this->checkOAuthRequest(); + } else { + $this->checkBasicAuthUser(); + } } return true; @@ -86,101 +86,83 @@ class ApiAuthAction extends ApiAction function checkOAuthRequest() { - common_debug("We have an OAuth request."); + common_debug("We have an OAuth request."); - $datastore = new ApiStatusNetOAuthDataStore(); - $server = new OAuthServer($datastore); - $hmac_method = new OAuthSignatureMethod_HMAC_SHA1(); + $datastore = new ApiStatusNetOAuthDataStore(); + $server = new OAuthServer($datastore); + $hmac_method = new OAuthSignatureMethod_HMAC_SHA1(); - $server->add_signature_method($hmac_method); + $server->add_signature_method($hmac_method); - $this->cleanRequest(); + ApiOauthAction::cleanRequest(); - try { + try { - $req = OAuthRequest::from_request(); - $server->verify_request($req); + $req = OAuthRequest::from_request(); + $server->verify_request($req); - common_debug("Good OAuth request!"); + common_debug("Good OAuth request!"); - $app = Oauth_application::getByConsumerKey($this->consumer_key); + $app = Oauth_application::getByConsumerKey($this->consumer_key); - if (empty($app)) { + if (empty($app)) { - // this should really not happen - common_log(LOG_WARN, - "Couldn't find the OAuth app for consumer key: $this->consumer_key"); + // this should really not happen + common_log(LOG_WARN, + "Couldn't find the OAuth app for consumer key: $this->consumer_key"); - throw new OAuthException('No application for that consumer key.'); - } + throw new OAuthException('No application for that consumer key.'); + } - $appUser = Oauth_application_user::staticGet('token', - $this->access_token); + $appUser = Oauth_application_user::staticGet('token', + $this->access_token); - // XXX: check that app->id and appUser->application_id and consumer all - // match? + // XXX: check that app->id and appUser->application_id and consumer all + // match? - if (!empty($appUser)) { + if (!empty($appUser)) { - // read or read-write - $this->oauth_access_type = $appUser->access_type; + // read or read-write + $this->oauth_access_type = $appUser->access_type; - // If access_type == 0 we have either a request token - // or a bad / revoked access token + // If access_type == 0 we have either a request token + // or a bad / revoked access token - if ($this->oauth_access_type != 0) { + if ($this->oauth_access_type != 0) { - $this->auth_user = User::staticGet('id', $appUser->profile_id); + $this->auth_user = User::staticGet('id', $appUser->profile_id); - $msg = "API OAuth authentication for user '%s' (id: %d) on behalf of " . - "application '%s' (id: %d)."; + $msg = "API OAuth authentication for user '%s' (id: %d) on behalf of " . + "application '%s' (id: %d)."; - common_log(LOG_INFO, sprintf($msg, - $this->auth_user->nickname, - $this->auth_user->id, - $app->name, - $app->id)); - return true; - } else { - throw new OAuthException('Bad access token.'); - } - } else { + common_log(LOG_INFO, sprintf($msg, + $this->auth_user->nickname, + $this->auth_user->id, + $app->name, + $app->id)); + return true; + } else { + throw new OAuthException('Bad access token.'); + } + } else { - // also should not happen - throw new OAuthException('No user for that token.'); - } + // also should not happen + throw new OAuthException('No user for that token.'); + } - } catch (OAuthException $e) { - common_log(LOG_WARN, 'API OAuthException - ' . $e->getMessage()); - common_debug(var_export($req, true)); - $this->showOAuthError($e->getMessage()); - exit(); - } + } catch (OAuthException $e) { + common_log(LOG_WARN, 'API OAuthException - ' . $e->getMessage()); + common_debug(var_export($req, true)); + $this->showOAuthError($e->getMessage()); + exit(); + } } function showOAuthError($msg) { - header('HTTP/1.1 401 Unauthorized'); - header('Content-Type: text/html; charset=utf-8'); - print $msg . "\n"; - } - - function cleanRequest() - { - // kill evil effects of magical slashing - - if(get_magic_quotes_gpc() == 1) { - $_POST = array_map('stripslashes', $_POST); - $_GET = array_map('stripslashes', $_GET); - } - - // strip out the p param added in index.php - - // XXX: should we strip anything else? Or alternatively - // only allow a known list of params? - - unset($_GET['p']); - unset($_POST['p']); + header('HTTP/1.1 401 Unauthorized'); + header('Content-Type: text/html; charset=utf-8'); + print $msg . "\n"; } /** diff --git a/lib/apioauth.php b/lib/apioauth.php new file mode 100644 index 000000000..4cb8a6775 --- /dev/null +++ b/lib/apioauth.php @@ -0,0 +1,122 @@ +. + * + * @category API + * @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); +} + +require_once INSTALLDIR . '/lib/apioauthstore.php'; + +/** + * Base action for API OAuth enpoints. Clean up the + * the request, and possibly some other common things + * here. + * + * @category API + * @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 ApiOauthAction extends Action +{ + /** + * Is this a read-only action? + * + * @return boolean false + */ + + function isReadOnly($args) + { + return false; + } + + function prepare($args) + { + parent::prepare($args); + return true; + } + + /** + * Handle input, produce output + * + * Switches on request method; either shows the form or handles its input. + * + * @param array $args $_REQUEST data + * + * @return void + */ + + function handle($args) + { + parent::handle($args); + self::cleanRequest(); + } + + static function cleanRequest() + { + // kill evil effects of magical slashing + + if (get_magic_quotes_gpc() == 1) { + $_POST = array_map('stripslashes', $_POST); + $_GET = array_map('stripslashes', $_GET); + } + + // strip out the p param added in index.php + + // XXX: should we strip anything else? Or alternatively + // only allow a known list of params? + + unset($_GET['p']); + unset($_POST['p']); + } + + function getCallback($url, $params) + { + foreach ($params as $k => $v) { + $url = $this->appendQueryVar($url, + OAuthUtil::urlencode_rfc3986($k), + OAuthUtil::urlencode_rfc3986($v)); + } + + return $url; + } + + function appendQueryVar($url, $k, $v) { + $url = preg_replace('/(.*)(\?|&)' . $k . '=[^&]+?(&)(.*)/i', '$1$2$4', $url . '&'); + $url = substr($url, 0, -1); + if (strpos($url, '?') === false) { + return ($url . '?' . $k . '=' . $v); + } else { + return ($url . '&' . $k . '=' . $v); + } + } + +} diff --git a/lib/apioauthstore.php b/lib/apioauthstore.php index 290ce8973..c39ddbb0f 100644 --- a/lib/apioauthstore.php +++ b/lib/apioauthstore.php @@ -40,44 +40,44 @@ class ApiStatusNetOAuthDataStore extends StatusNetOAuthDataStore { common_debug('new_access_token("'.$token->key.'","'.$consumer->key.'")', __FILE__); - $rt = new Token(); + $rt = new Token(); $rt->consumer_key = $consumer->key; $rt->tok = $token->key; $rt->type = 0; // request $app = Oauth_application::getByConsumerKey($consumer->key); - if (empty($app)) { - common_debug("empty app!"); - } + if (empty($app)) { + common_debug("empty app!"); + } - if ($rt->find(true) && $rt->state == 1) { // authorized + if ($rt->find(true) && $rt->state == 1) { // authorized common_debug('request token found.', __FILE__); - // find the associated user of the app + // find the associated user of the app - $appUser = new Oauth_application_user(); - $appUser->application_id = $app->id; - $appUser->token = $rt->tok; - $result = $appUser->find(true); + $appUser = new Oauth_application_user(); + $appUser->application_id = $app->id; + $appUser->token = $rt->tok; + $result = $appUser->find(true); - if (!empty($result)) { - common_debug("Oath app user found."); - } else { - common_debug("Oauth app user not found."); - return null; - } + if (!empty($result)) { + common_debug("Oath app user found."); + } else { + common_debug("Oauth app user not found."); + return null; + } - // go ahead and make the access token + // go ahead and make the access token - $at = new Token(); + $at = new Token(); $at->consumer_key = $consumer->key; $at->tok = common_good_rand(16); $at->secret = common_good_rand(16); $at->type = 1; // access $at->created = DB_DataObject_Cast::dateTime(); - if (!$at->insert()) { + if (!$at->insert()) { $e = $at->_lastError; common_debug('access token "'.$at->tok.'" not inserted: "'.$e->message.'"', __FILE__); return null; @@ -91,21 +91,30 @@ class ApiStatusNetOAuthDataStore extends StatusNetOAuthDataStore } common_debug('request token "'.$rt->tok.'" updated', __FILE__); - // update the token from req to access for the user + // update the token from req to access for the user + + $orig = clone($appUser); + $appUser->token = $at->tok; - $orig = clone($appUser); - $appUser->token = $at->tok; - $result = $appUser->update($orig); + // It's at this point that we change the access type + // to whatever the application's access is. Request + // tokens should always have an access type of 0, and + // therefore be unuseable for making requests for + // protected resources. - if (empty($result)) { - common_debug('couldn\'t update OAuth app user.'); - return null; - } + $appUser->access_type = $app->access_type; + + $result = $appUser->update($orig); + + if (empty($result)) { + common_debug('couldn\'t update OAuth app user.'); + return null; + } - // Okay, good + // Okay, good - return new OAuthToken($at->tok, $at->secret); - } + return new OAuthToken($at->tok, $at->secret); + } } else { return null; diff --git a/lib/router.php b/lib/router.php index 420f5a0a1..d6e448c2f 100644 --- a/lib/router.php +++ b/lib/router.php @@ -50,8 +50,7 @@ class Router var $m = null; static $inst = null; static $bare = array('requesttoken', 'accesstoken', 'userauthorization', - 'postnotice', 'updateprofile', 'finishremotesubscribe', - 'apioauthrequesttoken', 'apioauthaccesstoken'); + 'postnotice', 'updateprofile', 'finishremotesubscribe'); static function get() { @@ -659,7 +658,13 @@ class Router 'id' => '[0-9]+') ); - $m->connect('oauth/authorize', + $m->connect('api/oauth/request_token', + array('action' => 'apioauthrequesttoken')); + + $m->connect('api/oauth/access_token', + array('action' => 'apioauthaccesstoken')); + + $m->connect('api/oauth/authorize', array('action' => 'apioauthauthorize')); foreach (array('subscriptions', 'subscribers') as $a) { -- cgit v1.2.3-54-g00ecf From 22809baf94118ea7c0a41db4ac511277fc942a41 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Wed, 13 Jan 2010 05:31:48 +0000 Subject: Fix icon upload on new apps --- actions/newapplication.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/actions/newapplication.php b/actions/newapplication.php index 3d42b657b..7bb81095d 100644 --- a/actions/newapplication.php +++ b/actions/newapplication.php @@ -266,7 +266,7 @@ class NewApplicationAction extends OwnerDesignAction $app->query('ROLLBACK'); } - $this->app->uploadLogo(); + $app->uploadLogo(); $app->query('COMMIT'); -- cgit v1.2.3-54-g00ecf From 7c34ac8cc2c3813f05deb8ac80e511648b441914 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Wed, 13 Jan 2010 07:33:51 +0000 Subject: Rework application registration workflow to be more private --- actions/apps.php | 170 ----------------------------------- actions/editapplication.php | 8 +- actions/newapplication.php | 8 +- actions/oauthappssettings.php | 166 ++++++++++++++++++++++++++++++++++ actions/oauthconnectionssettings.php | 2 +- actions/showapplication.php | 25 ++---- lib/applicationeditform.php | 61 ++++++------- lib/applicationlist.php | 13 +-- lib/router.php | 23 ++--- 9 files changed, 221 insertions(+), 255 deletions(-) delete mode 100644 actions/apps.php create mode 100644 actions/oauthappssettings.php diff --git a/actions/apps.php b/actions/apps.php deleted file mode 100644 index 7c7b24570..000000000 --- a/actions/apps.php +++ /dev/null @@ -1,170 +0,0 @@ -. - * - * @category Settings - * @package StatusNet - * @author Zach Copley - * @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/settingsaction.php'; -require_once INSTALLDIR . '/lib/applicationlist.php'; - -/** - * Show a user's registered OAuth applications - * - * @category Settings - * @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/ - * - * @see SettingsAction - */ - -class AppsAction extends SettingsAction -{ - var $page = 0; - - function prepare($args) - { - parent::prepare($args); - $this->page = ($this->arg('page')) ? ($this->arg('page') + 0) : 1; - - if (!common_logged_in()) { - $this->clientError(_('You must be logged in to list your applications.')); - return false; - } - - return true; - } - - /** - * Title of the page - * - * @return string Title of the page - */ - - function title() - { - return _('OAuth applications'); - } - - /** - * Instructions for use - * - * @return instructions for use - */ - - function getInstructions() - { - return _('Applications you have registered'); - } - - /** - * Content area of the page - * - * @return void - */ - - function showContent() - { - $user = common_current_user(); - - $offset = ($this->page - 1) * APPS_PER_PAGE; - $limit = APPS_PER_PAGE + 1; - - $application = new Oauth_application(); - $application->owner = $user->id; - $application->limit($offset, $limit); - $application->orderBy('created DESC'); - $application->find(); - - $cnt = 0; - - if ($application) { - $al = new ApplicationList($application, $user, $this); - $cnt = $al->show(); - if (0 == $cnt) { - $this->showEmptyListMessage(); - } - } - - $this->elementStart('p', array('id' => 'application_register')); - $this->element('a', - array('href' => common_local_url( - 'newapplication', - array('nickname' => $user->nickname) - ), - 'class' => 'more' - ), - 'Register a new application'); - $this->elementEnd('p'); - - $this->pagination( - $this->page > 1, - $cnt > APPS_PER_PAGE, - $this->page, - 'apps', - array('nickname' => $user->nickname) - ); - } - - function showEmptyListMessage() - { - $message = sprintf(_('You have not registered any applications yet.')); - - $this->elementStart('div', 'guide'); - $this->raw(common_markup_to_html($message)); - $this->elementEnd('div'); - } - - /** - * Handle posts to this form - * - * Based on the button that was pressed, muxes out to other functions - * to do the actual task requested. - * - * All sub-functions reload the form with a message -- success or failure. - * - * @return void - */ - - function handlePost() - { - // CSRF protection - - $token = $this->trimmed('token'); - if (!$token || $token != common_session_token()) { - $this->showForm(_('There was a problem with your session token. '. - 'Try again, please.')); - return; - } - - } - -} diff --git a/actions/editapplication.php b/actions/editapplication.php index a0ed3117a..a6db87c61 100644 --- a/actions/editapplication.php +++ b/actions/editapplication.php @@ -125,10 +125,7 @@ class EditApplicationAction extends OwnerDesignAction if ($this->arg('cancel')) { common_redirect(common_local_url('showapplication', - array( - 'nickname' => $cur->nickname, - 'id' => $this->app->id) - ), 303); + array('id' => $this->app->id)), 303); } elseif ($this->arg('save')) { $this->trySave(); } else { @@ -253,8 +250,7 @@ class EditApplicationAction extends OwnerDesignAction $this->app->uploadLogo(); - common_redirect(common_local_url('apps', - array('nickname' => $cur->nickname)), 303); + common_redirect(common_local_url('oauthappssettings'), 303); } } diff --git a/actions/newapplication.php b/actions/newapplication.php index 7bb81095d..c499fe7c7 100644 --- a/actions/newapplication.php +++ b/actions/newapplication.php @@ -114,8 +114,7 @@ class NewApplicationAction extends OwnerDesignAction $cur = common_current_user(); if ($this->arg('cancel')) { - common_redirect(common_local_url('apps', - array('nickname' => $cur->nickname)), 303); + common_redirect(common_local_url('oauthappssettings'), 303); } elseif ($this->arg('save')) { $this->trySave(); } else { @@ -147,7 +146,7 @@ class NewApplicationAction extends OwnerDesignAction function trySave() { - $name = $this->trimmed('name'); + $name = $this->trimmed('name'); $description = $this->trimmed('description'); $source_url = $this->trimmed('source_url'); $organization = $this->trimmed('organization'); @@ -270,8 +269,7 @@ class NewApplicationAction extends OwnerDesignAction $app->query('COMMIT'); - common_redirect(common_local_url('apps', - array('nickname' => $cur->nickname)), 303); + common_redirect(common_local_url('oauthappssettings'), 303); } diff --git a/actions/oauthappssettings.php b/actions/oauthappssettings.php new file mode 100644 index 000000000..6c0670b17 --- /dev/null +++ b/actions/oauthappssettings.php @@ -0,0 +1,166 @@ +. + * + * @category Settings + * @package StatusNet + * @author Zach Copley + * @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/settingsaction.php'; +require_once INSTALLDIR . '/lib/applicationlist.php'; + +/** + * Show a user's registered OAuth applications + * + * @category Settings + * @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/ + * + * @see SettingsAction + */ + +class OauthappssettingsAction extends SettingsAction +{ + var $page = 0; + + function prepare($args) + { + parent::prepare($args); + $this->page = ($this->arg('page')) ? ($this->arg('page') + 0) : 1; + + if (!common_logged_in()) { + $this->clientError(_('You must be logged in to list your applications.')); + return false; + } + + return true; + } + + /** + * Title of the page + * + * @return string Title of the page + */ + + function title() + { + return _('OAuth applications'); + } + + /** + * Instructions for use + * + * @return instructions for use + */ + + function getInstructions() + { + return _('Applications you have registered'); + } + + /** + * Content area of the page + * + * @return void + */ + + function showContent() + { + $user = common_current_user(); + + $offset = ($this->page - 1) * APPS_PER_PAGE; + $limit = APPS_PER_PAGE + 1; + + $application = new Oauth_application(); + $application->owner = $user->id; + $application->limit($offset, $limit); + $application->orderBy('created DESC'); + $application->find(); + + $cnt = 0; + + if ($application) { + $al = new ApplicationList($application, $user, $this); + $cnt = $al->show(); + if (0 == $cnt) { + $this->showEmptyListMessage(); + } + } + + $this->elementStart('p', array('id' => 'application_register')); + $this->element('a', + array('href' => common_local_url('newapplication'), + 'class' => 'more' + ), + 'Register a new application'); + $this->elementEnd('p'); + + $this->pagination( + $this->page > 1, + $cnt > APPS_PER_PAGE, + $this->page, + 'oauthappssettings' + ); + } + + function showEmptyListMessage() + { + $message = sprintf(_('You have not registered any applications yet.')); + + $this->elementStart('div', 'guide'); + $this->raw(common_markup_to_html($message)); + $this->elementEnd('div'); + } + + /** + * Handle posts to this form + * + * Based on the button that was pressed, muxes out to other functions + * to do the actual task requested. + * + * All sub-functions reload the form with a message -- success or failure. + * + * @return void + */ + + function handlePost() + { + // CSRF protection + + $token = $this->trimmed('token'); + if (!$token || $token != common_session_token()) { + $this->showForm(_('There was a problem with your session token. '. + 'Try again, please.')); + return; + } + + } + +} diff --git a/actions/oauthconnectionssettings.php b/actions/oauthconnectionssettings.php index 56e7b02fb..99bb9022b 100644 --- a/actions/oauthconnectionssettings.php +++ b/actions/oauthconnectionssettings.php @@ -158,7 +158,7 @@ class OauthconnectionssettingsAction extends ConnectSettingsAction $this->elementStart('p'); $this->raw(_('Developers can edit the registration settings for their applications ')); $this->element('a', - array('href' => common_local_url('apps', array('nickname' => $cur->nickname))), + array('href' => common_local_url('oauthappssettings')), 'here.'); $this->elementEnd('p'); } diff --git a/actions/showapplication.php b/actions/showapplication.php index f2ff8b900..bd3337136 100644 --- a/actions/showapplication.php +++ b/actions/showapplication.php @@ -211,15 +211,9 @@ class ShowApplicationAction extends OwnerDesignAction $this->elementStart('ul'); $this->elementStart('li', 'entity_edit'); $this->element('a', - array('href' => - common_local_url( - 'editapplication', - array( - 'nickname' => $this->owner->nickname, - 'id' => $this->application->id - ) - ) - ), 'Edit'); + array('href' => common_local_url('editapplication', + array('id' => $this->application->id))), + 'Edit'); $this->elementEnd('li'); $this->elementStart('li', 'entity_reset_keysecret'); @@ -228,8 +222,7 @@ class ShowApplicationAction extends OwnerDesignAction 'class' => 'form_reset_key', 'method' => 'POST', 'action' => common_local_url('showapplication', - array('nickname' => $cur->nickname, - 'id' => $this->application->id)))); + array('id' => $this->application->id)))); $this->elementStart('fieldset'); $this->hidden('token', common_session_token()); @@ -273,13 +266,9 @@ class ShowApplicationAction extends OwnerDesignAction $this->elementStart('p', array('id' => 'application_action')); $this->element('a', - array( - 'href' => common_local_url( - 'apps', - array('nickname' => $this->owner->nickname)), - 'class' => 'more' - ), - 'View your applications'); + array('href' => common_local_url('oauthappssettings'), + 'class' => 'more'), + 'View your applications'); $this->elementEnd('p'); } diff --git a/lib/applicationeditform.php b/lib/applicationeditform.php index e9ab46780..040d3bf74 100644 --- a/lib/applicationeditform.php +++ b/lib/applicationeditform.php @@ -119,12 +119,9 @@ class ApplicationEditForm extends Form if (!empty($this->application)) { return common_local_url('editapplication', - array('id' => $this->application->id, - 'nickname' => $cur->nickname) - ); + array('id' => $this->application->id)); } else { - return common_local_url('newapplication', - array('nickname' => $cur->nickname)); + return common_local_url('newapplication'); } } @@ -149,7 +146,7 @@ class ApplicationEditForm extends Form { if ($this->application) { $id = $this->application->id; - $icon = $this->application->icon; + $icon = $this->application->icon; $name = $this->application->name; $description = $this->application->description; $source_url = $this->application->source_url; @@ -160,7 +157,7 @@ class ApplicationEditForm extends Form $this->access_type = $this->application->access_type; } else { $id = ''; - $icon = ''; + $icon = ''; $name = ''; $description = ''; $source_url = ''; @@ -171,26 +168,26 @@ class ApplicationEditForm extends Form $this->access_type = ''; } - $this->out->hidden('token', common_session_token()); + $this->out->hidden('token', common_session_token()); $this->out->elementStart('ul', 'form_data'); - $this->out->elementStart('li', array('id' => 'application_icon')); + $this->out->elementStart('li', array('id' => 'application_icon')); - if (!empty($icon)) { - $this->out->element('img', array('src' => $icon)); - } + if (!empty($icon)) { + $this->out->element('img', array('src' => $icon)); + } - $this->out->element('label', array('for' => 'app_icon'), - _('Icon')); + $this->out->element('label', array('for' => 'app_icon'), + _('Icon')); $this->out->element('input', array('name' => 'app_icon', - 'type' => 'file', - 'id' => 'app_icon')); + 'type' => 'file', + 'id' => 'app_icon')); $this->out->element('p', 'form_guide', _('Icon for this application')); $this->out->element('input', array('name' => 'MAX_FILE_SIZE', - 'type' => 'hidden', - 'id' => 'MAX_FILE_SIZE', - 'value' => ImageFile::maxFileSizeInt())); + 'type' => 'hidden', + 'id' => 'MAX_FILE_SIZE', + 'value' => ImageFile::maxFileSizeInt())); $this->out->elementEnd('li'); $this->out->elementStart('li'); @@ -207,13 +204,13 @@ class ApplicationEditForm extends Form $maxDesc = Oauth_application::maxDesc(); if ($maxDesc > 0) { $descInstr = sprintf(_('Describe your application in %d chars'), - $maxDesc); + $maxDesc); } else { $descInstr = _('Describe your application'); } $this->out->textarea('description', _('Description'), ($this->out->arg('description')) ? $this->out->arg('description') : $description, - $descInstr); + $descInstr); $this->out->elementEnd('li'); @@ -259,8 +256,8 @@ class ApplicationEditForm extends Form $this->out->element('input', $attrs); $this->out->element('label', array('for' => 'app_type-browser', - 'class' => 'radio'), - _('Browser')); + 'class' => 'radio'), + _('Browser')); $attrs = array('name' => 'app_type', 'type' => 'radio', @@ -275,8 +272,8 @@ class ApplicationEditForm extends Form $this->out->element('input', $attrs); $this->out->element('label', array('for' => 'app_type-desktop', - 'class' => 'radio'), - _('Desktop')); + 'class' => 'radio'), + _('Desktop')); $this->out->element('p', 'form_guide', _('Type of application, browser or desktop')); $this->out->elementEnd('li'); @@ -298,8 +295,8 @@ class ApplicationEditForm extends Form $this->out->element('input', $attrs); $this->out->element('label', array('for' => 'default_access_type-ro', - 'class' => 'radio'), - _('Read-only')); + 'class' => 'radio'), + _('Read-only')); $attrs = array('name' => 'default_access_type', 'type' => 'radio', @@ -309,15 +306,15 @@ class ApplicationEditForm extends Form if ($this->application->access_type & Oauth_application::$readAccess && $this->application->access_type & Oauth_application::$writeAccess - ) { + ) { $attrs['checked'] = 'checked'; } $this->out->element('input', $attrs); $this->out->element('label', array('for' => 'default_access_type-rw', - 'class' => 'radio'), - _('Read-write')); + 'class' => 'radio'), + _('Read-write')); $this->out->element('p', 'form_guide', _('Default access for this application: read-only, or read-write')); $this->out->elementEnd('li'); @@ -334,8 +331,8 @@ class ApplicationEditForm extends Form function formActions() { $this->out->submit('cancel', _('Cancel'), 'submit form_action-primary', - 'cancel', _('Cancel')); + 'cancel', _('Cancel')); $this->out->submit('save', _('Save'), 'submit form_action-secondary', - 'save', _('Save')); + 'save', _('Save')); } } diff --git a/lib/applicationlist.php b/lib/applicationlist.php index 15c2d588a..f2eaefb40 100644 --- a/lib/applicationlist.php +++ b/lib/applicationlist.php @@ -64,7 +64,7 @@ class ApplicationList extends Widget $this->application = $application; $this->owner = $owner; $this->action = $action; - $this->connections = $connections; + $this->connections = $connections; } function show() @@ -97,10 +97,9 @@ class ApplicationList extends Widget $this->out->elementStart('span', 'vcard author'); if (!$this->connections) { $this->out->elementStart('a', - array('href' => common_local_url('showapplication', - array('nickname' => $user->nickname, - 'id' => $this->application->id)), - 'class' => 'url')); + array('href' => common_local_url('showapplication', + array('id' => $this->application->id)), + 'class' => 'url')); } else { $this->out->elementStart('a', array('href' => $this->application->source_url, @@ -154,8 +153,4 @@ class ApplicationList extends Widget return; } - function highlight($text) - { - return htmlspecialchars($text); - } } diff --git a/lib/router.php b/lib/router.php index d6e448c2f..42bff2778 100644 --- a/lib/router.php +++ b/lib/router.php @@ -141,7 +141,7 @@ class Router // settings foreach (array('profile', 'avatar', 'password', 'im', 'oauthconnections', - 'email', 'sms', 'userdesign', 'other') as $s) { + 'oauthapps', 'email', 'sms', 'userdesign', 'other') as $s) { $m->connect('settings/'.$s, array('action' => $s.'settings')); } @@ -634,28 +634,23 @@ class Router // user stuff foreach (array('subscriptions', 'subscribers', - 'nudge', 'all', 'foaf', 'xrds', 'apps', + 'nudge', 'all', 'foaf', 'xrds', 'replies', 'inbox', 'outbox', 'microsummary') as $a) { $m->connect(':nickname/'.$a, array('action' => $a), array('nickname' => '[a-zA-Z0-9]{1,64}')); } - $m->connect(':nickname/apps', - array('action' => 'apps'), - array('nickname' => '['.NICKNAME_FMT.']{1,64}')); - $m->connect(':nickname/apps/show/:id', + $m->connect('settings/oauthapps/show/:id', array('action' => 'showapplication'), - array('nickname' => '['.NICKNAME_FMT.']{1,64}', - 'id' => '[0-9]+') + array('id' => '[0-9]+') ); - $m->connect(':nickname/apps/new', - array('action' => 'newapplication'), - array('nickname' => '['.NICKNAME_FMT.']{1,64}')); - $m->connect(':nickname/apps/edit/:id', + $m->connect('settings/oauthapps/new', + array('action' => 'newapplication') + ); + $m->connect('settings/oauthapps/edit/:id', array('action' => 'editapplication'), - array('nickname' => '['.NICKNAME_FMT.']{1,64}', - 'id' => '[0-9]+') + array('id' => '[0-9]+') ); $m->connect('api/oauth/request_token', -- cgit v1.2.3-54-g00ecf From 6c8bf36fe15317dc418791947dc652f61f5645b9 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Wed, 13 Jan 2010 11:31:15 +0000 Subject: Make sure applications are really looked up by consumer key --- actions/apioauthauthorize.php | 42 +++--------------------------------------- lib/apioauthstore.php | 40 +++++++++++++++++++++++++++++++++++++++- 2 files changed, 42 insertions(+), 40 deletions(-) diff --git a/actions/apioauthauthorize.php b/actions/apioauthauthorize.php index cdf9cb7df..0966ba1d7 100644 --- a/actions/apioauthauthorize.php +++ b/actions/apioauthauthorize.php @@ -74,42 +74,11 @@ class ApiOauthAuthorizeAction extends ApiOauthAction $this->oauth_token = $this->arg('oauth_token'); $this->callback = $this->arg('oauth_callback'); $this->store = new ApiStatusNetOAuthDataStore(); + $this->app = $this->store->getAppByRequestToken($this->oauth_token); return true; } - function getApp() - { - // Look up the full req token - - $req_token = $this->store->lookup_token(null, - 'request', - $this->oauth_token); - - if (empty($req_token)) { - - common_debug("Couldn't find request token!"); - - $this->clientError(_('Bad request.')); - return; - } - - // Look up the app - - $app = new Oauth_application(); - $app->consumer_key = $req_token->consumer_key; - $result = $app->find(true); - - if (!empty($result)) { - $this->app = $app; - return true; - - } else { - common_debug("couldn't find the app!"); - return false; - } - } - /** * Handle input, produce output * @@ -140,7 +109,8 @@ class ApiOauthAuthorizeAction extends ApiOauthAction return; } - if (!$this->getApp()) { + if (empty($this->app)) { + common_debug('No app for that token.'); $this->clientError(_('Bad request.')); return; } @@ -166,11 +136,6 @@ class ApiOauthAuthorizeAction extends ApiOauthAction return; } - if (!$this->getApp()) { - $this->clientError(_('Bad request.')); - return; - } - // check creds $user = null; @@ -416,7 +381,6 @@ class ApiOauthAuthorizeAction extends ApiOauthAction function getInstructions() { return _('Allow or deny access to your account information.'); - } /** diff --git a/lib/apioauthstore.php b/lib/apioauthstore.php index c39ddbb0f..32110d057 100644 --- a/lib/apioauthstore.php +++ b/lib/apioauthstore.php @@ -36,6 +36,44 @@ class ApiStatusNetOAuthDataStore extends StatusNetOAuthDataStore $con->consumer_secret); } + function getAppByRequestToken($token_key) + { + // Look up the full req tokenx + + $req_token = $this->lookup_token(null, + 'request', + $token_key); + + if (empty($req_token)) { + common_debug("couldn't get request token from oauth datastore"); + return null; + } + + // Look up the full Token + + $token = new Token(); + $token->tok = $req_token->key; + $result = $token->find(true); + + if (empty($result)) { + common_debug('Couldn\'t find req token in the token table.'); + return null; + } + + // Look up the app + + $app = new Oauth_application(); + $app->consumer_key = $token->consumer_key; + $result = $app->find(true); + + if (!empty($result)) { + return $app; + } else { + common_debug("Couldn't find the app!"); + return null; + } + } + function new_access_token($token, $consumer) { common_debug('new_access_token("'.$token->key.'","'.$consumer->key.'")', __FILE__); @@ -64,7 +102,7 @@ class ApiStatusNetOAuthDataStore extends StatusNetOAuthDataStore if (!empty($result)) { common_debug("Oath app user found."); } else { - common_debug("Oauth app user not found."); + common_debug("Oauth app user not found. app id $app->id token $rt->tok"); return null; } -- cgit v1.2.3-54-g00ecf From dda7a5264590b85d0fbec5574f18c162f1936ce5 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Wed, 13 Jan 2010 17:52:25 +0000 Subject: Fix user count --- actions/showapplication.php | 9 ++++++--- 1 file changed, 6 insertions(+), 3 deletions(-) diff --git a/actions/showapplication.php b/actions/showapplication.php index bd3337136..b21b994aa 100644 --- a/actions/showapplication.php +++ b/actions/showapplication.php @@ -194,10 +194,13 @@ class ShowApplicationAction extends OwnerDesignAction $defaultAccess = ($this->application->access_type & Oauth_application::$writeAccess) ? 'read-write' : 'read-only'; $profile = Profile::staticGet($this->application->owner); - $userCnt = 0; // XXX: count how many users use the app + + $appUsers = new Oauth_application_user(); + $appUsers->application_id = $this->application->id; + $userCnt = $appUsers->count(); $this->raw(sprintf( - _('Created by %1$s - %2$s access by default - %3$d users.'), + _('created by %1$s - %2$s access by default - %3$d users'), $profile->getBestName(), $defaultAccess, $userCnt @@ -222,7 +225,7 @@ class ShowApplicationAction extends OwnerDesignAction 'class' => 'form_reset_key', 'method' => 'POST', 'action' => common_local_url('showapplication', - array('id' => $this->application->id)))); + array('id' => $this->application->id)))); $this->elementStart('fieldset'); $this->hidden('token', common_session_token()); -- cgit v1.2.3-54-g00ecf From 8cdea20ac584bc08eb0e2e333934b29f69eff7c0 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Wed, 13 Jan 2010 18:20:03 +0000 Subject: Ensure only the application's owner can edit it --- actions/editapplication.php | 15 +++++++++++---- 1 file changed, 11 insertions(+), 4 deletions(-) diff --git a/actions/editapplication.php b/actions/editapplication.php index a6db87c61..9cc3e3cea 100644 --- a/actions/editapplication.php +++ b/actions/editapplication.php @@ -45,9 +45,9 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { class EditApplicationAction extends OwnerDesignAction { - var $msg = null; - - var $app = null; + var $msg = null; + var $owner = null; + var $app = null; function title() { @@ -68,7 +68,14 @@ class EditApplicationAction extends OwnerDesignAction } $id = (int)$this->arg('id'); - $this->app = Oauth_application::staticGet($id); + + $this->app = Oauth_application::staticGet($id); + $this->owner = User::staticGet($this->app->owner); + $cur = common_current_user(); + + if ($cur->id != $this->owner->id) { + $this->clientError(_('You are not the owner of this application.'), 401); + } if (!$this->app) { $this->clientError(_('No such application.')); -- cgit v1.2.3-54-g00ecf From 9f3c47ccb4582ea0a57d460b6ec48184e9d8509e Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Wed, 13 Jan 2010 18:33:13 +0000 Subject: Fix approval date and label on apps list --- lib/applicationlist.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/lib/applicationlist.php b/lib/applicationlist.php index f2eaefb40..6eae26135 100644 --- a/lib/applicationlist.php +++ b/lib/applicationlist.php @@ -136,8 +136,8 @@ class ApplicationList extends Widget $access = ($this->application->access_type & Oauth_application::$writeAccess) ? 'read-write' : 'read-only'; - $txt = 'Approved ' . common_exact_date($appUser->modified) . - " $access for access."; + $txt = 'Approved ' . common_date_string($appUser->modified) . + " - $access access."; $this->out->raw($txt); $this->out->elementEnd('li'); -- cgit v1.2.3-54-g00ecf From 18533f5b15c119e614cb987c17cd6343b8887498 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Wed, 13 Jan 2010 20:10:09 +0000 Subject: Updated apioauthauthorize markup and styles --- actions/apioauthauthorize.php | 46 +++++++++++-------------------------------- theme/base/css/display.css | 10 ++++++++-- 2 files changed, 20 insertions(+), 36 deletions(-) diff --git a/actions/apioauthauthorize.php b/actions/apioauthauthorize.php index 0966ba1d7..72d142651 100644 --- a/actions/apioauthauthorize.php +++ b/actions/apioauthauthorize.php @@ -273,27 +273,6 @@ class ApiOauthAuthorizeAction extends ApiOauthAction return _('An application would like to connect to your account'); } - /** - * Show page notice - * - * Display a notice for how to use the page, or the - * error if it exists. - * - * @return void - */ - - function showPageNotice() - { - if ($this->error) { - $this->element('p', 'error', $this->error); - } else { - $instr = $this->getInstructions(); - $output = common_markup_to_html($instr); - - $this->raw($output); - } - } - /** * Shows the authorization form. * @@ -303,40 +282,38 @@ class ApiOauthAuthorizeAction extends ApiOauthAction function showContent() { $this->elementStart('form', array('method' => 'post', - 'id' => 'form_login', + 'id' => 'form_apioauthauthorize', 'class' => 'form_settings', 'action' => common_local_url('apioauthauthorize'))); + $this->elementStart('fieldset'); + $this->element('legend', array('id' => 'apioauthauthorize_allowdeny'), + _('Allow or deny access')); $this->hidden('token', common_session_token()); $this->hidden('oauth_token', $this->oauth_token); $this->hidden('oauth_callback', $this->callback); - $this->elementStart('fieldset'); - - $this->elementStart('ul'); + $this->elementStart('ul', 'form_data'); $this->elementStart('li'); + $this->elementStart('p'); if (!empty($this->app->icon)) { $this->element('img', array('src' => $this->app->icon)); } - $this->elementEnd('li'); - $this->elementStart('li'); $access = ($this->app->access_type & Oauth_application::$writeAccess) ? 'access and update' : 'access'; - $msg = _("The application %s by %s would like " . - "the ability to %s your account data."); + $msg = _("The application %s by %s would like " . + "the ability to %s your account data."); $this->raw(sprintf($msg, $this->app->name, $this->app->organization, $access)); - + $this->elementEnd('p'); $this->elementEnd('li'); $this->elementEnd('ul'); - $this->elementEnd('fieldset'); - if (!common_logged_in()) { $this->elementStart('fieldset'); @@ -355,17 +332,18 @@ class ApiOauthAuthorizeAction extends ApiOauthAction } $this->element('input', array('id' => 'deny_submit', - 'class' => 'submit', + 'class' => 'submit submit form_action-primary', 'name' => 'deny', 'type' => 'submit', 'value' => _('Deny'))); $this->element('input', array('id' => 'allow_submit', - 'class' => 'submit', + 'class' => 'submit submit form_action-secondary', 'name' => 'allow', 'type' => 'submit', 'value' => _('Allow'))); + $this->elementEnd('fieldset'); $this->elementEnd('form'); } diff --git a/theme/base/css/display.css b/theme/base/css/display.css index 507733979..681d07724 100644 --- a/theme/base/css/display.css +++ b/theme/base/css/display.css @@ -177,7 +177,8 @@ font-weight:bold; #form_password_recover legend, #form_password_change legend, .form_entity_block legend, -#form_filter_bytag legend { +#form_filter_bytag legend, +#apioauthauthorize_allowdeny { display:none; } @@ -905,10 +906,15 @@ list-style-type:none; } .application img, #showapplication .entity_profile img, -#editapplication .form_data #application_icon img { +#editapplication .form_data #application_icon, +#apioauthauthorize .form_data img { max-width:96px; max-height:96px; } +#apioauthauthorize .form_data img { +margin-right:18px; +float:left; +} #showapplication .entity_profile { width:68%; } -- cgit v1.2.3-54-g00ecf From 3aa0d8bea7395b4c67521af4bad5c8936ea194fa Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Wed, 13 Jan 2010 20:43:23 +0000 Subject: Changed legend text from Login to Account because it is not really logging iny --- actions/apioauthauthorize.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/actions/apioauthauthorize.php b/actions/apioauthauthorize.php index 72d142651..fa074c4e7 100644 --- a/actions/apioauthauthorize.php +++ b/actions/apioauthauthorize.php @@ -317,7 +317,7 @@ class ApiOauthAuthorizeAction extends ApiOauthAction if (!common_logged_in()) { $this->elementStart('fieldset'); - $this->element('legend', null, _('Login')); + $this->element('legend', null, _('Account')); $this->elementStart('ul', 'form_data'); $this->elementStart('li'); $this->input('nickname', _('Nickname')); -- cgit v1.2.3-54-g00ecf From 38269a6579789cbdaa309fa08e6cbb196879e7cf Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Wed, 13 Jan 2010 21:11:08 +0000 Subject: Revoke access token UI --- actions/oauthconnectionssettings.php | 62 +++++++++++++++++++++++++++++++----- actions/showapplication.php | 1 + classes/Oauth_application_user.php | 2 +- classes/Profile.php | 3 +- lib/applicationlist.php | 14 +++++++- 5 files changed, 71 insertions(+), 11 deletions(-) diff --git a/actions/oauthconnectionssettings.php b/actions/oauthconnectionssettings.php index 99bb9022b..b17729b82 100644 --- a/actions/oauthconnectionssettings.php +++ b/actions/oauthconnectionssettings.php @@ -50,10 +50,12 @@ class OauthconnectionssettingsAction extends ConnectSettingsAction { var $page = null; + var $id = null; function prepare($args) { parent::prepare($args); + $this->id = (int)$this->arg('id'); $this->page = ($this->arg('page')) ? ($this->arg('page') + 0) : 1; return true; } @@ -101,16 +103,16 @@ class OauthconnectionssettingsAction extends ConnectSettingsAction $application = $profile->getApplications($offset, $limit); - $cnt == 0; + $cnt == 0; - if (!empty($application)) { - $al = new ApplicationList($application, $user, $this, true); - $cnt = $al->show(); - } + if (!empty($application)) { + $al = new ApplicationList($application, $user, $this, true); + $cnt = $al->show(); + } - if ($cnt == 0) { - $this->showEmptyListMessage(); - } + if ($cnt == 0) { + $this->showEmptyListMessage(); + } $this->pagination($this->page > 1, $cnt > APPS_PER_PAGE, $this->page, 'connectionssettings', @@ -139,6 +141,50 @@ class OauthconnectionssettingsAction extends ConnectSettingsAction return; } + if ($this->arg('revoke')) { + $this->revokeAccess($this->id); + + // XXX: Show some indicator to the user of what's been done. + + $this->showPage(); + } else { + $this->clientError(_('Unexpected form submission.'), 401); + return false; + } + } + + function revokeAccess($appId) + { + $cur = common_current_user(); + + $app = Oauth_application::staticGet('id', $appId); + + if (empty($app)) { + $this->clientError(_('No such application.'), 404); + return false; + } + + $appUser = Oauth_application_user::getByKeys($cur, $app); + + if (empty($appUser)) { + $this->clientError(_('You are not a user of that application.'), 401); + return false; + } + + $orig = clone($appUser); + $appUser->access_type = 0; // No access + $result = $appUser->update(); + + if (!$result) { + common_log_db_error($orig, 'UPDATE', __FILE__); + $this->clientError(_('Unable to revoke access for app: ' . $app->id)); + return false; + } + + $msg = 'User %s (id: %d) revoked access to app %s (id: %d)'; + common_log(LOG_INFO, sprintf($msg, $cur->nickname, + $cur->id, $app->name, $app->id)); + } function showEmptyListMessage() diff --git a/actions/showapplication.php b/actions/showapplication.php index b21b994aa..049206375 100644 --- a/actions/showapplication.php +++ b/actions/showapplication.php @@ -92,6 +92,7 @@ class ShowApplicationAction extends OwnerDesignAction if ($cur->id != $this->owner->id) { $this->clientError(_('You are not the owner of this application.'), 401); + return false; } return true; diff --git a/classes/Oauth_application_user.php b/classes/Oauth_application_user.php index a05371f56..618d68133 100644 --- a/classes/Oauth_application_user.php +++ b/classes/Oauth_application_user.php @@ -34,7 +34,7 @@ class Oauth_application_user extends Memcached_DataObject $oau = new Oauth_application_user(); $oau->profile_id = $user->id; - $oau->application_id = $app->id; + $oau->application_id = $app->id; $oau->limit(1); $result = $oau->find(true); diff --git a/classes/Profile.php b/classes/Profile.php index fef2a2171..1076fb2cb 100644 --- a/classes/Profile.php +++ b/classes/Profile.php @@ -358,7 +358,8 @@ class Profile extends Memcached_DataObject 'SELECT a.* ' . 'FROM oauth_application_user u, oauth_application a ' . 'WHERE u.profile_id = %d ' . - 'AND a.id = u.application_id ' . + 'AND a.id = u.application_id ' . + 'AND u.access_type > 0 ' . 'ORDER BY u.created DESC '; if ($offset > 0) { diff --git a/lib/applicationlist.php b/lib/applicationlist.php index 6eae26135..3abb1f8aa 100644 --- a/lib/applicationlist.php +++ b/lib/applicationlist.php @@ -142,7 +142,19 @@ class ApplicationList extends Widget $this->out->raw($txt); $this->out->elementEnd('li'); - // XXX: Add revoke access button + $this->out->elementStart('li', 'entity_revoke'); + $this->out->elementStart('form', array('id' => 'form_revoke_app', + 'class' => 'form_revoke_app', + 'method' => 'POST', + 'action' => + common_local_url('oauthconnectionssettings'))); + $this->out->elementStart('fieldset'); + $this->out->hidden('id', $this->application->id); + $this->out->hidden('token', common_session_token()); + $this->out->submit('revoke', _('Revoke')); + $this->out->elementEnd('fieldset'); + $this->out->elementEnd('form'); + $this->out->elementEnd('li'); } } -- cgit v1.2.3-54-g00ecf From ead1ef4c6826a20096d5f16bd21ad25434244716 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Wed, 13 Jan 2010 21:14:22 +0000 Subject: Remove verifier from Oauth_application_user (not needed there) --- classes/Oauth_application_user.php | 1 - classes/statusnet.ini | 1 - db/statusnet.sql | 1 - 3 files changed, 3 deletions(-) diff --git a/classes/Oauth_application_user.php b/classes/Oauth_application_user.php index 618d68133..57986281f 100644 --- a/classes/Oauth_application_user.php +++ b/classes/Oauth_application_user.php @@ -14,7 +14,6 @@ class Oauth_application_user extends Memcached_DataObject public $application_id; // int(4) primary_key not_null public $access_type; // tinyint(1) public $token; // varchar(255) - public $verifier; // varchar(255) public $created; // datetime not_null public $modified; // timestamp not_null default_CURRENT_TIMESTAMP diff --git a/classes/statusnet.ini b/classes/statusnet.ini index 7a0f4dede..a8f36e503 100644 --- a/classes/statusnet.ini +++ b/classes/statusnet.ini @@ -373,7 +373,6 @@ profile_id = 129 application_id = 129 access_type = 17 token = 2 -verifier = 2 created = 142 modified = 384 diff --git a/db/statusnet.sql b/db/statusnet.sql index 3f7a1fc8d..060d9fc89 100644 --- a/db/statusnet.sql +++ b/db/statusnet.sql @@ -230,7 +230,6 @@ create table oauth_application_user ( application_id integer not null comment 'id of the application' references oauth_application (id), access_type tinyint default 0 comment 'access type, bit 1 = read, bit 2 = write, bit 3 = revoked', token varchar(255) comment 'request or access token', - verifier varchar(255) not null comment 'verification code', created datetime not null comment 'date this record was created', modified timestamp comment 'date this record was modified', constraint primary key (profile_id, application_id) -- cgit v1.2.3-54-g00ecf From ee8c1ec91cfec4ac5b490a7719e28036198635ea Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Wed, 13 Jan 2010 21:31:19 +0000 Subject: Add verifier and verified callback to token for OAuth 1.0a --- classes/Token.php | 6 ++++-- classes/statusnet.ini | 2 ++ db/statusnet.sql | 2 ++ 3 files changed, 8 insertions(+), 2 deletions(-) diff --git a/classes/Token.php b/classes/Token.php index 1fabd72f1..a129d1fd1 100644 --- a/classes/Token.php +++ b/classes/Token.php @@ -4,7 +4,7 @@ */ require_once INSTALLDIR.'/classes/Memcached_DataObject.php'; -class Token extends Memcached_DataObject +class Token extends Memcached_DataObject { ###START_AUTOCODE /* the code below is auto generated do not remove the above tag */ @@ -14,7 +14,9 @@ class Token extends Memcached_DataObject public $tok; // char(32) primary_key not_null public $secret; // char(32) not_null public $type; // tinyint(1) not_null - public $state; // tinyint(1) + public $state; // tinyint(1) + public $verifier; // varchar(255) + public $verified_callback; // varchar(255) public $created; // datetime() not_null public $modified; // timestamp() not_null default_CURRENT_TIMESTAMP diff --git a/classes/statusnet.ini b/classes/statusnet.ini index a8f36e503..44088cf6b 100644 --- a/classes/statusnet.ini +++ b/classes/statusnet.ini @@ -516,6 +516,8 @@ tok = 130 secret = 130 type = 145 state = 17 +verifier = 2 +verified_callback = 2 created = 142 modified = 384 diff --git a/db/statusnet.sql b/db/statusnet.sql index 060d9fc89..2a9ab74c7 100644 --- a/db/statusnet.sql +++ b/db/statusnet.sql @@ -189,6 +189,8 @@ create table token ( secret char(32) not null comment 'secret value', type tinyint not null default 0 comment 'request or access', state tinyint default 0 comment 'for requests, 0 = initial, 1 = authorized, 2 = used', + verifier varchar(255) comment 'verifier string for OAuth 1.0a', + verified_callback varchar(255) comment 'verified callback URL for OAuth 1.0a', created datetime not null comment 'date this record was created', modified timestamp comment 'date this record was modified', -- cgit v1.2.3-54-g00ecf From ccb933f0263360e93a06ac28d3876bf59f5460ed Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Wed, 13 Jan 2010 16:52:33 -0800 Subject: Some rough test scripts for poking at the OAuth system --- tests/oauth/README | 22 +++++++++ tests/oauth/exchangetokens.php | 105 ++++++++++++++++++++++++++++++++++++++++ tests/oauth/getrequesttoken.php | 71 +++++++++++++++++++++++++++ tests/oauth/oauth.ini | 10 ++++ tests/oauth/verifycreds.php | 101 ++++++++++++++++++++++++++++++++++++++ 5 files changed, 309 insertions(+) create mode 100644 tests/oauth/README create mode 100755 tests/oauth/exchangetokens.php create mode 100755 tests/oauth/getrequesttoken.php create mode 100644 tests/oauth/oauth.ini create mode 100755 tests/oauth/verifycreds.php diff --git a/tests/oauth/README b/tests/oauth/README new file mode 100644 index 000000000..ea4aabadb --- /dev/null +++ b/tests/oauth/README @@ -0,0 +1,22 @@ +Some very rough test scripts for hitting up the OAuth endpoints. + +Note: this works best if you register an OAuth application, leaving +the callback URL blank. + +Put your instance info and consumer key and secret in oauth.ini + +Example usage: +-------------- + +php getrequesttoken.php + +Gets and request token, token secret and a url to authorize it. Once +you get the token/secret you can exchange it for an access token... + +php exchangetokens.php --oauth_token=b9a79548a88c1aa9a5bea73103c6d41d --token_secret=4a47d9337fc0202a14ab552e17a3b657 + +Once you have your access token, go ahead and try an protected API +resource: + +php verifycreds.php --oauth_token=cf2de7665f0dda0a82c2dc39b01be7f9 --token_secret=4524c3b712200138e1a4cff2e9ca83d8 + diff --git a/tests/oauth/exchangetokens.php b/tests/oauth/exchangetokens.php new file mode 100755 index 000000000..2394826c7 --- /dev/null +++ b/tests/oauth/exchangetokens.php @@ -0,0 +1,105 @@ +#!/usr/bin/env php +. + */ + +define('INSTALLDIR', realpath(dirname(__FILE__) . '/../..')); + +require_once INSTALLDIR . '/extlib/OAuth.php'; + +$ini = parse_ini_file("oauth.ini"); + +$test_consumer = new OAuthConsumer($ini['consumer_key'], $ini['consumer_secret']); + +$at_endpoint = $ini['apiroot'] . $ini['access_token_url']; + +$shortoptions = 't:s:'; +$longoptions = array('oauth_token=', 'token_secret='); + +$helptext = <<sign_request($hmac_method, $test_consumer, $rt); + +$r = httpRequest($req_req->to_url()); + +common_debug("Exchange request token = " . var_export($rt, true)); +common_debug("Exchange tokens URL: " . $req_req->to_url()); + +$body = $r->getBody(); + +$token_stuff = array(); +parse_str($body, $token_stuff); + +print 'Access token : ' . $token_stuff['oauth_token'] . "\n"; +print 'Access token secret : ' . $token_stuff['oauth_token_secret'] . "\n"; + +function httpRequest($url) +{ + $request = HTTPClient::start(); + + $request->setConfig(array( + 'follow_redirects' => true, + 'connect_timeout' => 120, + 'timeout' => 120, + 'ssl_verify_peer' => false, + 'ssl_verify_host' => false + )); + + return $request->get($url); +} + diff --git a/tests/oauth/getrequesttoken.php b/tests/oauth/getrequesttoken.php new file mode 100755 index 000000000..fc546a0f4 --- /dev/null +++ b/tests/oauth/getrequesttoken.php @@ -0,0 +1,71 @@ +#!/usr/bin/env php +. + */ + +define('INSTALLDIR', realpath(dirname(__FILE__) . '/../..')); + +require_once INSTALLDIR . '/scripts/commandline.inc'; +require_once INSTALLDIR . '/extlib/OAuth.php'; + +$ini = parse_ini_file("oauth.ini"); + +$test_consumer = new OAuthConsumer($ini['consumer_key'], $ini['consumer_secret']); + +$rt_endpoint = $ini['apiroot'] . $ini['request_token_url']; + +$parsed = parse_url($rt_endpoint); +$params = array(); + +parse_str($parsed['query'], $params); + +$hmac_method = new OAuthSignatureMethod_HMAC_SHA1(); + +$req_req = OAuthRequest::from_consumer_and_token($test_consumer, NULL, "GET", $rt_endpoint, $params); +$req_req->sign_request($hmac_method, $test_consumer, NULL); + +$r = httpRequest($req_req->to_url()); + +$body = $r->getBody(); + +$token_stuff = array(); +parse_str($body, $token_stuff); + +$authurl = $ini['apiroot'] . $ini['authorize_url'] . '?oauth_token=' . $token_stuff['oauth_token']; + +print 'Request token : ' . $token_stuff['oauth_token'] . "\n"; +print 'Request token secret : ' . $token_stuff['oauth_token_secret'] . "\n"; +print "Authorize URL : $authurl\n"; + +//var_dump($req_req); + +function httpRequest($url) +{ + $request = HTTPClient::start(); + + $request->setConfig(array( + 'follow_redirects' => true, + 'connect_timeout' => 120, + 'timeout' => 120, + 'ssl_verify_peer' => false, + 'ssl_verify_host' => false + )); + + return $request->get($url); +} + diff --git a/tests/oauth/oauth.ini b/tests/oauth/oauth.ini new file mode 100644 index 000000000..5ef0e571e --- /dev/null +++ b/tests/oauth/oauth.ini @@ -0,0 +1,10 @@ +; Setup OAuth info here +apiroot = "http://dev.controlyourself.ca/zach/api" + +request_token_url = "/oauth/request_token" +authorize_url = "/oauth/authorize" +access_token_url = "/oauth/access_token" + +consumer_key = "b748968e9bea81a53f3a3c15aa0c686f" +consumer_secret = "5434e18cce05d9e53cdd48029a62fa41" + diff --git a/tests/oauth/verifycreds.php b/tests/oauth/verifycreds.php new file mode 100755 index 000000000..873bdb8bd --- /dev/null +++ b/tests/oauth/verifycreds.php @@ -0,0 +1,101 @@ +#!/usr/bin/env php +. + */ + +define('INSTALLDIR', realpath(dirname(__FILE__) . '/../..')); + +require_once INSTALLDIR . '/extlib/OAuth.php'; + +$shortoptions = 'o:s:'; +$longoptions = array('oauth_token=', 'token_secret='); + +$helptext = <<sign_request($hmac_method, $test_consumer, $at); + +$r = httpRequest($req_req->to_url()); + +$body = $r->getBody(); + +print "$body\n"; + +//print $req_req->to_url() . "\n\n"; + +function httpRequest($url) +{ + $request = HTTPClient::start(); + + $request->setConfig(array( + 'follow_redirects' => true, + 'connect_timeout' => 120, + 'timeout' => 120, + 'ssl_verify_peer' => false, + 'ssl_verify_host' => false + )); + + return $request->get($url); +} + -- cgit v1.2.3-54-g00ecf From 21cef64e883ee2b45580c74f834f5eb500c6eb0e Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Wed, 13 Jan 2010 16:56:52 -0800 Subject: Fixed some spelling mistakes in the README --- tests/oauth/README | 6 +++--- tests/oauth/oauth.ini | 2 +- 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/tests/oauth/README b/tests/oauth/README index ea4aabadb..dd76feb0c 100644 --- a/tests/oauth/README +++ b/tests/oauth/README @@ -10,12 +10,12 @@ Example usage: php getrequesttoken.php -Gets and request token, token secret and a url to authorize it. Once -you get the token/secret you can exchange it for an access token... +Gets a request token, token secret and a url to authorize it. Once +you authorize the request token you can exchange it for an access token... php exchangetokens.php --oauth_token=b9a79548a88c1aa9a5bea73103c6d41d --token_secret=4a47d9337fc0202a14ab552e17a3b657 -Once you have your access token, go ahead and try an protected API +Once you have your access token, go ahead and try a protected API resource: php verifycreds.php --oauth_token=cf2de7665f0dda0a82c2dc39b01be7f9 --token_secret=4524c3b712200138e1a4cff2e9ca83d8 diff --git a/tests/oauth/oauth.ini b/tests/oauth/oauth.ini index 5ef0e571e..16b747fe4 100644 --- a/tests/oauth/oauth.ini +++ b/tests/oauth/oauth.ini @@ -1,5 +1,5 @@ ; Setup OAuth info here -apiroot = "http://dev.controlyourself.ca/zach/api" +apiroot = "http://YOURSTATUSNET/api" request_token_url = "/oauth/request_token" authorize_url = "/oauth/authorize" -- cgit v1.2.3-54-g00ecf From bbde4d42cc550adfeeeb73e8c411b627c0d025aa Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Thu, 14 Jan 2010 02:16:03 +0000 Subject: Check for read vs. read-write access on OAuth authenticated API mehtods. --- lib/api.php | 5 +++++ lib/apiauth.php | 20 ++++++++++++++++++++ 2 files changed, 25 insertions(+) diff --git a/lib/api.php b/lib/api.php index 707e4ac21..794b14050 100644 --- a/lib/api.php +++ b/lib/api.php @@ -53,6 +53,9 @@ if (!defined('STATUSNET')) { class ApiAction extends Action { + const READ_ONLY = 1; + const READ_WRITE = 2; + var $format = null; var $user = null; var $auth_user = null; @@ -62,6 +65,8 @@ class ApiAction extends Action var $since_id = null; var $since = null; + var $access = self::READ_ONLY; // read (default) or read-write + /** * Initialization. * diff --git a/lib/apiauth.php b/lib/apiauth.php index 431f3ac4f..8374c24a7 100644 --- a/lib/apiauth.php +++ b/lib/apiauth.php @@ -78,12 +78,27 @@ class ApiAuthAction extends ApiAction $this->checkOAuthRequest(); } else { $this->checkBasicAuthUser(); + // By default, all basic auth users have read and write access + + $this->access = self::READ_WRITE; } } return true; } + function handle($args) + { + parent::handle($args); + + if ($this->isReadOnly($args) == false) { + if ($this->access == self::READ_ONLY) { + $this->clientError(_('API method requires write access.'), 401); + exit(); + } + } + } + function checkOAuthRequest() { common_debug("We have an OAuth request."); @@ -130,6 +145,10 @@ class ApiAuthAction extends ApiAction if ($this->oauth_access_type != 0) { + // Set the read or read-write access for the api call + $this->access = ($appUser->access_type & Oauth_application::$writeAccess) + ? self::READ_WRITE : self::READ_ONLY; + $this->auth_user = User::staticGet('id', $appUser->profile_id); $msg = "API OAuth authentication for user '%s' (id: %d) on behalf of " . @@ -220,6 +239,7 @@ class ApiAuthAction extends ApiAction exit; } } + return true; } -- cgit v1.2.3-54-g00ecf From c28c511438389ee160d29f29c0780dd50c81e9d5 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Thu, 14 Jan 2010 02:32:59 +0000 Subject: More relaxed selector for application icon and form checkbox --- theme/base/css/display.css | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/theme/base/css/display.css b/theme/base/css/display.css index 681d07724..a82d7b2a9 100644 --- a/theme/base/css/display.css +++ b/theme/base/css/display.css @@ -906,7 +906,7 @@ list-style-type:none; } .application img, #showapplication .entity_profile img, -#editapplication .form_data #application_icon, +.form_data #application_icon img, #apioauthauthorize .form_data img { max-width:96px; max-height:96px; @@ -943,9 +943,9 @@ margin-left:1.795%; font-family:monospace; font-size:1.3em; } -#editapplication .form_data #application_types label.radio, -#editapplication .form_data #default_access_types label.radio { -width:15%; +.form_data #application_types label.radio, +.form_data #default_access_types label.radio { +width:14.5%; } /* NOTICE */ -- cgit v1.2.3-54-g00ecf From 33df3922895e61e4e347a19acba67983ed1c4c23 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Thu, 14 Jan 2010 02:38:01 +0000 Subject: - Had to remove checking read vs. read-write in OAuth authenticated methods - Will now pick up source attr from OAuth app --- actions/apiaccountverifycredentials.php | 14 ++++++++++++++ actions/apistatusesupdate.php | 5 +++++ lib/apiauth.php | 14 +++++--------- 3 files changed, 24 insertions(+), 9 deletions(-) diff --git a/actions/apiaccountverifycredentials.php b/actions/apiaccountverifycredentials.php index 08b201dbf..1095d5162 100644 --- a/actions/apiaccountverifycredentials.php +++ b/actions/apiaccountverifycredentials.php @@ -82,4 +82,18 @@ class ApiAccountVerifyCredentialsAction extends ApiAuthAction } + /** + * Is this action read only? + * + * @param array $args other arguments + * + * @return boolean true + * + **/ + + function isReadOnly($args) + { + return true; + } + } diff --git a/actions/apistatusesupdate.php b/actions/apistatusesupdate.php index f594bbf39..f8bf7cf87 100644 --- a/actions/apistatusesupdate.php +++ b/actions/apistatusesupdate.php @@ -85,6 +85,11 @@ class ApiStatusesUpdateAction extends ApiAuthAction $this->lat = $this->trimmed('lat'); $this->lon = $this->trimmed('long'); + // try to set the source attr from OAuth app + if (empty($this->source)) { + $this->source = $this->oauth_source; + } + if (empty($this->source) || in_array($this->source, self::$reserved_sources)) { $this->source = 'api'; } diff --git a/lib/apiauth.php b/lib/apiauth.php index 8374c24a7..691db584b 100644 --- a/lib/apiauth.php +++ b/lib/apiauth.php @@ -55,6 +55,7 @@ class ApiAuthAction extends ApiAction { var $access_token; var $oauth_access_type; + var $oauth_source; /** * Take arguments for running, and output basic auth header if needed @@ -90,13 +91,6 @@ class ApiAuthAction extends ApiAction function handle($args) { parent::handle($args); - - if ($this->isReadOnly($args) == false) { - if ($this->access == self::READ_ONLY) { - $this->clientError(_('API method requires write access.'), 401); - exit(); - } - } } function checkOAuthRequest() @@ -116,8 +110,6 @@ class ApiAuthAction extends ApiAction $req = OAuthRequest::from_request(); $server->verify_request($req); - common_debug("Good OAuth request!"); - $app = Oauth_application::getByConsumerKey($this->consumer_key); if (empty($app)) { @@ -129,6 +121,10 @@ class ApiAuthAction extends ApiAction throw new OAuthException('No application for that consumer key.'); } + // set the source attr + + $this->oauth_source = $app->name; + $appUser = Oauth_application_user::staticGet('token', $this->access_token); -- cgit v1.2.3-54-g00ecf From 26edf3a5e5dc8f6ba1ed8d795198b788714a3f63 Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Wed, 13 Jan 2010 22:05:22 -0500 Subject: Revert "Drop the Google Client API-based AJAX geolocation lookup shim -- it fails to ask for user permission, causing us quite a bit of difficulty." This reverts commit 749b8b5b8ca4d1c39d350879aadddbdb9d8b71d5. --- js/geometa.js | 123 +++++++++++++++++++++++++++++++++++++++++++++++++++++++--- 1 file changed, 118 insertions(+), 5 deletions(-) diff --git a/js/geometa.js b/js/geometa.js index 87e3c99a1..21deb1885 100644 --- a/js/geometa.js +++ b/js/geometa.js @@ -1,4 +1,4 @@ -// A shim to implement the W3C Geolocation API Specification using Gears +// A shim to implement the W3C Geolocation API Specification using Gears or the Ajax API if (typeof navigator.geolocation == "undefined" || navigator.geolocation.shim ) (function(){ // -- BEGIN GEARS_INIT @@ -96,9 +96,122 @@ var GearsGeoLocation = (function() { }; }); -// If you have Gears installed use that -if (window.google && google.gears) { - navigator.geolocation = GearsGeoLocation(); -} +var AjaxGeoLocation = (function() { + // -- PRIVATE + var loading = false; + var loadGoogleLoader = function() { + if (!hasGoogleLoader() && !loading) { + loading = true; + var s = document.createElement('script'); + s.src = (document.location.protocol == "https:"?"https://":"http://") + 'www.google.com/jsapi?callback=_google_loader_apiLoaded'; + s.type = "text/javascript"; + document.getElementsByTagName('body')[0].appendChild(s); + } + }; + + var queue = []; + var addLocationQueue = function(callback) { + queue.push(callback); + } + + var runLocationQueue = function() { + if (hasGoogleLoader()) { + while (queue.length > 0) { + var call = queue.pop(); + call(); + } + } + } + + window['_google_loader_apiLoaded'] = function() { + runLocationQueue(); + } + + var hasGoogleLoader = function() { + return (window['google'] && google['loader']); + } + + var checkGoogleLoader = function(callback) { + if (hasGoogleLoader()) return true; + + addLocationQueue(callback); + + loadGoogleLoader(); + + return false; + }; + + loadGoogleLoader(); // start to load as soon as possible just in case + + // -- PUBLIC + return { + shim: true, + + type: "ClientLocation", + + lastPosition: null, + + getCurrentPosition: function(successCallback, errorCallback, options) { + var self = this; + if (!checkGoogleLoader(function() { + self.getCurrentPosition(successCallback, errorCallback, options); + })) return; + + if (google.loader.ClientLocation) { + var cl = google.loader.ClientLocation; + + var position = { + coords: { + latitude: cl.latitude, + longitude: cl.longitude, + altitude: null, + accuracy: 43000, // same as Gears accuracy over wifi? + altitudeAccuracy: null, + heading: null, + speed: null, + }, + // extra info that is outside of the bounds of the core API + address: { + city: cl.address.city, + country: cl.address.country, + country_code: cl.address.country_code, + region: cl.address.region + }, + timestamp: new Date() + }; + + successCallback(position); + + this.lastPosition = position; + } else if (errorCallback === "function") { + errorCallback({ code: 3, message: "Using the Google ClientLocation API and it is not able to calculate a location."}); + } + }, + + watchPosition: function(successCallback, errorCallback, options) { + this.getCurrentPosition(successCallback, errorCallback, options); + + var self = this; + var watchId = setInterval(function() { + self.getCurrentPosition(successCallback, errorCallback, options); + }, 10000); + + return watchId; + }, + + clearWatch: function(watchId) { + clearInterval(watchId); + }, + + getPermission: function(siteName, imageUrl, extraMessage) { + // for now just say yes :) + return true; + } + + }; +}); + +// If you have Gears installed use that, else use Ajax ClientLocation +navigator.geolocation = (window.google && google.gears) ? GearsGeoLocation() : AjaxGeoLocation(); })(); -- cgit v1.2.3-54-g00ecf From cb962ed4755f213042f72580180908033ef3276e Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Wed, 13 Jan 2010 21:24:02 -0800 Subject: queue daemon fixes: path fix for xmpp, suppress warning in memcached init --- lib/xmppmanager.php | 2 +- plugins/MemcachePlugin.php | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/lib/xmppmanager.php b/lib/xmppmanager.php index 9662e97d1..0839cda57 100644 --- a/lib/xmppmanager.php +++ b/lib/xmppmanager.php @@ -81,7 +81,7 @@ class XmppManager extends IoManager parent::start($master); $this->switchSite(); - require_once "lib/jabber.php"; + require_once INSTALLDIR . "/lib/jabber.php"; # Low priority; we don't want to receive messages diff --git a/plugins/MemcachePlugin.php b/plugins/MemcachePlugin.php index fbc2802f7..bc7fd9076 100644 --- a/plugins/MemcachePlugin.php +++ b/plugins/MemcachePlugin.php @@ -166,7 +166,7 @@ class MemcachePlugin extends Plugin if (is_array($this->servers)) { foreach ($this->servers as $server) { - list($host, $port) = explode(';', $server); + list($host, $port) = @explode(';', $server); if (empty($port)) { $port = 11211; } -- cgit v1.2.3-54-g00ecf From e8abb0c2ed7219dbcca4e879db36584c3d026bc0 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Wed, 13 Jan 2010 21:35:47 -0800 Subject: fix for non-% memory soft limit --- lib/iomaster.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/iomaster.php b/lib/iomaster.php index aff5b145c..5d1071a39 100644 --- a/lib/iomaster.php +++ b/lib/iomaster.php @@ -231,7 +231,7 @@ class IoMaster return -1; } } else { - return $this->parseMemoryLimit($limit); + return $this->parseMemoryLimit($softLimit); } return $softLimit; } -- cgit v1.2.3-54-g00ecf From 7211896b2f64707ac2755d81bb774fba823552c4 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Thu, 14 Jan 2010 00:19:25 -0800 Subject: Keep handler registration per-site to fix queue registration in mixed config environment --- lib/stompqueuemanager.php | 47 +++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 47 insertions(+) diff --git a/lib/stompqueuemanager.php b/lib/stompqueuemanager.php index 3090e0bfb..a7d735d1c 100644 --- a/lib/stompqueuemanager.php +++ b/lib/stompqueuemanager.php @@ -66,10 +66,57 @@ class StompQueueManager extends QueueManager * * @fixme possibly actually do subscription here to save another * loop over all sites later? + * @fixme possibly don't assume it's the current site */ public function addSite($server) { $this->sites[] = $server; + $this->initialize(); + } + + + /** + * Instantiate the appropriate QueueHandler class for the given queue. + * + * @param string $queue + * @return mixed QueueHandler or null + */ + function getHandler($queue) + { + $handlers = $this->handlers[common_config('site', 'server')]; + if (isset($handlers[$queue])) { + $class = $handlers[$queue]; + if (class_exists($class)) { + return new $class(); + } else { + common_log(LOG_ERR, "Nonexistent handler class '$class' for queue '$queue'"); + } + } else { + common_log(LOG_ERR, "Requested handler for unkown queue '$queue'"); + } + return null; + } + + /** + * Get a list of all registered queue transport names. + * + * @return array of strings + */ + function getQueues() + { + return array_keys($this->handlers[common_config('site', 'server')]); + } + + /** + * Register a queue transport name and handler class for your plugin. + * Only registered transports will be reliably picked up! + * + * @param string $transport + * @param string $class + */ + public function connect($transport, $class) + { + $this->handlers[common_config('site', 'server')][$transport] = $class; } /** -- cgit v1.2.3-54-g00ecf From 532a174fc0cbc1e2cecce8a5d732e21ef41c312e Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Thu, 14 Jan 2010 14:07:24 -0800 Subject: Clean up host/port separation in memcached plugin -- use : not ; as separator and clean up some warnings --- plugins/MemcachePlugin.php | 20 +++++++++----------- 1 file changed, 9 insertions(+), 11 deletions(-) diff --git a/plugins/MemcachePlugin.php b/plugins/MemcachePlugin.php index bc7fd9076..5214ab9c8 100644 --- a/plugins/MemcachePlugin.php +++ b/plugins/MemcachePlugin.php @@ -165,20 +165,18 @@ class MemcachePlugin extends Plugin $this->_conn = new Memcache(); if (is_array($this->servers)) { - foreach ($this->servers as $server) { - list($host, $port) = @explode(';', $server); - if (empty($port)) { - $port = 11211; - } - - $this->_conn->addServer($host, $port, $this->persistent); - } + $servers = $this->servers; } else { - $this->_conn->addServer($this->servers, $this->persistent); - list($host, $port) = explode(';', $this->servers); - if (empty($port)) { + $servers = array($this->servers); + } + foreach ($servers as $server) { + if (strpos($server, ':') !== false) { + list($host, $port) = explode(':', $server); + } else { + $host = $server; $port = 11211; } + $this->_conn->addServer($host, $port, $this->persistent); } -- cgit v1.2.3-54-g00ecf From 31940f930953ef16d828e359155df3950668bcde Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Thu, 14 Jan 2010 23:29:16 +0100 Subject: Fix i18n issue: please number variables when using more than one to allow word order changes without unexpected results. --- actions/apioauthauthorize.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/actions/apioauthauthorize.php b/actions/apioauthauthorize.php index fa074c4e7..19128bdce 100644 --- a/actions/apioauthauthorize.php +++ b/actions/apioauthauthorize.php @@ -303,8 +303,8 @@ class ApiOauthAuthorizeAction extends ApiOauthAction $access = ($this->app->access_type & Oauth_application::$writeAccess) ? 'access and update' : 'access'; - $msg = _("The application %s by %s would like " . - "the ability to %s your account data."); + $msg = _("The application %1$s by %2$s would like " . + "the ability to %3$s your account data."); $this->raw(sprintf($msg, $this->app->name, -- cgit v1.2.3-54-g00ecf From 68a2e46390092f034101bf1a1c9fc4a5ecc41b06 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Thu, 14 Jan 2010 23:32:40 +0100 Subject: Make page titles more consistent: no title case in four cases. --- actions/confirmaddress.php | 2 +- actions/editapplication.php | 2 +- actions/newapplication.php | 2 +- actions/othersettings.php | 2 +- 4 files changed, 4 insertions(+), 4 deletions(-) diff --git a/actions/confirmaddress.php b/actions/confirmaddress.php index 6fd74f3ff..cc8351d8d 100644 --- a/actions/confirmaddress.php +++ b/actions/confirmaddress.php @@ -141,7 +141,7 @@ class ConfirmaddressAction extends Action function title() { - return _('Confirm Address'); + return _('Confirm address'); } /** diff --git a/actions/editapplication.php b/actions/editapplication.php index 9cc3e3cea..3b120259a 100644 --- a/actions/editapplication.php +++ b/actions/editapplication.php @@ -51,7 +51,7 @@ class EditApplicationAction extends OwnerDesignAction function title() { - return _('Edit Application'); + return _('Edit application'); } /** diff --git a/actions/newapplication.php b/actions/newapplication.php index c499fe7c7..bc5b4edaf 100644 --- a/actions/newapplication.php +++ b/actions/newapplication.php @@ -49,7 +49,7 @@ class NewApplicationAction extends OwnerDesignAction function title() { - return _('New Application'); + return _('New application'); } /** diff --git a/actions/othersettings.php b/actions/othersettings.php index 0de7cd908..10e9873b3 100644 --- a/actions/othersettings.php +++ b/actions/othersettings.php @@ -57,7 +57,7 @@ class OthersettingsAction extends AccountSettingsAction function title() { - return _('Other Settings'); + return _('Other settings'); } /** -- cgit v1.2.3-54-g00ecf From 7ef6c9da437b504f949dc3d7d8c05f8abe36baae Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Thu, 14 Jan 2010 23:36:13 +0100 Subject: Fix inconsistent title case in page title --- actions/oauthconnectionssettings.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/actions/oauthconnectionssettings.php b/actions/oauthconnectionssettings.php index b17729b82..c2e8d441b 100644 --- a/actions/oauthconnectionssettings.php +++ b/actions/oauthconnectionssettings.php @@ -68,7 +68,7 @@ class OauthconnectionssettingsAction extends ConnectSettingsAction function title() { - return _('Connected Applications'); + return _('Connected applications'); } function isReadOnly($args) -- cgit v1.2.3-54-g00ecf From c8f67dd1a4f247219fe248bfa1c3d79c3f98a998 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Thu, 14 Jan 2010 23:37:06 +0100 Subject: Fix casing for HMAC-SHA1. --- actions/showapplication.php | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/actions/showapplication.php b/actions/showapplication.php index 049206375..a6ff425c7 100644 --- a/actions/showapplication.php +++ b/actions/showapplication.php @@ -265,7 +265,7 @@ class ShowApplicationAction extends OwnerDesignAction $this->elementEnd('dl'); $this->element('p', 'note', - _('Note: We support hmac-sha1 signatures. We do not support the plaintext signature method.')); + _('Note: We support HMAC-SHA1 signatures. We do not support the plaintext signature method.')); $this->elementEnd('div'); $this->elementStart('p', array('id' => 'application_action')); @@ -325,4 +325,3 @@ class ShowApplicationAction extends OwnerDesignAction } } - -- cgit v1.2.3-54-g00ecf From 6d8469947e69dda5ef69fd8ce882db1ceb3d7c01 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Thu, 14 Jan 2010 23:38:29 +0100 Subject: Make more complete sentence. --- lib/applicationeditform.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/applicationeditform.php b/lib/applicationeditform.php index 040d3bf74..6f03a9bed 100644 --- a/lib/applicationeditform.php +++ b/lib/applicationeditform.php @@ -203,7 +203,7 @@ class ApplicationEditForm extends Form $maxDesc = Oauth_application::maxDesc(); if ($maxDesc > 0) { - $descInstr = sprintf(_('Describe your application in %d chars'), + $descInstr = sprintf(_('Describe your application in %d characters'), $maxDesc); } else { $descInstr = _('Describe your application'); -- cgit v1.2.3-54-g00ecf From 882712dbac48fae4e629cc2092180fd3e55ae862 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Thu, 14 Jan 2010 23:40:11 +0100 Subject: Add Brion Vibber to contributors. --- actions/version.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/actions/version.php b/actions/version.php index c1f673c45..b6593e5ed 100644 --- a/actions/version.php +++ b/actions/version.php @@ -266,5 +266,6 @@ class VersionAction extends Action 'Craig Andrews', 'mEDI', 'Brett Taylor', - 'Brigitte Schuster'); + 'Brigitte Schuster', + 'Brion Vibber'); } -- cgit v1.2.3-54-g00ecf From c82c43d5eebfdd74dc0846136ef8bda97683ae4d Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Thu, 14 Jan 2010 23:43:44 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans --- locale/ar/LC_MESSAGES/statusnet.po | 710 ++++++++++++++++++++++++---------- locale/arz/LC_MESSAGES/statusnet.po | 710 ++++++++++++++++++++++++---------- locale/bg/LC_MESSAGES/statusnet.po | 523 ++++++++++++++++++++----- locale/ca/LC_MESSAGES/statusnet.po | 526 ++++++++++++++++++++----- locale/cs/LC_MESSAGES/statusnet.po | 517 ++++++++++++++++++++----- locale/de/LC_MESSAGES/statusnet.po | 524 ++++++++++++++++++++----- locale/el/LC_MESSAGES/statusnet.po | 506 +++++++++++++++++++----- locale/en_GB/LC_MESSAGES/statusnet.po | 523 ++++++++++++++++++++----- locale/es/LC_MESSAGES/statusnet.po | 523 ++++++++++++++++++++----- locale/fa/LC_MESSAGES/statusnet.po | 517 ++++++++++++++++++++----- locale/fi/LC_MESSAGES/statusnet.po | 529 ++++++++++++++++++++----- locale/fr/LC_MESSAGES/statusnet.po | 542 +++++++++++++++++++++----- locale/ga/LC_MESSAGES/statusnet.po | 529 ++++++++++++++++++++----- locale/he/LC_MESSAGES/statusnet.po | 516 +++++++++++++++++++----- locale/hsb/LC_MESSAGES/statusnet.po | 519 ++++++++++++++++++++----- locale/ia/LC_MESSAGES/statusnet.po | 516 +++++++++++++++++++----- locale/is/LC_MESSAGES/statusnet.po | 522 ++++++++++++++++++++----- locale/it/LC_MESSAGES/statusnet.po | 525 ++++++++++++++++++++----- locale/ja/LC_MESSAGES/statusnet.po | 536 ++++++++++++++++++++----- locale/ko/LC_MESSAGES/statusnet.po | 522 ++++++++++++++++++++----- locale/mk/LC_MESSAGES/statusnet.po | 538 +++++++++++++++++++++----- locale/nb/LC_MESSAGES/statusnet.po | 514 +++++++++++++++++++----- locale/nl/LC_MESSAGES/statusnet.po | 550 +++++++++++++++++++++----- locale/nn/LC_MESSAGES/statusnet.po | 522 ++++++++++++++++++++----- locale/pl/LC_MESSAGES/statusnet.po | 538 +++++++++++++++++++++----- locale/pt/LC_MESSAGES/statusnet.po | 523 ++++++++++++++++++++----- locale/pt_BR/LC_MESSAGES/statusnet.po | 527 ++++++++++++++++++++----- locale/ru/LC_MESSAGES/statusnet.po | 523 ++++++++++++++++++++----- locale/statusnet.po | 485 +++++++++++++++++++---- locale/sv/LC_MESSAGES/statusnet.po | 525 ++++++++++++++++++++----- locale/te/LC_MESSAGES/statusnet.po | 520 ++++++++++++++++++++----- locale/tr/LC_MESSAGES/statusnet.po | 518 ++++++++++++++++++++----- locale/uk/LC_MESSAGES/statusnet.po | 540 +++++++++++++++++++++----- locale/vi/LC_MESSAGES/statusnet.po | 521 ++++++++++++++++++++----- locale/zh_CN/LC_MESSAGES/statusnet.po | 525 ++++++++++++++++++++----- locale/zh_TW/LC_MESSAGES/statusnet.po | 511 +++++++++++++++++++----- 36 files changed, 15721 insertions(+), 3494 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index 4e63e3e33..4e20f533a 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:04:40+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:40:56+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" @@ -35,7 +35,7 @@ msgstr "لا صÙحة كهذه" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -146,7 +146,7 @@ msgstr "لم يتم العثور على وسيلة API." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "تتطلب هذه الطريقة POST." @@ -175,8 +175,9 @@ msgstr "لم يمكن Ø­Ùظ الملÙ." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -254,18 +255,16 @@ msgid "No status found with that ID." msgstr "" #: actions/apifavoritecreate.php:119 -#, fuzzy msgid "This status is already a favorite." -msgstr "هذا الإشعار Ù…Ùضلة مسبقًا!" +msgstr "هذه الحالة Ù…Ùضلة بالÙعل." #: actions/apifavoritecreate.php:130 actions/favor.php:84 lib/command.php:176 msgid "Could not create favorite." msgstr "تعذّر إنشاء Ù…Ùضلة." #: actions/apifavoritedestroy.php:122 -#, fuzzy msgid "That status is not a favorite." -msgstr "تلك الحالة ليست Ù…Ùضلة!" +msgstr "تلك الحالة ليست Ù…Ùضلة." #: actions/apifavoritedestroy.php:134 actions/disfavor.php:87 msgid "Could not delete favorite." @@ -285,9 +284,8 @@ msgid "Could not unfollow user: User not found." msgstr "" #: actions/apifriendshipsdestroy.php:120 -#, fuzzy msgid "You cannot unfollow yourself." -msgstr "لا يمكنك منع Ù†Ùسك!" +msgstr "لا يمكنك عدم متابعة Ù†Ùسك." #: actions/apifriendshipsexists.php:94 msgid "Two user ids or screen_names must be supplied." @@ -319,7 +317,8 @@ msgstr "" msgid "Not a valid nickname." msgstr "ليس اسمًا مستعارًا صحيحًا." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -331,7 +330,8 @@ msgstr "الصÙحة الرئيسية ليست عنونًا صالحًا." msgid "Full name is too long (max 255 chars)." msgstr "الاسم الكامل طويل جدا (الأقصى 255 حرÙًا)" -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "" @@ -380,18 +380,18 @@ msgid "You have been blocked from that group by the admin." msgstr "" #: actions/apigroupjoin.php:138 actions/joingroup.php:124 -#, fuzzy, php-format +#, php-format msgid "Could not join user %1$s to group %2$s." -msgstr "تعذّر إنشاء المجموعة." +msgstr "لم يمكن ضم المستخدم %1$s إلى المجموعة %2$s." #: actions/apigroupleave.php:114 msgid "You are not a member of this group." msgstr "" #: actions/apigroupleave.php:124 actions/leavegroup.php:119 -#, fuzzy, php-format +#, php-format msgid "Could not remove user %1$s from group %2$s." -msgstr "تعذّر إنشاء المجموعة." +msgstr "لم يمكن إزالة المستخدم %1$s من المجموعة %2$s." #: actions/apigrouplist.php:95 #, php-format @@ -408,6 +408,102 @@ msgstr "مجموعات %s" msgid "groups on %s" msgstr "مجموعات %s" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "" + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "اسم مستخدم أو كلمة سر غير صالحة." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "خطأ أثناء ضبط المستخدم." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "خطأ ÙÙŠ إدراج الأÙتار" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "" + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "الحساب" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "الاسم المستعار" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "كلمة السر" + +#: actions/apioauthauthorize.php:338 +#, fuzzy +msgid "Deny" +msgstr "التصميم" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "الكل" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "" @@ -437,17 +533,17 @@ msgstr "Ø­ÙØ°ÙÙت الحالة." msgid "No status with that ID found." msgstr "" -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "" -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "لم يوجد" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -591,29 +687,6 @@ msgstr "ارÙع" msgid "Crop" msgstr "" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "" - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "" - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "" @@ -688,9 +761,9 @@ msgid "%s blocked profiles" msgstr "" #: actions/blockedfromgroup.php:93 -#, fuzzy, php-format +#, php-format msgid "%1$s blocked profiles, page %2$d" -msgstr "مشتركو %sØŒ الصÙحة %d" +msgstr "%1$s ملÙات ممنوعة, الصÙحة %2$d" #: actions/blockedfromgroup.php:108 msgid "A list of the users blocked from joining this group." @@ -747,7 +820,8 @@ msgid "Couldn't delete email confirmation." msgstr "تعذّر حذ٠تأكيد البريد الإلكتروني." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "عنوان التأكيد" #: actions/confirmaddress.php:159 @@ -929,7 +1003,8 @@ msgstr "ارجع إلى المبدئي" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "أرسل" @@ -950,6 +1025,86 @@ msgstr "أض٠إلى المÙضلات" msgid "No such document." msgstr "لا مستند كهذا." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "يجب أن تلج لتÙعدّل المجموعات." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "لست عضوا ÙÙŠ تلك المجموعة." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "لا إشعار كهذا." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "استخدم هذا النموذج لتعديل المجموعة." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "Ù†Ùس كلمة السر أعلاه. مطلوب." + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "الاسم الكامل طويل جدا (الأقصى 255 حرÙًا)" + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "الوصÙ" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "الصÙحة الرئيسية ليست عنونًا صالحًا." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "الاسم الكامل طويل جدا (الأقصى 255 حرÙًا)" + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "تعذر تحديث المجموعة." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -961,9 +1116,8 @@ msgstr "يجب أن تكون والجًا لتنشئ مجموعة." #: actions/editgroup.php:103 actions/editgroup.php:168 #: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 -#, fuzzy msgid "You must be an admin to edit the group." -msgstr "يجب أن تكون إداريًا لتعدّل المجموعة" +msgstr "يجب أن تكون إداريا لتعدل المجموعة." #: actions/editgroup.php:154 msgid "Use this form to edit the group." @@ -987,7 +1141,6 @@ msgid "Options saved." msgstr "Ø­ÙÙظت الخيارات." #: actions/emailsettings.php:60 -#, fuzzy msgid "Email settings" msgstr "إعدادات البريد الإلكتروني" @@ -1018,14 +1171,14 @@ msgid "" msgstr "" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "ألغÙ" #: actions/emailsettings.php:121 -#, fuzzy msgid "Email address" -msgstr "عناوين البريد الإلكتروني" +msgstr "عنوان البريد الإلكتروني" #: actions/emailsettings.php:123 msgid "Email address, like \"UserName@example.org\"" @@ -1374,9 +1527,8 @@ msgid "" msgstr "" #: actions/grouplogo.php:178 -#, fuzzy msgid "User without matching profile." -msgstr "ليس للمستخدم مل٠شخصي." +msgstr "المستخدم بدون مل٠مطابق." #: actions/grouplogo.php:362 msgid "Pick a square area of the image to be the logo." @@ -1396,9 +1548,9 @@ msgid "%s group members" msgstr "أعضاء مجموعة %s" #: actions/groupmembers.php:96 -#, fuzzy, php-format +#, php-format msgid "%1$s group members, page %2$d" -msgstr "مجموعات %sØŒ صÙحة %d" +msgstr "%1$s أعضاء المجموعة, الصÙحة %2$d" #: actions/groupmembers.php:111 msgid "A list of the users in this group." @@ -1496,7 +1648,6 @@ msgid "Error removing the block." msgstr "خطأ أثناء منع الحجب." #: actions/imsettings.php:59 -#, fuzzy msgid "IM settings" msgstr "إعدادات المراسلة الÙورية" @@ -1523,7 +1674,6 @@ msgid "" msgstr "" #: actions/imsettings.php:124 -#, fuzzy msgid "IM address" msgstr "عنوان المراسلة الÙورية" @@ -1657,7 +1807,7 @@ msgstr "رسالة شخصية" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "أرسل" @@ -1702,9 +1852,9 @@ msgid "You must be logged in to join a group." msgstr "" #: actions/joingroup.php:131 -#, fuzzy, php-format +#, php-format msgid "%1$s joined group %2$s" -msgstr "%s انضم إلى مجموعة %s" +msgstr "%1$s انضم للمجموعة %2$s" #: actions/leavegroup.php:60 msgid "You must be logged in to leave a group." @@ -1715,9 +1865,9 @@ msgid "You are not a member of that group." msgstr "لست عضوا ÙÙŠ تلك المجموعة." #: actions/leavegroup.php:127 -#, fuzzy, php-format +#, php-format msgid "%1$s left group %2$s" -msgstr "%s انضم إلى مجموعة %s" +msgstr "%1$s ترك المجموعة %2$s" #: actions/login.php:80 actions/otp.php:62 actions/register.php:137 msgid "Already logged in." @@ -1740,17 +1890,6 @@ msgstr "Ù„Ùج" msgid "Login to site" msgstr "Ù„Ùج إلى الموقع" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "الاسم المستعار" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "كلمة السر" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "تذكّرني" @@ -1786,19 +1925,42 @@ msgid "%1$s is already an admin for group \"%2$s\"." msgstr "" #: actions/makeadmin.php:132 -#, fuzzy, php-format +#, php-format msgid "Can't get membership record for %1$s in group %2$s." -msgstr "تعذّر إنشاء المجموعة." +msgstr "لم يمكن الحصول على تسجيل العضوية Ù„%1$s ÙÙŠ المجموعة %2$s." #: actions/makeadmin.php:145 -#, fuzzy, php-format +#, php-format msgid "Can't make %1$s an admin for group %2$s." -msgstr "تعذّر إنشاء المجموعة." +msgstr "لم يمكن جعل %1$s إداريا للمجموعة %2$s." #: actions/microsummary.php:69 msgid "No current status" msgstr "لا حالة حالية" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "يجب أن تكون والجًا لتنشئ مجموعة." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "استخدم هذا النموذج لإنشاء مجموعة جديدة." + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "تعذّر إنشاء الكنى." + #: actions/newgroup.php:53 msgid "New group" msgstr "مجموعة جديدة" @@ -1834,9 +1996,9 @@ msgid "Message sent" msgstr "Ø£Ùرسلت الرسالة" #: actions/newmessage.php:185 -#, fuzzy, php-format +#, php-format msgid "Direct message to %s sent." -msgstr "رسالة مباشرة %s" +msgstr "رسالة مباشرة Ù„%s تم إرسالها." #: actions/newmessage.php:210 actions/newnotice.php:245 lib/channel.php:170 msgid "Ajax Error" @@ -1862,9 +2024,9 @@ msgid "Text search" msgstr "بحث ÙÙŠ النصوص" #: actions/noticesearch.php:91 -#, fuzzy, php-format +#, php-format msgid "Search results for \"%1$s\" on %2$s" -msgstr "نتائج البحث عن \"%s\" ÙÙŠ %s" +msgstr "نتائج البحث Ù„\"%1$s\" على %2$s" #: actions/noticesearch.php:121 #, php-format @@ -1903,6 +2065,51 @@ msgstr "أرسل التنبيه" msgid "Nudge sent!" msgstr "Ø£Ùرسل التنبيه!" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "يجب أن تلج لتÙعدّل المجموعات." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "خيارات أخرى" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "لست عضوا ÙÙŠ تلك المجموعة." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "" @@ -1920,8 +2127,8 @@ msgstr "نوع المحتوى " msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "ليس نسق بيانات مدعوم." @@ -1934,7 +2141,8 @@ msgid "Notice Search" msgstr "بحث الإشعارات" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "إعدادات أخرى" #: actions/othersettings.php:71 @@ -1966,29 +2174,24 @@ msgid "URL shortening service is too long (max 50 chars)." msgstr "" #: actions/otp.php:69 -#, fuzzy msgid "No user ID specified." -msgstr "لا مجموعة Ù…Ùحدّدة." +msgstr "لا هوية مستخدم محددة." #: actions/otp.php:83 -#, fuzzy msgid "No login token specified." -msgstr "لا ملاحظة محددة." +msgstr "لا محتوى دخول محدد." #: actions/otp.php:90 -#, fuzzy msgid "No login token requested." -msgstr "لا طلب استيثاق!" +msgstr "لا طلب استيثاق." #: actions/otp.php:95 -#, fuzzy msgid "Invalid login token specified." -msgstr "لا ملاحظة محددة." +msgstr "توكن دخول غير صحيح محدد." #: actions/otp.php:104 -#, fuzzy msgid "Login token expired." -msgstr "Ù„Ùج إلى الموقع" +msgstr "توكن الدخول انتهى." #: actions/outbox.php:61 #, php-format @@ -2186,9 +2389,8 @@ msgid "When to use SSL" msgstr "" #: actions/pathsadminpanel.php:308 -#, fuzzy msgid "SSL server" -msgstr "خادوم SSL" +msgstr "خادم SSL" #: actions/pathsadminpanel.php:309 msgid "Server to direct SSL requests to" @@ -2252,7 +2454,7 @@ msgid "Full name" msgstr "الاسم الكامل" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "الصÙحة الرئيسية" @@ -2812,6 +3014,83 @@ msgstr "" msgid "User is already sandboxed." msgstr "" +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "يجب أن تلج لتÙعدّل المجموعات." + +#: actions/showapplication.php:158 +msgid "Application profile" +msgstr "" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +msgid "Name" +msgstr "الاسم" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "الدعوات" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "الوصÙ" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "إحصاءات" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +#, fuzzy +msgid "Authorize URL" +msgstr "المؤلÙ" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "" @@ -2921,10 +3200,6 @@ msgstr "(لا شيء)" msgid "All members" msgstr "جميع الأعضاء" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "إحصاءات" - #: actions/showgroup.php:432 msgid "Created" msgstr "أنشئ" @@ -3061,14 +3336,13 @@ msgid "Site name must have non-zero length." msgstr "يجب ألا يكون طول اسم الموقع صÙرًا." #: actions/siteadminpanel.php:154 -#, fuzzy msgid "You must have a valid contact email address." -msgstr "يجب أن تملك عنوان بريد إلكتروني صالح للاتصال" +msgstr "يجب أن تملك عنوان بريد إلكتروني صحيح." #: actions/siteadminpanel.php:172 -#, fuzzy, php-format +#, php-format msgid "Unknown language \"%s\"." -msgstr "لغة غير معروÙØ© \"%s\"" +msgstr "لغة غير معروÙØ© \"%s\"." #: actions/siteadminpanel.php:179 msgid "Invalid snapshot report URL." @@ -3247,7 +3521,6 @@ msgid "Save site settings" msgstr "اذ٠إعدادت الموقع" #: actions/smssettings.php:58 -#, fuzzy msgid "SMS settings" msgstr "إعدادات الرسائل القصيرة" @@ -3277,9 +3550,8 @@ msgid "Enter the code you received on your phone." msgstr "" #: actions/smssettings.php:138 -#, fuzzy msgid "SMS phone number" -msgstr "لا رقم هاتÙ." +msgstr "رقم هات٠SMS" #: actions/smssettings.php:140 msgid "Phone number, no punctuation or spaces, with area code" @@ -3362,9 +3634,9 @@ msgid "%s subscribers" msgstr "مشتركو %s" #: actions/subscribers.php:52 -#, fuzzy, php-format +#, php-format msgid "%1$s subscribers, page %2$d" -msgstr "مشتركو %sØŒ الصÙحة %d" +msgstr "مشتركو %1$s, الصÙحة %2$d" #: actions/subscribers.php:63 msgid "These are the people who listen to your notices." @@ -3399,9 +3671,9 @@ msgid "%s subscriptions" msgstr "اشتراكات %s" #: actions/subscriptions.php:54 -#, fuzzy, php-format +#, php-format msgid "%1$s subscriptions, page %2$d" -msgstr "اشتراكات %sØŒ الصÙحة %d" +msgstr "اشتراكات%1$s, الصÙحة %2$d" #: actions/subscriptions.php:65 msgid "These are the people whose notices you listen to." @@ -3733,9 +4005,9 @@ msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" #: actions/version.php:73 -#, fuzzy, php-format +#, php-format msgid "StatusNet %s" -msgstr "إحصاءات" +msgstr "ستاتس نت %s" #: actions/version.php:153 #, php-format @@ -3745,9 +4017,8 @@ msgid "" msgstr "" #: actions/version.php:157 -#, fuzzy msgid "StatusNet" -msgstr "Ø­ÙØ°ÙÙت الحالة." +msgstr "ستاتس نت" #: actions/version.php:161 msgid "Contributors" @@ -3780,24 +4051,13 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -#, fuzzy -msgid "Name" -msgstr "الاسم المستعار" - #: actions/version.php:196 lib/action.php:741 -#, fuzzy msgid "Version" -msgstr "الجلسات" +msgstr "النسخة" #: actions/version.php:197 -#, fuzzy msgid "Author(s)" -msgstr "المؤلÙ" - -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "الوصÙ" +msgstr "المؤلÙ(ون)" #: classes/File.php:144 #, php-format @@ -3817,19 +4077,16 @@ msgid "A file this large would exceed your monthly quota of %d bytes." msgstr "" #: classes/Group_member.php:41 -#, fuzzy msgid "Group join failed." -msgstr "مل٠المجموعة الشخصي" +msgstr "الانضمام للمجموعة Ùشل." #: classes/Group_member.php:53 -#, fuzzy msgid "Not part of group." -msgstr "تعذر تحديث المجموعة." +msgstr "ليس جزءا من المجموعة." #: classes/Group_member.php:60 -#, fuzzy msgid "Group leave failed." -msgstr "مل٠المجموعة الشخصي" +msgstr "ترك المجموعة Ùشل." #: classes/Login_token.php:76 #, php-format @@ -3932,9 +4189,9 @@ msgid "Other options" msgstr "خيارات أخرى" #: lib/action.php:144 -#, fuzzy, php-format +#, php-format msgid "%1$s - %2$s" -msgstr "%1$s (%2$s)" +msgstr "%1$s - %2$s" #: lib/action.php:159 msgid "Untitled page" @@ -3952,10 +4209,6 @@ msgstr "الرئيسية" msgid "Personal profile and friends timeline" msgstr "المل٠الشخصي ومسار الأصدقاء الزمني" -#: lib/action.php:435 -msgid "Account" -msgstr "الحساب" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "" @@ -4110,18 +4363,13 @@ msgstr "بعد" msgid "Before" msgstr "قبل" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "" - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "" #: lib/adminpanelaction.php:107 -#, fuzzy msgid "Changes to that panel are not allowed." -msgstr "لا ÙŠÙسمح بالتسجيل." +msgstr "التغييرات لهذه اللوحة غير مسموح بها." #: lib/adminpanelaction.php:206 msgid "showForm() not implemented." @@ -4147,6 +4395,70 @@ msgstr "ضبط التصميم" msgid "Paths configuration" msgstr "ضبط المسارات" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, php-format +msgid "Describe your application in %d characters" +msgstr "" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "الوصÙ" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "المصدر" + +#: lib/applicationeditform.php:220 +msgid "URL of the homepage of this application" +msgstr "" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +msgid "URL for the homepage of the organization" +msgstr "" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "أزل" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "مرÙقات" @@ -4168,14 +4480,12 @@ msgid "Tags for this attachment" msgstr "وسوم هذا المرÙÙ‚" #: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 -#, fuzzy msgid "Password changing failed" -msgstr "تغيير كلمة السر" +msgstr "تغيير كلمة السر Ùشل" #: lib/authenticationplugin.php:197 -#, fuzzy msgid "Password changing is not allowed" -msgstr "تغيير كلمة السر" +msgstr "تغيير كلمة السر غير مسموح به" #: lib/channel.php:138 lib/channel.php:158 msgid "Command results" @@ -4194,18 +4504,18 @@ msgid "Sorry, this command is not yet implemented." msgstr "" #: lib/command.php:88 -#, fuzzy, php-format +#, php-format msgid "Could not find a user with nickname %s" -msgstr "تعذّر إيجاد المستخدم الهدÙ." +msgstr "لم يمكن إيجاد مستخدم بالاسم %s" #: lib/command.php:92 msgid "It does not make a lot of sense to nudge yourself!" msgstr "" #: lib/command.php:99 -#, fuzzy, php-format +#, php-format msgid "Nudge sent to %s" -msgstr "أرسل التنبيه" +msgstr "التنبيه تم إرساله إلى %s" #: lib/command.php:126 #, php-format @@ -4219,9 +4529,8 @@ msgstr "" "الإشعارات: %3$s" #: lib/command.php:152 lib/command.php:390 lib/command.php:451 -#, fuzzy msgid "Notice with that id does not exist" -msgstr "لا مل٠بهذه الهوية." +msgstr "الملاحظة بهذا الرقم غير موجودة" #: lib/command.php:168 lib/command.php:406 lib/command.php:467 #: lib/command.php:523 @@ -4233,14 +4542,13 @@ msgid "Notice marked as fave." msgstr "" #: lib/command.php:217 -#, fuzzy msgid "You are already a member of that group" -msgstr "لست عضوا ÙÙŠ تلك المجموعة." +msgstr "أنت بالÙعل عضو ÙÙŠ هذه المجموعة" #: lib/command.php:231 -#, fuzzy, php-format +#, php-format msgid "Could not join user %s to group %s" -msgstr "تعذّر إنشاء المجموعة." +msgstr "لم يمكن ضم المستخدم %s إلى المجموعة %s" #: lib/command.php:236 #, php-format @@ -4248,14 +4556,14 @@ msgid "%s joined group %s" msgstr "%s انضم إلى مجموعة %s" #: lib/command.php:275 -#, fuzzy, php-format +#, php-format msgid "Could not remove user %s to group %s" -msgstr "تعذّر إنشاء المجموعة." +msgstr "لم يمكن إزالة المستخدم %s من المجموعة %s" #: lib/command.php:280 -#, fuzzy, php-format +#, php-format msgid "%s left group %s" -msgstr "%s انضم إلى مجموعة %s" +msgstr "%s ترك المجموعة %s" #: lib/command.php:309 #, php-format @@ -4283,18 +4591,17 @@ msgid "Message too long - maximum is %d characters, you sent %d" msgstr "" #: lib/command.php:367 -#, fuzzy, php-format +#, php-format msgid "Direct message to %s sent" -msgstr "رسالة مباشرة %s" +msgstr "رسالة مباشرة إلى %s تم إرسالها" #: lib/command.php:369 msgid "Error sending direct message." msgstr "" #: lib/command.php:413 -#, fuzzy msgid "Cannot repeat your own notice" -msgstr "لا يمكنك تكرار ملحوظتك الخاصة." +msgstr "لا يمكنك تكرار ملاحظتك الخاصة" #: lib/command.php:418 msgid "Already repeated that notice" @@ -4481,6 +4788,15 @@ msgstr "" msgid "Updates by SMS" msgstr "" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "اتصل" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "خطأ قاعدة بيانات" @@ -4669,9 +4985,9 @@ msgid "[%s]" msgstr "[%s]" #: lib/jabber.php:385 -#, fuzzy, php-format +#, php-format msgid "Unknown inbox source %d." -msgstr "لغة غير معروÙØ© \"%s\"" +msgstr "مصدر صندوق وارد غير معرو٠%d." #: lib/joinform.php:114 msgid "Join" @@ -4731,9 +5047,9 @@ msgid "" msgstr "" #: lib/mail.php:258 -#, fuzzy, php-format +#, php-format msgid "Bio: %s" -msgstr "السيرة: %s\n" +msgstr "السيرة: %s" #: lib/mail.php:286 #, php-format @@ -4884,9 +5200,9 @@ msgid "Sorry, no incoming email allowed." msgstr "" #: lib/mailhandler.php:228 -#, fuzzy, php-format +#, php-format msgid "Unsupported message type: %s" -msgstr "نسق غير مدعوم." +msgstr "نوع رسالة غير مدعوم: %s" #: lib/mediafile.php:98 lib/mediafile.php:123 msgid "There was a database error while saving your file. Please try again." @@ -4927,9 +5243,8 @@ msgid "File could not be moved to destination directory." msgstr "" #: lib/mediafile.php:201 lib/mediafile.php:237 -#, fuzzy msgid "Could not determine file's MIME type." -msgstr "تعذّر حذ٠المÙضلة." +msgstr "لم يمكن تحديد نوع MIME للملÙ." #: lib/mediafile.php:270 #, php-format @@ -4971,20 +5286,14 @@ msgid "Attach a file" msgstr "أرÙÙ‚ ملÙًا" #: lib/noticeform.php:212 -#, fuzzy msgid "Share my location" -msgstr "لم يمكن Ø­Ùظ تÙضيلات الموقع." +msgstr "شارك موقعي" #: lib/noticeform.php:215 -#, fuzzy msgid "Do not share my location" -msgstr "لم يمكن Ø­Ùظ تÙضيلات الموقع." +msgstr "لا تشارك موقعي" #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5105,9 +5414,8 @@ msgid "Tags in %s's notices" msgstr "" #: lib/plugin.php:114 -#, fuzzy msgid "Unknown" -msgstr "إجراء غير معروÙ" +msgstr "غير معروÙ" #: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 msgid "Subscriptions" @@ -5338,47 +5646,47 @@ msgstr "رسالة" msgid "Moderate" msgstr "" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "قبل لحظات قليلة" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "قبل دقيقة تقريبًا" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "قبل ساعة تقريبًا" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "قبل يوم تقريبا" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "قبل شهر تقريبًا" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "قبل سنة تقريبًا" diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index fbdc01063..6d510c739 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:04:44+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:40:59+0000\n" "Language-Team: Egyptian Spoken Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: out-statusnet\n" @@ -34,7 +34,7 @@ msgstr "لا صÙحه كهذه" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -145,7 +145,7 @@ msgstr "لم يتم العثور على وسيله API." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "تتطلب هذه الطريقه POST." @@ -174,8 +174,9 @@ msgstr "لم يمكن Ø­Ùظ الملÙ." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -253,18 +254,16 @@ msgid "No status found with that ID." msgstr "" #: actions/apifavoritecreate.php:119 -#, fuzzy msgid "This status is already a favorite." -msgstr "هذا الإشعار Ù…Ùضله مسبقًا!" +msgstr "هذه الحاله Ù…Ùضله بالÙعل." #: actions/apifavoritecreate.php:130 actions/favor.php:84 lib/command.php:176 msgid "Could not create favorite." msgstr "تعذّر إنشاء Ù…Ùضله." #: actions/apifavoritedestroy.php:122 -#, fuzzy msgid "That status is not a favorite." -msgstr "تلك الحاله ليست Ù…Ùضلة!" +msgstr "تلك الحاله ليست Ù…Ùضله." #: actions/apifavoritedestroy.php:134 actions/disfavor.php:87 msgid "Could not delete favorite." @@ -284,9 +283,8 @@ msgid "Could not unfollow user: User not found." msgstr "" #: actions/apifriendshipsdestroy.php:120 -#, fuzzy msgid "You cannot unfollow yourself." -msgstr "لا يمكنك منع Ù†Ùسك!" +msgstr "لا يمكنك عدم متابعه Ù†Ùسك." #: actions/apifriendshipsexists.php:94 msgid "Two user ids or screen_names must be supplied." @@ -318,7 +316,8 @@ msgstr "" msgid "Not a valid nickname." msgstr "ليس اسمًا مستعارًا صحيحًا." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -330,7 +329,8 @@ msgstr "الصÙحه الرئيسيه ليست عنونًا صالحًا." msgid "Full name is too long (max 255 chars)." msgstr "الاسم الكامل طويل جدا (الأقصى 255 حرÙًا)" -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "" @@ -379,18 +379,18 @@ msgid "You have been blocked from that group by the admin." msgstr "" #: actions/apigroupjoin.php:138 actions/joingroup.php:124 -#, fuzzy, php-format +#, php-format msgid "Could not join user %1$s to group %2$s." -msgstr "تعذّر إنشاء المجموعه." +msgstr "لم يمكن ضم المستخدم %1$s إلى المجموعه %2$s." #: actions/apigroupleave.php:114 msgid "You are not a member of this group." msgstr "" #: actions/apigroupleave.php:124 actions/leavegroup.php:119 -#, fuzzy, php-format +#, php-format msgid "Could not remove user %1$s from group %2$s." -msgstr "تعذّر إنشاء المجموعه." +msgstr "لم يمكن إزاله المستخدم %1$s من المجموعه %2$s." #: actions/apigrouplist.php:95 #, php-format @@ -407,6 +407,102 @@ msgstr "مجموعات %s" msgid "groups on %s" msgstr "مجموعات %s" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "" + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "اسم مستخدم أو كلمه سر غير صالحه." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "خطأ أثناء ضبط المستخدم." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "خطأ ÙÙ‰ إدراج الأÙتار" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "" + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "الحساب" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "الاسم المستعار" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "كلمه السر" + +#: actions/apioauthauthorize.php:338 +#, fuzzy +msgid "Deny" +msgstr "التصميم" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "الكل" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "" @@ -436,17 +532,17 @@ msgstr "Ø­ÙØ°ÙÙت الحاله." msgid "No status with that ID found." msgstr "" -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "" -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "لم يوجد" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -590,29 +686,6 @@ msgstr "ارÙع" msgid "Crop" msgstr "" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "" - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "" - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "" @@ -687,9 +760,9 @@ msgid "%s blocked profiles" msgstr "" #: actions/blockedfromgroup.php:93 -#, fuzzy, php-format +#, php-format msgid "%1$s blocked profiles, page %2$d" -msgstr "مشتركو %sØŒ الصÙحه %d" +msgstr "%1$s ملÙات ممنوعة, الصÙحه %2$d" #: actions/blockedfromgroup.php:108 msgid "A list of the users blocked from joining this group." @@ -746,7 +819,8 @@ msgid "Couldn't delete email confirmation." msgstr "تعذّر حذ٠تأكيد البريد الإلكترونى." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "عنوان التأكيد" #: actions/confirmaddress.php:159 @@ -928,7 +1002,8 @@ msgstr "ارجع إلى المبدئي" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "أرسل" @@ -949,6 +1024,86 @@ msgstr "أض٠إلى المÙضلات" msgid "No such document." msgstr "لا مستند كهذا." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "يجب أن تلج لتÙعدّل المجموعات." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "لست عضوا ÙÙ‰ تلك المجموعه." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "لا إشعار كهذا." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "استخدم هذا النموذج لتعديل المجموعه." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "Ù†Ùس كلمه السر أعلاه. مطلوب." + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "الاسم الكامل طويل جدا (الأقصى 255 حرÙًا)" + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "الوصÙ" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "الصÙحه الرئيسيه ليست عنونًا صالحًا." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "الاسم الكامل طويل جدا (الأقصى 255 حرÙًا)" + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "تعذر تحديث المجموعه." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -960,9 +1115,8 @@ msgstr "يجب أن تكون والجًا لتنشئ مجموعه." #: actions/editgroup.php:103 actions/editgroup.php:168 #: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 -#, fuzzy msgid "You must be an admin to edit the group." -msgstr "يجب أن تكون إداريًا لتعدّل المجموعة" +msgstr "يجب أن تكون إداريا لتعدل المجموعه." #: actions/editgroup.php:154 msgid "Use this form to edit the group." @@ -986,7 +1140,6 @@ msgid "Options saved." msgstr "Ø­ÙÙظت الخيارات." #: actions/emailsettings.php:60 -#, fuzzy msgid "Email settings" msgstr "إعدادات البريد الإلكتروني" @@ -1017,14 +1170,14 @@ msgid "" msgstr "" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "ألغÙ" #: actions/emailsettings.php:121 -#, fuzzy msgid "Email address" -msgstr "عناوين البريد الإلكتروني" +msgstr "عنوان البريد الإلكتروني" #: actions/emailsettings.php:123 msgid "Email address, like \"UserName@example.org\"" @@ -1373,9 +1526,8 @@ msgid "" msgstr "" #: actions/grouplogo.php:178 -#, fuzzy msgid "User without matching profile." -msgstr "ليس للمستخدم مل٠شخصى." +msgstr "المستخدم بدون مل٠مطابق." #: actions/grouplogo.php:362 msgid "Pick a square area of the image to be the logo." @@ -1395,9 +1547,9 @@ msgid "%s group members" msgstr "أعضاء مجموعه %s" #: actions/groupmembers.php:96 -#, fuzzy, php-format +#, php-format msgid "%1$s group members, page %2$d" -msgstr "مجموعات %sØŒ صÙحه %d" +msgstr "%1$s أعضاء المجموعة, الصÙحه %2$d" #: actions/groupmembers.php:111 msgid "A list of the users in this group." @@ -1495,7 +1647,6 @@ msgid "Error removing the block." msgstr "خطأ أثناء منع الحجب." #: actions/imsettings.php:59 -#, fuzzy msgid "IM settings" msgstr "إعدادات المراسله الÙورية" @@ -1522,7 +1673,6 @@ msgid "" msgstr "" #: actions/imsettings.php:124 -#, fuzzy msgid "IM address" msgstr "عنوان المراسله الÙورية" @@ -1656,7 +1806,7 @@ msgstr "رساله شخصية" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "أرسل" @@ -1701,9 +1851,9 @@ msgid "You must be logged in to join a group." msgstr "" #: actions/joingroup.php:131 -#, fuzzy, php-format +#, php-format msgid "%1$s joined group %2$s" -msgstr "%s انضم إلى مجموعه %s" +msgstr "%1$s انضم للمجموعه %2$s" #: actions/leavegroup.php:60 msgid "You must be logged in to leave a group." @@ -1714,9 +1864,9 @@ msgid "You are not a member of that group." msgstr "لست عضوا ÙÙ‰ تلك المجموعه." #: actions/leavegroup.php:127 -#, fuzzy, php-format +#, php-format msgid "%1$s left group %2$s" -msgstr "%s انضم إلى مجموعه %s" +msgstr "%1$s ترك المجموعه %2$s" #: actions/login.php:80 actions/otp.php:62 actions/register.php:137 msgid "Already logged in." @@ -1739,17 +1889,6 @@ msgstr "Ù„Ùج" msgid "Login to site" msgstr "Ù„Ùج إلى الموقع" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "الاسم المستعار" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "كلمه السر" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "تذكّرني" @@ -1785,19 +1924,42 @@ msgid "%1$s is already an admin for group \"%2$s\"." msgstr "" #: actions/makeadmin.php:132 -#, fuzzy, php-format +#, php-format msgid "Can't get membership record for %1$s in group %2$s." -msgstr "تعذّر إنشاء المجموعه." +msgstr "لم يمكن الحصول على تسجيل العضويه Ù„%1$s ÙÙ‰ المجموعه %2$s." #: actions/makeadmin.php:145 -#, fuzzy, php-format +#, php-format msgid "Can't make %1$s an admin for group %2$s." -msgstr "تعذّر إنشاء المجموعه." +msgstr "لم يمكن جعل %1$s إداريا للمجموعه %2$s." #: actions/microsummary.php:69 msgid "No current status" msgstr "لا حاله حالية" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "يجب أن تكون والجًا لتنشئ مجموعه." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "استخدم هذا النموذج لإنشاء مجموعه جديده." + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "تعذّر إنشاء الكنى." + #: actions/newgroup.php:53 msgid "New group" msgstr "مجموعه جديدة" @@ -1833,9 +1995,9 @@ msgid "Message sent" msgstr "Ø£Ùرسلت الرسالة" #: actions/newmessage.php:185 -#, fuzzy, php-format +#, php-format msgid "Direct message to %s sent." -msgstr "رساله مباشره %s" +msgstr "رساله مباشره Ù„%s تم إرسالها." #: actions/newmessage.php:210 actions/newnotice.php:245 lib/channel.php:170 msgid "Ajax Error" @@ -1861,9 +2023,9 @@ msgid "Text search" msgstr "بحث ÙÙ‰ النصوص" #: actions/noticesearch.php:91 -#, fuzzy, php-format +#, php-format msgid "Search results for \"%1$s\" on %2$s" -msgstr "نتائج البحث عن \"%s\" ÙÙ‰ %s" +msgstr "نتائج البحث Ù„\"%1$s\" على %2$s" #: actions/noticesearch.php:121 #, php-format @@ -1902,6 +2064,51 @@ msgstr "أرسل التنبيه" msgid "Nudge sent!" msgstr "Ø£Ùرسل التنبيه!" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "يجب أن تلج لتÙعدّل المجموعات." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "خيارات أخرى" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "لست عضوا ÙÙ‰ تلك المجموعه." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "" @@ -1919,8 +2126,8 @@ msgstr "نوع المحتوى " msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "ليس نسق بيانات مدعوم." @@ -1933,7 +2140,8 @@ msgid "Notice Search" msgstr "بحث الإشعارات" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "إعدادات أخرى" #: actions/othersettings.php:71 @@ -1965,29 +2173,24 @@ msgid "URL shortening service is too long (max 50 chars)." msgstr "" #: actions/otp.php:69 -#, fuzzy msgid "No user ID specified." -msgstr "لا مجموعه Ù…Ùحدّده." +msgstr "لا هويه مستخدم محدده." #: actions/otp.php:83 -#, fuzzy msgid "No login token specified." -msgstr "لا ملاحظه محدده." +msgstr "لا محتوى دخول محدد." #: actions/otp.php:90 -#, fuzzy msgid "No login token requested." -msgstr "لا طلب استيثاق!" +msgstr "لا طلب استيثاق." #: actions/otp.php:95 -#, fuzzy msgid "Invalid login token specified." -msgstr "لا ملاحظه محدده." +msgstr "توكن دخول غير صحيح محدد." #: actions/otp.php:104 -#, fuzzy msgid "Login token expired." -msgstr "Ù„Ùج إلى الموقع" +msgstr "توكن الدخول انتهى." #: actions/outbox.php:61 #, php-format @@ -2185,9 +2388,8 @@ msgid "When to use SSL" msgstr "" #: actions/pathsadminpanel.php:308 -#, fuzzy msgid "SSL server" -msgstr "خادوم SSL" +msgstr "خادم SSL" #: actions/pathsadminpanel.php:309 msgid "Server to direct SSL requests to" @@ -2251,7 +2453,7 @@ msgid "Full name" msgstr "الاسم الكامل" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "الصÙحه الرئيسية" @@ -2811,6 +3013,83 @@ msgstr "" msgid "User is already sandboxed." msgstr "" +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "يجب أن تلج لتÙعدّل المجموعات." + +#: actions/showapplication.php:158 +msgid "Application profile" +msgstr "" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +msgid "Name" +msgstr "الاسم" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "الدعوات" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "الوصÙ" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "إحصاءات" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +#, fuzzy +msgid "Authorize URL" +msgstr "المؤلÙ" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "" @@ -2920,10 +3199,6 @@ msgstr "(لا شيء)" msgid "All members" msgstr "جميع الأعضاء" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "إحصاءات" - #: actions/showgroup.php:432 msgid "Created" msgstr "أنشئ" @@ -3060,14 +3335,13 @@ msgid "Site name must have non-zero length." msgstr "يجب ألا يكون طول اسم الموقع صÙرًا." #: actions/siteadminpanel.php:154 -#, fuzzy msgid "You must have a valid contact email address." -msgstr "يجب أن تملك عنوان بريد إلكترونى صالح للاتصال" +msgstr "يجب أن تملك عنوان بريد إلكترونى صحيح." #: actions/siteadminpanel.php:172 -#, fuzzy, php-format +#, php-format msgid "Unknown language \"%s\"." -msgstr "لغه غير معروÙÙ‡ \"%s\"" +msgstr "لغه غير معروÙÙ‡ \"%s\"." #: actions/siteadminpanel.php:179 msgid "Invalid snapshot report URL." @@ -3246,7 +3520,6 @@ msgid "Save site settings" msgstr "اذ٠إعدادت الموقع" #: actions/smssettings.php:58 -#, fuzzy msgid "SMS settings" msgstr "إعدادات الرسائل القصيرة" @@ -3276,9 +3549,8 @@ msgid "Enter the code you received on your phone." msgstr "" #: actions/smssettings.php:138 -#, fuzzy msgid "SMS phone number" -msgstr "لا رقم هاتÙ." +msgstr "رقم هات٠SMS" #: actions/smssettings.php:140 msgid "Phone number, no punctuation or spaces, with area code" @@ -3361,9 +3633,9 @@ msgid "%s subscribers" msgstr "مشتركو %s" #: actions/subscribers.php:52 -#, fuzzy, php-format +#, php-format msgid "%1$s subscribers, page %2$d" -msgstr "مشتركو %sØŒ الصÙحه %d" +msgstr "مشتركو %1$s, الصÙحه %2$d" #: actions/subscribers.php:63 msgid "These are the people who listen to your notices." @@ -3398,9 +3670,9 @@ msgid "%s subscriptions" msgstr "اشتراكات %s" #: actions/subscriptions.php:54 -#, fuzzy, php-format +#, php-format msgid "%1$s subscriptions, page %2$d" -msgstr "اشتراكات %sØŒ الصÙحه %d" +msgstr "اشتراكات%1$s, الصÙحه %2$d" #: actions/subscriptions.php:65 msgid "These are the people whose notices you listen to." @@ -3732,9 +4004,9 @@ msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" #: actions/version.php:73 -#, fuzzy, php-format +#, php-format msgid "StatusNet %s" -msgstr "إحصاءات" +msgstr "ستاتس نت %s" #: actions/version.php:153 #, php-format @@ -3744,9 +4016,8 @@ msgid "" msgstr "" #: actions/version.php:157 -#, fuzzy msgid "StatusNet" -msgstr "Ø­ÙØ°ÙÙت الحاله." +msgstr "ستاتس نت" #: actions/version.php:161 msgid "Contributors" @@ -3779,24 +4050,13 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -#, fuzzy -msgid "Name" -msgstr "الاسم المستعار" - #: actions/version.php:196 lib/action.php:741 -#, fuzzy msgid "Version" -msgstr "الجلسات" +msgstr "النسخة" #: actions/version.php:197 -#, fuzzy msgid "Author(s)" -msgstr "المؤلÙ" - -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "الوصÙ" +msgstr "المؤلÙ(ون)" #: classes/File.php:144 #, php-format @@ -3816,19 +4076,16 @@ msgid "A file this large would exceed your monthly quota of %d bytes." msgstr "" #: classes/Group_member.php:41 -#, fuzzy msgid "Group join failed." -msgstr "مل٠المجموعه الشخصي" +msgstr "الانضمام للمجموعه Ùشل." #: classes/Group_member.php:53 -#, fuzzy msgid "Not part of group." -msgstr "تعذر تحديث المجموعه." +msgstr "ليس جزءا من المجموعه." #: classes/Group_member.php:60 -#, fuzzy msgid "Group leave failed." -msgstr "مل٠المجموعه الشخصي" +msgstr "ترك المجموعه Ùشل." #: classes/Login_token.php:76 #, php-format @@ -3931,9 +4188,9 @@ msgid "Other options" msgstr "خيارات أخرى" #: lib/action.php:144 -#, fuzzy, php-format +#, php-format msgid "%1$s - %2$s" -msgstr "%1$s (%2$s)" +msgstr "%1$s - %2$s" #: lib/action.php:159 msgid "Untitled page" @@ -3951,10 +4208,6 @@ msgstr "الرئيسية" msgid "Personal profile and friends timeline" msgstr "المل٠الشخصى ومسار الأصدقاء الزمني" -#: lib/action.php:435 -msgid "Account" -msgstr "الحساب" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "" @@ -4109,18 +4362,13 @@ msgstr "بعد" msgid "Before" msgstr "قبل" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "" - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "" #: lib/adminpanelaction.php:107 -#, fuzzy msgid "Changes to that panel are not allowed." -msgstr "لا ÙŠÙسمح بالتسجيل." +msgstr "التغييرات لهذه اللوحه غير مسموح بها." #: lib/adminpanelaction.php:206 msgid "showForm() not implemented." @@ -4146,6 +4394,70 @@ msgstr "ضبط التصميم" msgid "Paths configuration" msgstr "ضبط المسارات" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, php-format +msgid "Describe your application in %d characters" +msgstr "" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "الوصÙ" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "المصدر" + +#: lib/applicationeditform.php:220 +msgid "URL of the homepage of this application" +msgstr "" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +msgid "URL for the homepage of the organization" +msgstr "" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "أزل" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "مرÙقات" @@ -4167,14 +4479,12 @@ msgid "Tags for this attachment" msgstr "وسوم هذا المرÙÙ‚" #: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 -#, fuzzy msgid "Password changing failed" -msgstr "تغيير كلمه السر" +msgstr "تغيير كلمه السر Ùشل" #: lib/authenticationplugin.php:197 -#, fuzzy msgid "Password changing is not allowed" -msgstr "تغيير كلمه السر" +msgstr "تغيير كلمه السر غير مسموح به" #: lib/channel.php:138 lib/channel.php:158 msgid "Command results" @@ -4193,18 +4503,18 @@ msgid "Sorry, this command is not yet implemented." msgstr "" #: lib/command.php:88 -#, fuzzy, php-format +#, php-format msgid "Could not find a user with nickname %s" -msgstr "تعذّر إيجاد المستخدم الهدÙ." +msgstr "لم يمكن إيجاد مستخدم بالاسم %s" #: lib/command.php:92 msgid "It does not make a lot of sense to nudge yourself!" msgstr "" #: lib/command.php:99 -#, fuzzy, php-format +#, php-format msgid "Nudge sent to %s" -msgstr "أرسل التنبيه" +msgstr "التنبيه تم إرساله إلى %s" #: lib/command.php:126 #, php-format @@ -4218,9 +4528,8 @@ msgstr "" "الإشعارات: %3$s" #: lib/command.php:152 lib/command.php:390 lib/command.php:451 -#, fuzzy msgid "Notice with that id does not exist" -msgstr "لا مل٠بهذه الهويه." +msgstr "الملاحظه بهذا الرقم غير موجودة" #: lib/command.php:168 lib/command.php:406 lib/command.php:467 #: lib/command.php:523 @@ -4232,14 +4541,13 @@ msgid "Notice marked as fave." msgstr "" #: lib/command.php:217 -#, fuzzy msgid "You are already a member of that group" -msgstr "لست عضوا ÙÙ‰ تلك المجموعه." +msgstr "أنت بالÙعل عضو ÙÙ‰ هذه المجموعة" #: lib/command.php:231 -#, fuzzy, php-format +#, php-format msgid "Could not join user %s to group %s" -msgstr "تعذّر إنشاء المجموعه." +msgstr "لم يمكن ضم المستخدم %s إلى المجموعه %s" #: lib/command.php:236 #, php-format @@ -4247,14 +4555,14 @@ msgid "%s joined group %s" msgstr "%s انضم إلى مجموعه %s" #: lib/command.php:275 -#, fuzzy, php-format +#, php-format msgid "Could not remove user %s to group %s" -msgstr "تعذّر إنشاء المجموعه." +msgstr "لم يمكن إزاله المستخدم %s من المجموعه %s" #: lib/command.php:280 -#, fuzzy, php-format +#, php-format msgid "%s left group %s" -msgstr "%s انضم إلى مجموعه %s" +msgstr "%s ترك المجموعه %s" #: lib/command.php:309 #, php-format @@ -4282,18 +4590,17 @@ msgid "Message too long - maximum is %d characters, you sent %d" msgstr "" #: lib/command.php:367 -#, fuzzy, php-format +#, php-format msgid "Direct message to %s sent" -msgstr "رساله مباشره %s" +msgstr "رساله مباشره إلى %s تم إرسالها" #: lib/command.php:369 msgid "Error sending direct message." msgstr "" #: lib/command.php:413 -#, fuzzy msgid "Cannot repeat your own notice" -msgstr "لا يمكنك تكرار ملحوظتك الخاصه." +msgstr "لا يمكنك تكرار ملاحظتك الخاصة" #: lib/command.php:418 msgid "Already repeated that notice" @@ -4480,6 +4787,15 @@ msgstr "" msgid "Updates by SMS" msgstr "" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "اتصل" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "خطأ قاعده بيانات" @@ -4668,9 +4984,9 @@ msgid "[%s]" msgstr "[%s]" #: lib/jabber.php:385 -#, fuzzy, php-format +#, php-format msgid "Unknown inbox source %d." -msgstr "لغه غير معروÙÙ‡ \"%s\"" +msgstr "مصدر صندوق وارد غير معرو٠%d." #: lib/joinform.php:114 msgid "Join" @@ -4730,9 +5046,9 @@ msgid "" msgstr "" #: lib/mail.php:258 -#, fuzzy, php-format +#, php-format msgid "Bio: %s" -msgstr "السيرة: %s\n" +msgstr "السيرة: %s" #: lib/mail.php:286 #, php-format @@ -4883,9 +5199,9 @@ msgid "Sorry, no incoming email allowed." msgstr "" #: lib/mailhandler.php:228 -#, fuzzy, php-format +#, php-format msgid "Unsupported message type: %s" -msgstr "نسق غير مدعوم." +msgstr "نوع رساله غير مدعوم: %s" #: lib/mediafile.php:98 lib/mediafile.php:123 msgid "There was a database error while saving your file. Please try again." @@ -4926,9 +5242,8 @@ msgid "File could not be moved to destination directory." msgstr "" #: lib/mediafile.php:201 lib/mediafile.php:237 -#, fuzzy msgid "Could not determine file's MIME type." -msgstr "تعذّر حذ٠المÙضله." +msgstr "لم يمكن تحديد نوع MIME للملÙ." #: lib/mediafile.php:270 #, php-format @@ -4970,20 +5285,14 @@ msgid "Attach a file" msgstr "أرÙÙ‚ ملÙًا" #: lib/noticeform.php:212 -#, fuzzy msgid "Share my location" -msgstr "لم يمكن Ø­Ùظ تÙضيلات الموقع." +msgstr "شارك موقعي" #: lib/noticeform.php:215 -#, fuzzy msgid "Do not share my location" -msgstr "لم يمكن Ø­Ùظ تÙضيلات الموقع." +msgstr "لا تشارك موقعي" #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5104,9 +5413,8 @@ msgid "Tags in %s's notices" msgstr "" #: lib/plugin.php:114 -#, fuzzy msgid "Unknown" -msgstr "إجراء غير معروÙ" +msgstr "غير معروÙ" #: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 msgid "Subscriptions" @@ -5337,47 +5645,47 @@ msgstr "رسالة" msgid "Moderate" msgstr "" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "قبل لحظات قليلة" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "قبل دقيقه تقريبًا" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "قبل ساعه تقريبًا" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "قبل يوم تقريبا" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "قبل شهر تقريبًا" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "قبل سنه تقريبًا" diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index 7fe8ac423..0ca7150cd 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:04:47+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:41:02+0000\n" "Language-Team: Bulgarian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: out-statusnet\n" @@ -34,7 +34,7 @@ msgstr "ÐÑма такака Ñтраница." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -145,7 +145,7 @@ msgstr "Ðе е открит методът в API." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "Този метод изиÑква заÑвка POST." @@ -174,8 +174,9 @@ msgstr "Грешка при запазване на профила." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -325,7 +326,8 @@ msgstr "Опитайте друг пÑевдоним, този вече е за msgid "Not a valid nickname." msgstr "Ðеправилен пÑевдоним." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -337,7 +339,8 @@ msgstr "ÐдреÑÑŠÑ‚ на личната Ñтраница не е правил msgid "Full name is too long (max 255 chars)." msgstr "Пълното име е твърде дълго (макÑ. 255 знака)" -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "ОпиÑанието е твърде дълго (до %d Ñимвола)." @@ -414,6 +417,101 @@ msgstr "Групи на %s" msgid "groups on %s" msgstr "групи в %s" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "Имаше проблем ÑÑŠÑ ÑеÑиÑта ви в Ñайта. МолÑ, опитайте отново!" + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "Ðеправилно име или парола." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "Грешка в наÑтройките на потребителÑ." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "Грешка в базата от данни — отговор при вмъкването: %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "Ðеочаквано изпращане на форма." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "Сметка" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "ПÑевдоним" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Парола" + +#: actions/apioauthauthorize.php:338 +msgid "Deny" +msgstr "" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "Ð’Ñички" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "Този метод изиÑква заÑвка POST или DELETE." @@ -443,17 +541,17 @@ msgstr "Бележката е изтрита." msgid "No status with that ID found." msgstr "Ðе е открита бележка Ñ Ñ‚Ð°ÐºÑŠÐ² идентификатор." -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Твърде дълга бележка. ТрÑбва да е най-много 140 знака." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "Ðе е открито." -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -599,29 +697,6 @@ msgstr "Качване" msgid "Crop" msgstr "ИзрÑзване" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "Имаше проблем ÑÑŠÑ ÑеÑиÑта ви в Ñайта. МолÑ, опитайте отново!" - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "Ðеочаквано изпращане на форма." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "Изберете квадратна облаÑÑ‚ от изображението за аватар" @@ -757,7 +832,8 @@ msgid "Couldn't delete email confirmation." msgstr "Грешка при изтриване потвърждението по е-поща." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Потвърждаване на адреÑа" #: actions/confirmaddress.php:159 @@ -944,7 +1020,8 @@ msgstr "" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "Запазване" @@ -965,6 +1042,86 @@ msgstr "ДобавÑне към любимите" msgid "No such document." msgstr "ÐÑма такъв документ." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "За да редактирате група, Ñ‚Ñ€Ñбва да Ñте влезли." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Ðе членувате в тази група." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "ÐÑма такава бележка." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "Имаше проблем ÑÑŠÑ ÑеÑиÑта ви в Ñайта." + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "Използвайте тази бланка за Ñъздаване на нова група." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "Същото като паролата по-горе. Задължително поле." + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "Пълното име е твърде дълго (макÑ. 255 знака)" + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "ОпиÑание" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "ÐдреÑÑŠÑ‚ на личната Ñтраница не е правилен URL." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "Името на меÑтоположението е твърде дълго (макÑ. 255 знака)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "Грешка при обновÑване на групата." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1036,7 +1193,8 @@ msgstr "" "Ñпам) за Ñъобщение Ñ ÑƒÐºÐ°Ð·Ð°Ð½Ð¸Ñ." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "Отказ" @@ -1710,7 +1868,7 @@ msgstr "Лично Ñъобщение" msgid "Optionally add a personal message to the invitation." msgstr "Може да добавите и лично Ñъобщение към поканата." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "Прати" @@ -1820,17 +1978,6 @@ msgstr "Вход" msgid "Login to site" msgstr "" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "ПÑевдоним" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Парола" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "Запомни ме" @@ -1883,6 +2030,29 @@ msgstr "За да редактирате групата, Ñ‚Ñ€Ñбва да ÑÑ‚ msgid "No current status" msgstr "" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "За да Ñъздавате група, Ñ‚Ñ€Ñбва да Ñте влезли." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "Използвайте тази бланка за Ñъздаване на нова група." + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "Грешка при отбелÑзване като любима." + #: actions/newgroup.php:53 msgid "New group" msgstr "Ðова група" @@ -1991,6 +2161,51 @@ msgstr "Побутването е изпратено" msgid "Nudge sent!" msgstr "Побутването е изпратено!" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "За да редактирате група, Ñ‚Ñ€Ñбва да Ñте влезли." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "Други наÑтройки" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "Ðе членувате в тази група." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "Бележката нÑма профил" @@ -2008,8 +2223,8 @@ msgstr "вид Ñъдържание " msgid "Only " msgstr "Само " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "Ðеподдържан формат на данните" @@ -2022,7 +2237,8 @@ msgid "Notice Search" msgstr "ТърÑене на бележки" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "Други наÑтройки" #: actions/othersettings.php:71 @@ -2344,7 +2560,7 @@ msgid "Full name" msgstr "Пълно име" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "Лична Ñтраница" @@ -2932,6 +3148,85 @@ msgstr "Ðе може да изпращате ÑÑŠÐ¾Ð±Ñ‰ÐµÐ½Ð¸Ñ Ð´Ð¾ този msgid "User is already sandboxed." msgstr "ПотребителÑÑ‚ ви е блокирал." +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "За напуÑнете група, Ñ‚Ñ€Ñбва да Ñте влезли." + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "Бележката нÑма профил" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +#, fuzzy +msgid "Name" +msgstr "ПÑевдоним" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "Страниране" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "ОпиÑание" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "СтатиÑтики" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +#, fuzzy +msgid "Authorize URL" +msgstr "Ðвтор" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Грешка при изтеглÑне на любимите бележки" @@ -3037,10 +3332,6 @@ msgstr "" msgid "All members" msgstr "Ð’Ñички членове" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "СтатиÑтики" - #: actions/showgroup.php:432 msgid "Created" msgstr "Създадена на" @@ -3929,11 +4220,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -#, fuzzy -msgid "Name" -msgstr "ПÑевдоним" - #: actions/version.php:196 lib/action.php:741 #, fuzzy msgid "Version" @@ -3944,10 +4230,6 @@ msgstr "СеÑии" msgid "Author(s)" msgstr "Ðвтор" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "ОпиÑание" - #: classes/File.php:144 #, php-format msgid "" @@ -4110,10 +4392,6 @@ msgstr "Ðачало" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 -msgid "Account" -msgstr "Сметка" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "ПромÑна на поща, аватар, парола, профил" @@ -4272,10 +4550,6 @@ msgstr "След" msgid "Before" msgstr "Преди" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "Имаше проблем ÑÑŠÑ ÑеÑиÑта ви в Ñайта." - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "Ðе можете да променÑте този Ñайт." @@ -4312,6 +4586,72 @@ msgstr "ÐаÑтройка на оформлението" msgid "Paths configuration" msgstr "ÐаÑтройка на пътищата" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Опишете групата или темата в до %d букви" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "Опишете групата или темата" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "Изходен код" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "ÐÐ´Ñ€ÐµÑ Ð½Ð° Ñтраница, блог или профил в друг Ñайт на групата" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "ÐÐ´Ñ€ÐµÑ Ð½Ð° Ñтраница, блог или профил в друг Ñайт на групата" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "Премахване" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "" @@ -4635,6 +4975,15 @@ msgstr "Бележки през меÑинджър (IM)" msgid "Updates by SMS" msgstr "Бележки през SMS" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "Свързване" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "Грешка в базата от данни" @@ -5152,10 +5501,6 @@ msgid "Do not share my location" msgstr "Грешка при запазване етикетите." #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5521,47 +5866,47 @@ msgstr "Съобщение" msgid "Moderate" msgstr "" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "преди нÑколко Ñекунди" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "преди около минута" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "преди около %d минути" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "преди около чаÑ" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "преди около %d чаÑа" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "преди около ден" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "преди около %d дни" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "преди около меÑец" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "преди около %d меÑеца" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "преди около година" diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index 8ad8d18ec..5c06a13a3 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:04:50+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:41:06+0000\n" "Language-Team: Catalan\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: out-statusnet\n" @@ -34,7 +34,7 @@ msgstr "No existeix la pàgina." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -148,7 +148,7 @@ msgstr "No s'ha trobat el mètode API!" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "Aquest mètode requereix POST." @@ -179,8 +179,9 @@ msgstr "No s'ha pogut guardar el perfil." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -333,7 +334,8 @@ msgstr "Aquest sobrenom ja existeix. Prova un altre. " msgid "Not a valid nickname." msgstr "Sobrenom no vàlid." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -345,7 +347,8 @@ msgstr "La pàgina personal no és un URL vàlid." msgid "Full name is too long (max 255 chars)." msgstr "El teu nom és massa llarg (màx. 255 caràcters)." -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "La descripció és massa llarga (màx. %d caràcters)." @@ -422,6 +425,104 @@ msgstr "%s grups" msgid "groups on %s" msgstr "grups sobre %s" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "" +"Sembla que hi ha hagut un problema amb la teva sessió. Prova-ho de nou, si " +"us plau." + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "Nom d'usuari o contrasenya invàlids." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "Error en configurar l'usuari." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "Hashtag de l'error de la base de dades:%s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "Enviament de formulari inesperat." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "Compte" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "Sobrenom" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Contrasenya" + +#: actions/apioauthauthorize.php:338 +#, fuzzy +msgid "Deny" +msgstr "Disseny" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "Tot" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "Aquest mètode requereix POST o DELETE." @@ -453,17 +554,17 @@ msgstr "S'ha suprimit l'estat." msgid "No status with that ID found." msgstr "No s'ha trobat cap estatus amb la ID trobada." -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Massa llarg. La longitud màxima és de %d caràcters." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "No s'ha trobat" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -608,31 +709,6 @@ msgstr "Puja" msgid "Crop" msgstr "Retalla" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "" -"Sembla que hi ha hagut un problema amb la teva sessió. Prova-ho de nou, si " -"us plau." - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "Enviament de formulari inesperat." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "" @@ -769,7 +845,8 @@ msgid "Couldn't delete email confirmation." msgstr "No s'ha pogut eliminar la confirmació de correu electrònic." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Confirmar adreça" #: actions/confirmaddress.php:159 @@ -956,7 +1033,8 @@ msgstr "" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "Guardar" @@ -977,6 +1055,86 @@ msgstr "Afegeix als preferits" msgid "No such document." msgstr "No existeix aquest document." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "Heu d'iniciar una sessió per editar un grup." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "No sou un membre del grup." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "No existeix aquest avís." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "Ha ocorregut algun problema amb la teva sessió." + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "Utilitza aquest formulari per editar el grup." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "Igual a la contrasenya de dalt. Requerit." + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "El teu nom és massa llarg (màx. 255 caràcters)." + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "Descripció" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "La pàgina personal no és un URL vàlid." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "La ubicació és massa llarga (màx. 255 caràcters)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "No s'ha pogut actualitzar el grup." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1047,7 +1205,8 @@ msgstr "" "carpeta de spam!) per al missatge amb les instruccions." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "Cancel·la" @@ -1723,7 +1882,7 @@ msgstr "Missatge personal" msgid "Optionally add a personal message to the invitation." msgstr "Opcionalment pots afegir un missatge a la invitació." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "Envia" @@ -1833,17 +1992,6 @@ msgstr "Inici de sessió" msgid "Login to site" msgstr "Accedir al lloc" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "Sobrenom" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Contrasenya" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "Recorda'm" @@ -1899,6 +2047,29 @@ msgstr "No es pot fer %s un administrador del grup %s" msgid "No current status" msgstr "No té cap estatus ara mateix" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "Has d'haver entrat per crear un grup." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "Utilitza aquest formulari per crear un nou grup." + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "No s'han pogut crear els àlies." + #: actions/newgroup.php:53 msgid "New group" msgstr "Nou grup" @@ -2008,6 +2179,51 @@ msgstr "Reclamació enviada" msgid "Nudge sent!" msgstr "Reclamació enviada!" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "Heu d'iniciar una sessió per editar un grup." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "Altres opcions" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "No ets membre d'aquest grup." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "Avís sense perfil" @@ -2025,8 +2241,8 @@ msgstr "tipus de contingut " msgid "Only " msgstr "Només " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "Format de data no suportat." @@ -2039,7 +2255,8 @@ msgid "Notice Search" msgstr "Cerca de notificacions" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "Altres configuracions" #: actions/othersettings.php:71 @@ -2366,7 +2583,7 @@ msgid "Full name" msgstr "Nom complet" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "Pàgina personal" @@ -2973,6 +3190,84 @@ msgstr "No pots enviar un missatge a aquest usuari." msgid "User is already sandboxed." msgstr "Un usuari t'ha bloquejat." +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "Has d'haver entrat per a poder marxar d'un grup." + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "Avís sense perfil" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +msgid "Name" +msgstr "Nom" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "Paginació" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "Descripció" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "Estadístiques" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +#, fuzzy +msgid "Authorize URL" +msgstr "Autoria" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "No s'han pogut recuperar els avisos preferits." @@ -3078,10 +3373,6 @@ msgstr "(Cap)" msgid "All members" msgstr "Tots els membres" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "Estadístiques" - #: actions/showgroup.php:432 msgid "Created" msgstr "S'ha creat" @@ -3984,10 +4275,6 @@ msgstr "" msgid "Plugins" msgstr "Connectors" -#: actions/version.php:195 -msgid "Name" -msgstr "Nom" - #: actions/version.php:196 lib/action.php:741 #, fuzzy msgid "Version" @@ -3998,10 +4285,6 @@ msgstr "Sessions" msgid "Author(s)" msgstr "Autoria" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "Descripció" - #: classes/File.php:144 #, php-format msgid "" @@ -4162,10 +4445,6 @@ msgstr "Inici" msgid "Personal profile and friends timeline" msgstr "Perfil personal i línia temporal dels amics" -#: lib/action.php:435 -msgid "Account" -msgstr "Compte" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "Canviar correu electrònic, avatar, contrasenya, perfil" @@ -4321,10 +4600,6 @@ msgstr "Posteriors" msgid "Before" msgstr "Anteriors" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "Ha ocorregut algun problema amb la teva sessió." - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "No podeu fer canvis al lloc." @@ -4361,6 +4636,72 @@ msgstr "Configuració del disseny" msgid "Paths configuration" msgstr "Configuració dels camins" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Descriu el grup amb 140 caràcters" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "Descriu el grup amb 140 caràcters" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "Font" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "URL del teu web, blog del grup u tema" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "URL del teu web, blog del grup u tema" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "Suprimeix" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "Adjuncions" @@ -4683,6 +5024,15 @@ msgstr "Actualitzacions per Missatgeria Instantània" msgid "Updates by SMS" msgstr "Actualitzacions per SMS" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "Connexió" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "Error de la base de dades" @@ -5203,10 +5553,6 @@ msgid "Do not share my location" msgstr "Comparteix la vostra ubicació" #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5570,47 +5916,47 @@ msgstr "Missatge" msgid "Moderate" msgstr "Modera" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "fa pocs segons" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "fa un minut" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "fa %d minuts" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "fa una hora" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "fa %d hores" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "fa un dia" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "fa %d dies" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "fa un mes" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "fa %d mesos" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "fa un any" diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index 6d4ee65b6..8282cf3be 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:04:54+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:41:10+0000\n" "Language-Team: Czech\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: out-statusnet\n" @@ -35,7 +35,7 @@ msgstr "Žádné takové oznámení." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -148,7 +148,7 @@ msgstr "Potvrzující kód nebyl nalezen" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "" @@ -179,8 +179,9 @@ msgstr "Nelze uložit profil" #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -327,7 +328,8 @@ msgstr "PÅ™ezdívku již nÄ›kdo používá. Zkuste jinou" msgid "Not a valid nickname." msgstr "Není platnou pÅ™ezdívkou." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -339,7 +341,8 @@ msgstr "Stránka není platnou URL." msgid "Full name is too long (max 255 chars)." msgstr "Jméno je moc dlouhé (maximální délka je 255 znaků)" -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "Text je příliÅ¡ dlouhý (maximální délka je 140 zanků)" @@ -419,6 +422,102 @@ msgstr "" msgid "groups on %s" msgstr "" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "" + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "Neplatné jméno nebo heslo" + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "Chyba nastavení uživatele" + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "Chyba v DB pÅ™i vkládání odpovÄ›di: %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "NeÄekaná forma submission." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +#, fuzzy +msgid "Account" +msgstr "O nás" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "PÅ™ezdívka" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Heslo" + +#: actions/apioauthauthorize.php:338 +#, fuzzy +msgid "Deny" +msgstr "Vzhled" + +#: actions/apioauthauthorize.php:344 +msgid "Allow" +msgstr "" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "" @@ -451,17 +550,17 @@ msgstr "Obrázek nahrán" msgid "No status with that ID found." msgstr "" -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Je to příliÅ¡ dlouhé. Maximální sdÄ›lení délka je 140 znaků" -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -609,29 +708,6 @@ msgstr "Upload" msgid "Crop" msgstr "" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "" - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "NeÄekaná forma submission." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "" @@ -771,7 +847,8 @@ msgid "Couldn't delete email confirmation." msgstr "Nelze smazat potvrzení emailu" #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "PotvrÄ adresu" #: actions/confirmaddress.php:159 @@ -963,7 +1040,8 @@ msgstr "" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "Uložit" @@ -984,6 +1062,83 @@ msgstr "PÅ™idat do oblíbených" msgid "No such document." msgstr "Žádný takový dokument." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +msgid "You must be logged in to edit an application." +msgstr "" + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Neodeslal jste nám profil" + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "Žádné takové oznámení." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/editapplication.php:161 +msgid "Use this form to edit your application." +msgstr "" + +#: actions/editapplication.php:177 actions/newapplication.php:159 +msgid "Name is required." +msgstr "" + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "Jméno je moc dlouhé (maximální délka je 255 znaků)" + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "OdbÄ›ry" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "Stránka není platnou URL." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "UmístÄ›ní příliÅ¡ dlouhé (maximálnÄ› 255 znaků)" + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "Nelze aktualizovat uživatele" + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1053,7 +1208,8 @@ msgid "" msgstr "" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "ZruÅ¡it" @@ -1729,7 +1885,7 @@ msgstr "" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "Odeslat" @@ -1814,17 +1970,6 @@ msgstr "PÅ™ihlásit" msgid "Login to site" msgstr "" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "PÅ™ezdívka" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Heslo" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "Zapamatuj si mÄ›" @@ -1876,6 +2021,27 @@ msgstr "Uživatel nemá profil." msgid "No current status" msgstr "" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +msgid "You must be logged in to register an application." +msgstr "" + +#: actions/newapplication.php:143 +msgid "Use this form to register a new application." +msgstr "" + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "Nelze uložin informace o obrázku" + #: actions/newgroup.php:53 msgid "New group" msgstr "Nová skupina" @@ -1983,6 +2149,49 @@ msgstr "" msgid "Nudge sent!" msgstr "" +#: actions/oauthappssettings.php:59 +msgid "You must be logged in to list your applications." +msgstr "" + +#: actions/oauthappssettings.php:74 +msgid "OAuth applications" +msgstr "" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "Neodeslal jste nám profil" + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "SdÄ›lení nemá profil" @@ -2001,8 +2210,8 @@ msgstr "PÅ™ipojit" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "" @@ -2016,7 +2225,7 @@ msgstr "" #: actions/othersettings.php:60 #, fuzzy -msgid "Other Settings" +msgid "Other settings" msgstr "Nastavení" #: actions/othersettings.php:71 @@ -2350,7 +2559,7 @@ msgid "Full name" msgstr "Celé jméno" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "Moje stránky" @@ -2929,6 +3138,84 @@ msgstr "Neodeslal jste nám profil" msgid "User is already sandboxed." msgstr "Uživatel nemá profil." +#: actions/showapplication.php:82 +msgid "You must be logged in to view an application." +msgstr "" + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "SdÄ›lení nemá profil" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +#, fuzzy +msgid "Name" +msgstr "PÅ™ezdívka" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "UmístÄ›ní" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#, fuzzy +msgid "Description" +msgstr "OdbÄ›ry" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "Statistiky" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +msgid "Authorize URL" +msgstr "" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "" @@ -3036,10 +3323,6 @@ msgstr "" msgid "All members" msgstr "" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "Statistiky" - #: actions/showgroup.php:432 #, fuzzy msgid "Created" @@ -3939,11 +4222,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -#, fuzzy -msgid "Name" -msgstr "PÅ™ezdívka" - #: actions/version.php:196 lib/action.php:741 #, fuzzy msgid "Version" @@ -3953,11 +4231,6 @@ msgstr "Osobní" msgid "Author(s)" msgstr "" -#: actions/version.php:198 lib/groupeditform.php:172 -#, fuzzy -msgid "Description" -msgstr "OdbÄ›ry" - #: classes/File.php:144 #, php-format msgid "" @@ -4117,11 +4390,6 @@ msgstr "Domů" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 -#, fuzzy -msgid "Account" -msgstr "O nás" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "" @@ -4285,10 +4553,6 @@ msgstr "« NovÄ›jší" msgid "Before" msgstr "Starší »" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "" - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "" @@ -4324,6 +4588,72 @@ msgstr "Potvrzení emailové adresy" msgid "Paths configuration" msgstr "Potvrzení emailové adresy" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "PopiÅ¡ sebe a své zájmy ve 140 znacích" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "PopiÅ¡ sebe a své zájmy ve 140 znacích" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "Zdroj" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "Adresa vaÅ¡ich stránek, blogu nebo profilu na jiných stránkách." + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "Adresa vaÅ¡ich stránek, blogu nebo profilu na jiných stránkách." + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "Odstranit" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "" @@ -4654,6 +4984,15 @@ msgstr "" msgid "Updates by SMS" msgstr "" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "PÅ™ipojit" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "" @@ -5174,10 +5513,6 @@ msgid "Do not share my location" msgstr "Nelze uložit profil" #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5550,47 +5885,47 @@ msgstr "Zpráva" msgid "Moderate" msgstr "" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "pÅ™ed pár sekundami" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "asi pÅ™ed minutou" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "asi pÅ™ed %d minutami" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "asi pÅ™ed hodinou" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "asi pÅ™ed %d hodinami" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "asi pÅ™ede dnem" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "pÅ™ed %d dny" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "asi pÅ™ed mÄ›sícem" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "asi pÅ™ed %d mesíci" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "asi pÅ™ed rokem" diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index d8572b244..6e4f4d37b 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:04:57+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:41:13+0000\n" "Language-Team: German\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: out-statusnet\n" @@ -37,7 +37,7 @@ msgstr "Seite nicht vorhanden" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -158,7 +158,7 @@ msgstr "API-Methode nicht gefunden." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "Diese Methode benötigt ein POST." @@ -187,8 +187,9 @@ msgstr "Konnte Profil nicht speichern." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -333,7 +334,8 @@ msgstr "Nutzername wird bereits verwendet. Suche dir einen anderen aus." msgid "Not a valid nickname." msgstr "Ungültiger Nutzername." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -346,7 +348,8 @@ msgstr "" msgid "Full name is too long (max 255 chars)." msgstr "Der vollständige Name ist zu lang (maximal 255 Zeichen)." -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "Die Beschreibung ist zu lang (max. %d Zeichen)." @@ -423,6 +426,101 @@ msgstr "%s Gruppen" msgid "groups on %s" msgstr "Gruppen von %s" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "Es gab ein Problem mit deinem Sitzungstoken. Bitte versuche es erneut." + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "Benutzername oder Passwort falsch." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "Fehler bei den Nutzereinstellungen." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "Datenbankfehler beim Einfügen des Hashtags: %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "Unerwartete Formulareingabe." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "Konto" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "Nutzername" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Passwort" + +#: actions/apioauthauthorize.php:338 +msgid "Deny" +msgstr "" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "Alle" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "Diese Methode benötigt ein POST oder DELETE." @@ -452,18 +550,18 @@ msgstr "Status gelöscht." msgid "No status with that ID found." msgstr "Keine Nachricht mit dieser ID gefunden." -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "" "Das war zu lang. Die Länge einer Nachricht ist auf %d Zeichen beschränkt." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "Nicht gefunden" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -610,29 +708,6 @@ msgstr "Hochladen" msgid "Crop" msgstr "Zuschneiden" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "Es gab ein Problem mit deinem Sitzungstoken. Bitte versuche es erneut." - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "Unerwartete Formulareingabe." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "" @@ -767,7 +842,8 @@ msgid "Couldn't delete email confirmation." msgstr "Konnte E-Mail-Bestätigung nicht löschen." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Adresse bestätigen" #: actions/confirmaddress.php:159 @@ -953,7 +1029,8 @@ msgstr "Standard wiederherstellen" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "Speichern" @@ -974,6 +1051,87 @@ msgstr "Zu Favoriten hinzufügen" msgid "No such document." msgstr "Unbekanntes Dokument." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "Du musst angemeldet sein, um eine Gruppe zu bearbeiten." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Du bist kein Mitglied dieser Gruppe." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "Unbekannte Nachricht." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "Es gab ein Problem mit deinem Sessiontoken." + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "Benutze dieses Formular, um die Gruppe zu bearbeiten." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "Gleiches Passwort wie zuvor. Pflichteingabe." + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "Der vollständige Name ist zu lang (maximal 255 Zeichen)." + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "Beschreibung" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "" +"Homepage ist keine gültige URL. URL’s müssen ein Präfix wie http enthalten." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "Der eingegebene Aufenthaltsort ist zu lang (maximal 255 Zeichen)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "Konnte Gruppe nicht aktualisieren." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1044,7 +1202,8 @@ msgstr "" "(auch den Spam-Ordner) auf eine Nachricht mit weiteren Instruktionen." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "Abbrechen" @@ -1723,7 +1882,7 @@ msgstr "" "Wenn du möchtest kannst du zu der Einladung eine persönliche Nachricht " "anfügen." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "Senden" @@ -1832,17 +1991,6 @@ msgstr "Anmelden" msgid "Login to site" msgstr "An Seite anmelden" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "Nutzername" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Passwort" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "Anmeldedaten merken" @@ -1895,6 +2043,29 @@ msgstr "Konnte %s nicht zum Administrator der Gruppe %s machen" msgid "No current status" msgstr "Kein aktueller Status" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "Du musst angemeldet sein, um eine Gruppe zu erstellen." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "Benutzer dieses Formular, um eine neue Gruppe zu erstellen." + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "Konnte keinen Favoriten erstellen." + #: actions/newgroup.php:53 msgid "New group" msgstr "Neue Gruppe" @@ -2005,6 +2176,51 @@ msgstr "Stups abgeschickt" msgid "Nudge sent!" msgstr "Stups gesendet!" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "Du musst angemeldet sein, um eine Gruppe zu bearbeiten." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "Sonstige Optionen" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "Du bist kein Mitglied dieser Gruppe." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "Nachricht hat kein Profil" @@ -2022,8 +2238,8 @@ msgstr "Content-Typ " msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "Kein unterstütztes Datenformat." @@ -2036,7 +2252,8 @@ msgid "Notice Search" msgstr "Nachrichtensuche" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "Andere Einstellungen" #: actions/othersettings.php:71 @@ -2363,7 +2580,7 @@ msgid "Full name" msgstr "Vollständiger Name" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "Homepage" @@ -2971,6 +3188,85 @@ msgstr "Du kannst diesem Benutzer keine Nachricht schicken." msgid "User is already sandboxed." msgstr "Dieser Benutzer hat dich blockiert." +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "Du musst angemeldet sein, um aus einer Gruppe auszutreten." + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "Nachricht hat kein Profil" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +#, fuzzy +msgid "Name" +msgstr "Nutzername" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "Seitenerstellung" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "Beschreibung" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "Statistiken" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +#, fuzzy +msgid "Authorize URL" +msgstr "Autor" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Konnte Favoriten nicht abrufen." @@ -3076,10 +3372,6 @@ msgstr "(Kein)" msgid "All members" msgstr "Alle Mitglieder" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "Statistiken" - #: actions/showgroup.php:432 msgid "Created" msgstr "Erstellt" @@ -4001,11 +4293,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -#, fuzzy -msgid "Name" -msgstr "Nutzername" - #: actions/version.php:196 lib/action.php:741 #, fuzzy msgid "Version" @@ -4016,10 +4303,6 @@ msgstr "Eigene" msgid "Author(s)" msgstr "Autor" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "Beschreibung" - #: classes/File.php:144 #, php-format msgid "" @@ -4181,10 +4464,6 @@ msgstr "Startseite" msgid "Personal profile and friends timeline" msgstr "Persönliches Profil und Freundes-Zeitleiste" -#: lib/action.php:435 -msgid "Account" -msgstr "Konto" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "Ändere deine E-Mail, dein Avatar, Passwort, Profil" @@ -4343,10 +4622,6 @@ msgstr "Später" msgid "Before" msgstr "Vorher" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "Es gab ein Problem mit deinem Sessiontoken." - #: lib/adminpanelaction.php:96 #, fuzzy msgid "You cannot make changes to this site." @@ -4384,6 +4659,72 @@ msgstr "SMS-Konfiguration" msgid "Paths configuration" msgstr "SMS-Konfiguration" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Beschreibe die Gruppe oder das Thema in 140 Zeichen" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "Beschreibe die Gruppe oder das Thema in 140 Zeichen" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "Quellcode" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "URL der Homepage oder Blogs der Gruppe oder des Themas" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "URL der Homepage oder Blogs der Gruppe oder des Themas" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "Entfernen" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "Anhänge" @@ -4703,6 +5044,15 @@ msgstr "Aktualisierungen via Instant Messenger (IM)" msgid "Updates by SMS" msgstr "Aktualisierungen via SMS" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "Verbinden" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "Datenbankfehler." @@ -5280,10 +5630,6 @@ msgid "Do not share my location" msgstr "Konnte Tags nicht speichern." #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5654,47 +6000,47 @@ msgstr "Nachricht" msgid "Moderate" msgstr "" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "vor wenigen Sekunden" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "vor einer Minute" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "vor %d Minuten" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "vor einer Stunde" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "vor %d Stunden" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "vor einem Tag" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "vor %d Tagen" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "vor einem Monat" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "vor %d Monaten" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "vor einem Jahr" diff --git a/locale/el/LC_MESSAGES/statusnet.po b/locale/el/LC_MESSAGES/statusnet.po index 2f9257945..a5f4b3b01 100644 --- a/locale/el/LC_MESSAGES/statusnet.po +++ b/locale/el/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:05:00+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:41:17+0000\n" "Language-Team: Greek\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: el\n" "X-Message-Group: out-statusnet\n" @@ -34,7 +34,7 @@ msgstr "Δεν υπάÏχει τέτοιο σελίδα." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -146,7 +146,7 @@ msgstr "Η μέθοδος του ΑΡΙ δε βÏέθηκε!" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "" @@ -177,8 +177,9 @@ msgstr "Απέτυχε η αποθήκευση του Ï€Ïοφίλ." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -324,7 +325,8 @@ msgstr "Το ψευδώνυμο είναι ήδη σε χÏήση. Δοκιμά msgid "Not a valid nickname." msgstr "" -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -336,7 +338,8 @@ msgstr "Η αÏχική σελίδα δεν είναι έγκυÏο URL." msgid "Full name is too long (max 255 chars)." msgstr "Το ονοματεπώνυμο είναι Ï€Î¿Î»Ï Î¼ÎµÎ³Î¬Î»Î¿ (μέγιστο 255 χαÏακτ.)." -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "Η πεÏιγÏαφή είναι Ï€Î¿Î»Ï Î¼ÎµÎ³Î¬Î»Î· (μέγιστο %d χαÏακτ.)." @@ -413,6 +416,99 @@ msgstr "" msgid "groups on %s" msgstr "ομάδες του χÏήστη %s" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "" + +#: actions/apioauthauthorize.php:146 +msgid "Invalid nickname / password!" +msgstr "" + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "Σφάλμα στη βάση δεδομένων κατά την εισαγωγή hashtag: %s" + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "Σφάλμα στη βάση δεδομένων κατά την εισαγωγή hashtag: %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "" + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "ΛογαÏιασμός" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "Ψευδώνυμο" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Κωδικός" + +#: actions/apioauthauthorize.php:338 +msgid "Deny" +msgstr "" + +#: actions/apioauthauthorize.php:344 +msgid "Allow" +msgstr "" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "" @@ -444,17 +540,17 @@ msgstr "Η κατάσταση διαγÏάφεται." msgid "No status with that ID found." msgstr "" -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "" -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -598,29 +694,6 @@ msgstr "" msgid "Crop" msgstr "" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "" - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "" - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "" @@ -758,7 +831,8 @@ msgid "Couldn't delete email confirmation." msgstr "Απέτυχε η διαγÏαφή email επιβεβαίωσης." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Επιβεβαίωση διεÏθυνσης" #: actions/confirmaddress.php:159 @@ -946,7 +1020,8 @@ msgstr "" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "" @@ -967,6 +1042,83 @@ msgstr "" msgid "No such document." msgstr "" +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +msgid "You must be logged in to edit an application." +msgstr "" + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Ομάδες με τα πεÏισσότεÏα μέλη" + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "Δεν υπάÏχει τέτοιο σελίδα." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/editapplication.php:161 +msgid "Use this form to edit your application." +msgstr "" + +#: actions/editapplication.php:177 actions/newapplication.php:159 +msgid "Name is required." +msgstr "" + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "Το ονοματεπώνυμο είναι Ï€Î¿Î»Ï Î¼ÎµÎ³Î¬Î»Î¿ (μέγιστο 255 χαÏακτ.)." + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "ΠεÏιγÏαφή" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "Η αÏχική σελίδα δεν είναι έγκυÏο URL." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "Η τοποθεσία είναι Ï€Î¿Î»Ï Î¼ÎµÎ³Î¬Î»Î· (μέγιστο 255 χαÏακτ.)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1039,7 +1191,8 @@ msgstr "" "φάκελο spam!) για μήνυμα με πεÏαιτέÏω οδηγίες. " #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "ΑκÏÏωση" @@ -1696,7 +1849,7 @@ msgstr "" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "" @@ -1779,17 +1932,6 @@ msgstr "ΣÏνδεση" msgid "Login to site" msgstr "" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "Ψευδώνυμο" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Κωδικός" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "" @@ -1843,6 +1985,27 @@ msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." msgid "No current status" msgstr "" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +msgid "You must be logged in to register an application." +msgstr "" + +#: actions/newapplication.php:143 +msgid "Use this form to register a new application." +msgstr "" + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." + #: actions/newgroup.php:53 msgid "New group" msgstr "" @@ -1947,6 +2110,49 @@ msgstr "" msgid "Nudge sent!" msgstr "" +#: actions/oauthappssettings.php:59 +msgid "You must be logged in to list your applications." +msgstr "" + +#: actions/oauthappssettings.php:74 +msgid "OAuth applications" +msgstr "" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "Δεν είστε μέλος καμίας ομάδας." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "" @@ -1965,8 +2171,8 @@ msgstr "ΣÏνδεση" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "" @@ -1980,7 +2186,7 @@ msgstr "" #: actions/othersettings.php:60 #, fuzzy -msgid "Other Settings" +msgid "Other settings" msgstr "Ρυθμίσεις OpenID" #: actions/othersettings.php:71 @@ -2304,7 +2510,7 @@ msgid "Full name" msgstr "Ονοματεπώνυμο" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "ΑÏχική σελίδα" @@ -2893,6 +3099,82 @@ msgstr "" msgid "User is already sandboxed." msgstr "" +#: actions/showapplication.php:82 +msgid "You must be logged in to view an application." +msgstr "" + +#: actions/showapplication.php:158 +msgid "Application profile" +msgstr "" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +#, fuzzy +msgid "Name" +msgstr "Ψευδώνυμο" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "ΠÏοσκλήσεις" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "ΠεÏιγÏαφή" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +msgid "Authorize URL" +msgstr "" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "" @@ -2999,10 +3281,6 @@ msgstr "" msgid "All members" msgstr "" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "" - #: actions/showgroup.php:432 msgid "Created" msgstr "ΔημιουÏγημένος" @@ -3874,11 +4152,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -#, fuzzy -msgid "Name" -msgstr "Ψευδώνυμο" - #: actions/version.php:196 lib/action.php:741 #, fuzzy msgid "Version" @@ -3888,10 +4161,6 @@ msgstr "ΠÏοσωπικά" msgid "Author(s)" msgstr "" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "ΠεÏιγÏαφή" - #: classes/File.php:144 #, php-format msgid "" @@ -4046,10 +4315,6 @@ msgstr "ΑÏχή" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 -msgid "Account" -msgstr "ΛογαÏιασμός" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "" @@ -4203,10 +4468,6 @@ msgstr "" msgid "Before" msgstr "" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "" - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "" @@ -4242,6 +4503,68 @@ msgstr "Επιβεβαίωση διεÏθυνσης email" msgid "Paths configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "ΠεÏιγÏάψτε την ομάδα ή το θέμα μέχÏι %d χαÏακτήÏες" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "ΠεÏιγÏάψτε την ομάδα ή το θέμα" + +#: lib/applicationeditform.php:218 +msgid "Source URL" +msgstr "" + +#: lib/applicationeditform.php:220 +msgid "URL of the homepage of this application" +msgstr "" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +msgid "URL for the homepage of the organization" +msgstr "" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +msgid "Revoke" +msgstr "" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "" @@ -4564,6 +4887,15 @@ msgstr "" msgid "Updates by SMS" msgstr "" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "ΣÏνδεση" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "" @@ -5068,10 +5400,6 @@ msgid "Do not share my location" msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5434,47 +5762,47 @@ msgstr "Μήνυμα" msgid "Moderate" msgstr "" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "" diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index 407007fbf..47c40ae4c 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:05:04+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:41:21+0000\n" "Language-Team: British English\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: out-statusnet\n" @@ -35,7 +35,7 @@ msgstr "No such page" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -153,7 +153,7 @@ msgstr "API method not found." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "This method requires a POST." @@ -186,8 +186,9 @@ msgstr "Couldn't save profile." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -332,7 +333,8 @@ msgstr "Nickname already in use. Try another one." msgid "Not a valid nickname." msgstr "Not a valid nickname." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -344,7 +346,8 @@ msgstr "Homepage is not a valid URL." msgid "Full name is too long (max 255 chars)." msgstr "Full name is too long (max 255 chars)." -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "Description is too long (max %d chars)" @@ -421,6 +424,102 @@ msgstr "%s groups" msgid "groups on %s" msgstr "groups on %s" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "There was a problem with your session token. Try again, please." + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "Invalid username or password." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "Error setting user." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "DB error inserting hashtag: %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "Unexpected form submission." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "Account" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "Nickname" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Password" + +#: actions/apioauthauthorize.php:338 +#, fuzzy +msgid "Deny" +msgstr "Design" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "All" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "This method requires a POST or DELETE." @@ -450,17 +549,17 @@ msgstr "Status deleted." msgid "No status with that ID found." msgstr "No status with that ID found." -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "That's too long. Max notice size is %d chars." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "Not found" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "Max notice size is %d chars, including attachment URL." @@ -604,29 +703,6 @@ msgstr "Upload" msgid "Crop" msgstr "Crop" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "There was a problem with your session token. Try again, please." - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "Unexpected form submission." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "Pick a square area of the image to be your avatar" @@ -763,7 +839,8 @@ msgid "Couldn't delete email confirmation." msgstr "Couldn't delete e-mail confirmation." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Confirm Address" #: actions/confirmaddress.php:159 @@ -953,7 +1030,8 @@ msgstr "Reset back to default" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "Save" @@ -974,6 +1052,86 @@ msgstr "Add to favourites" msgid "No such document." msgstr "No such document." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "You must be logged in to create a group." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "You are not a member of this group." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "No such notice." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "There was a problem with your session token." + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "Use this form to edit the group." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "Same as password above. Required." + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "Full name is too long (max 255 chars)." + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "Description" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "Homepage is not a valid URL." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "Location is too long (max 255 chars)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "Could not update group." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1044,7 +1202,8 @@ msgstr "" "a message with further instructions." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "Cancel" @@ -1728,7 +1887,7 @@ msgstr "Personal message" msgid "Optionally add a personal message to the invitation." msgstr "Optionally add a personal message to the invitation." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "Send" @@ -1838,17 +1997,6 @@ msgstr "Login" msgid "Login to site" msgstr "Login to site" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "Nickname" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Password" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "Remember me" @@ -1901,6 +2049,29 @@ msgstr "You must be an admin to edit the group" msgid "No current status" msgstr "No current status" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "You must be logged in to create a group." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "Use this form to create a new group." + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "Could not create aliases" + #: actions/newgroup.php:53 msgid "New group" msgstr "New group" @@ -2009,6 +2180,51 @@ msgstr "Nudge sent" msgid "Nudge sent!" msgstr "Nudge sent!" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "You must be logged in to create a group." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "Other options" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "You are not a member of that group." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "Notice has no profile" @@ -2027,8 +2243,8 @@ msgstr "Connect" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "Not a supported data format." @@ -2041,7 +2257,8 @@ msgid "Notice Search" msgstr "Notice Search" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "Other Settings" #: actions/othersettings.php:71 @@ -2368,7 +2585,7 @@ msgid "Full name" msgstr "Full name" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "Homepage" @@ -2972,6 +3189,84 @@ msgstr "You cannot sandbox users on this site." msgid "User is already sandboxed." msgstr "User is already sandboxed." +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "You must be logged in to leave a group." + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "Notice has no profile" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +#, fuzzy +msgid "Name" +msgstr "Nickname" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "Pagination" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "Description" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "Statistics" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +msgid "Authorize URL" +msgstr "" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Could not retrieve favourite notices." @@ -3077,10 +3372,6 @@ msgstr "(None)" msgid "All members" msgstr "All members" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "Statistics" - #: actions/showgroup.php:432 msgid "Created" msgstr "Created" @@ -3986,11 +4277,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -#, fuzzy -msgid "Name" -msgstr "Nickname" - #: actions/version.php:196 lib/action.php:741 #, fuzzy msgid "Version" @@ -4000,10 +4286,6 @@ msgstr "Personal" msgid "Author(s)" msgstr "" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "Description" - #: classes/File.php:144 #, php-format msgid "" @@ -4162,10 +4444,6 @@ msgstr "Home" msgid "Personal profile and friends timeline" msgstr "Personal profile and friends timeline" -#: lib/action.php:435 -msgid "Account" -msgstr "Account" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "Change your e-mail, avatar, password, profile" @@ -4322,10 +4600,6 @@ msgstr "After" msgid "Before" msgstr "Before" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "There was a problem with your session token." - #: lib/adminpanelaction.php:96 #, fuzzy msgid "You cannot make changes to this site." @@ -4365,6 +4639,72 @@ msgstr "Design configuration" msgid "Paths configuration" msgstr "SMS confirmation" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Describe the group or topic in %d characters" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "Describe the group or topic" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "Source" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "URL of the homepage or blog of the group or topic" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "URL of the homepage or blog of the group or topic" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "Remove" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "" @@ -4687,6 +5027,15 @@ msgstr "Updates by instant messenger (I.M.)" msgid "Updates by SMS" msgstr "Updates by SMS" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "Connect" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "" @@ -5211,10 +5560,6 @@ msgid "Do not share my location" msgstr "Couldn't save tags." #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5577,47 +5922,47 @@ msgstr "Message" msgid "Moderate" msgstr "" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "a few seconds ago" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "about a minute ago" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "about %d minutes ago" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "about an hour ago" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "about %d hours ago" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "about a day ago" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "about %d days ago" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "about a month ago" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "about %d months ago" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "about a year ago" diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index 76343bf66..06f046568 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:05:07+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:41:24+0000\n" "Language-Team: Spanish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: out-statusnet\n" @@ -37,7 +37,7 @@ msgstr "No existe tal página" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -149,7 +149,7 @@ msgstr "¡No se encontró el método de la API!" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "Este método requiere un POST." @@ -180,8 +180,9 @@ msgstr "No se pudo guardar el perfil." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -327,7 +328,8 @@ msgstr "El apodo ya existe. Prueba otro." msgid "Not a valid nickname." msgstr "Apodo no válido" -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -339,7 +341,8 @@ msgstr "La página de inicio no es un URL válido." msgid "Full name is too long (max 255 chars)." msgstr "Tu nombre es demasiado largo (max. 255 carac.)" -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "La descripción es demasiado larga (máx. %d caracteres)." @@ -417,6 +420,102 @@ msgstr "Grupos %s" msgid "groups on %s" msgstr "Grupos en %s" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "" +"Hubo un problema con tu clave de sesión. Por favor, intenta nuevamente." + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "Usuario o contraseña inválidos." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "Error al configurar el usuario." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "Error de la BD al insertar la etiqueta clave: %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "Envío de formulario inesperado." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "Cuenta" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "Apodo" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Contraseña" + +#: actions/apioauthauthorize.php:338 +msgid "Deny" +msgstr "" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "Todo" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "Este método requiere un PUBLICAR O ELIMINAR" @@ -448,17 +547,17 @@ msgstr "Status borrado." msgid "No status with that ID found." msgstr "No hay estado para ese ID" -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Demasiado largo. La longitud máxima es de 140 caracteres. " -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "No encontrado" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -604,30 +703,6 @@ msgstr "Cargar" msgid "Crop" msgstr "Cortar" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "" -"Hubo un problema con tu clave de sesión. Por favor, intenta nuevamente." - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "Envío de formulario inesperado." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "Elige un área cuadrada de la imagen para que sea tu avatar" @@ -765,7 +840,8 @@ msgid "Couldn't delete email confirmation." msgstr "No se pudo eliminar la confirmación de correo electrónico." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Confirmar la dirección" #: actions/confirmaddress.php:159 @@ -958,7 +1034,8 @@ msgstr "" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "Guardar" @@ -979,6 +1056,86 @@ msgstr "Agregar a favoritos" msgid "No such document." msgstr "No existe ese documento." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "Debes estar conectado para editar un grupo." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "No eres miembro de este grupo." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "No existe ese aviso." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "Hubo problemas con tu clave de sesión." + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "Usa este formulario para editar el grupo." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "Igual a la contraseña de arriba. Requerida" + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "Tu nombre es demasiado largo (max. 255 carac.)" + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "Descripción" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "La página de inicio no es un URL válido." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "La ubicación es demasiado larga (máx. 255 caracteres)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "No se pudo actualizar el grupo." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1050,7 +1207,8 @@ msgstr "" "la de spam!) por un mensaje con las instrucciones." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "Cancelar" @@ -1733,7 +1891,7 @@ msgstr "Mensaje Personal" msgid "Optionally add a personal message to the invitation." msgstr "Opcionalmente añada un mensaje personalizado a su invitación." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "Enviar" @@ -1844,17 +2002,6 @@ msgstr "Inicio de sesión" msgid "Login to site" msgstr "Ingresar a sitio" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "Apodo" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Contraseña" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "Recordarme" @@ -1910,6 +2057,29 @@ msgstr "Debes ser un admin para editar el grupo" msgid "No current status" msgstr "No existe estado actual" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "Debes estar conectado para crear un grupo" + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "Usa este formulario para crear un grupo nuevo." + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "No se pudo crear favorito." + #: actions/newgroup.php:53 msgid "New group" msgstr "Grupo nuevo " @@ -2021,6 +2191,51 @@ msgstr "Se envió zumbido" msgid "Nudge sent!" msgstr "¡Zumbido enviado!" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "Debes estar conectado para editar un grupo." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "Otras opciones" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "No eres miembro de ese grupo" + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "Aviso sin perfil" @@ -2039,8 +2254,8 @@ msgstr "Conectarse" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "No es un formato de dato soportado" @@ -2054,7 +2269,7 @@ msgstr "Búsqueda de avisos" #: actions/othersettings.php:60 #, fuzzy -msgid "Other Settings" +msgid "Other settings" msgstr "Otras configuraciones" #: actions/othersettings.php:71 @@ -2393,7 +2608,7 @@ msgid "Full name" msgstr "Nombre completo" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "Página de inicio" @@ -3003,6 +3218,84 @@ msgstr "No puedes enviar mensaje a este usuario." msgid "User is already sandboxed." msgstr "El usuario te ha bloqueado." +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "Debes estar conectado para dejar un grupo." + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "Aviso sin perfil" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +#, fuzzy +msgid "Name" +msgstr "Apodo" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "Paginación" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "Descripción" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "Estadísticas" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +msgid "Authorize URL" +msgstr "" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "No se pudo recibir avisos favoritos." @@ -3111,10 +3404,6 @@ msgstr "(Ninguno)" msgid "All members" msgstr "Todos los miembros" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "Estadísticas" - #: actions/showgroup.php:432 #, fuzzy msgid "Created" @@ -4034,11 +4323,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -#, fuzzy -msgid "Name" -msgstr "Apodo" - #: actions/version.php:196 lib/action.php:741 #, fuzzy msgid "Version" @@ -4048,10 +4332,6 @@ msgstr "Sesiones" msgid "Author(s)" msgstr "" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "Descripción" - #: classes/File.php:144 #, php-format msgid "" @@ -4214,10 +4494,6 @@ msgstr "Inicio" msgid "Personal profile and friends timeline" msgstr "Perfil personal y línea de tiempo de amigos" -#: lib/action.php:435 -msgid "Account" -msgstr "Cuenta" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "Cambia tu correo electrónico, avatar, contraseña, perfil" @@ -4373,10 +4649,6 @@ msgstr "Después" msgid "Before" msgstr "Antes" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "Hubo problemas con tu clave de sesión." - #: lib/adminpanelaction.php:96 #, fuzzy msgid "You cannot make changes to this site." @@ -4417,6 +4689,72 @@ msgstr "SMS confirmación" msgid "Paths configuration" msgstr "SMS confirmación" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Describir al grupo o tema en %d caracteres" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "Describir al grupo o tema" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "Fuente" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "El URL de página de inicio o blog del grupo or tema" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "El URL de página de inicio o blog del grupo or tema" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "Eliminar" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "" @@ -4740,6 +5078,15 @@ msgstr "Actualizaciones por mensajería instantánea" msgid "Updates by SMS" msgstr "Actualizaciones por sms" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "Conectarse" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "" @@ -5263,10 +5610,6 @@ msgid "Do not share my location" msgstr "No se pudo guardar tags." #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5635,47 +5978,47 @@ msgstr "Mensaje" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "hace unos segundos" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "hace un minuto" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "hace %d minutos" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "hace una hora" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "hace %d horas" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "hace un día" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "hace %d días" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "hace un mes" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "hace %d meses" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "hace un año" diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index bd97b86b5..218243121 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:05:13+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:41:31+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian\n" "MIME-Version: 1.0\n" @@ -20,7 +20,7 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 @@ -37,7 +37,7 @@ msgstr "چنین صÙحه‌ای وجود ندارد" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -154,7 +154,7 @@ msgstr "رابط مورد نظر پیدا نشد." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "برای استÙاده از این روش باید اطلاعات را به صورت پست بÙرستید" @@ -183,8 +183,9 @@ msgstr "نمی‌توان شناس‌نامه را ذخیره کرد." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -328,7 +329,8 @@ msgstr "این لقب در حال حاضر ثبت شده است. لطÙا یکی msgid "Not a valid nickname." msgstr "لقب نا معتبر." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -340,7 +342,8 @@ msgstr "برگهٔ آغازین یک نشانی معتبر نیست." msgid "Full name is too long (max 255 chars)." msgstr "نام کامل طولانی است (Û²ÛµÛµ حر٠در حالت بیشینه(." -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "توصی٠بسیار زیاد است (حداکثر %d حرÙ)." @@ -417,6 +420,100 @@ msgstr "%s گروه" msgid "groups on %s" msgstr "گروه‌ها در %s" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "مشکلی در دریاÙت جلسه‌ی شما وجود دارد. لطÙا بعدا سعی کنید." + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "نام کاربری یا کلمه ÛŒ عبور نا معتبر." + +#: actions/apioauthauthorize.php:170 +msgid "DB error deleting OAuth app user." +msgstr "" + +#: actions/apioauthauthorize.php:196 +msgid "DB error inserting OAuth app user." +msgstr "" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "ارسال غیر قابل انتظار Ùرم." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "حساب کاربری" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "نام کاربری" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "گذرواژه" + +#: actions/apioauthauthorize.php:338 +#, fuzzy +msgid "Deny" +msgstr "طرح" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "همه" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "این روش نیازمند POST یا DELETE است." @@ -446,17 +543,17 @@ msgstr "وضعیت حذ٠شد." msgid "No status with that ID found." msgstr "هیچ وضعیتی با آن شناسه یاÙت نشد." -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "خیلی طولانی است. حداکثر طول مجاز پیام %d حر٠است." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "یاÙت نشد" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "حداکثر طول پیام %d حر٠است Ú©Ù‡ شامل ضمیمه نیز می‌باشد" @@ -601,29 +698,6 @@ msgstr "پایین‌گذاری" msgid "Crop" msgstr "برش" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "مشکلی در دریاÙت جلسه‌ی شما وجود دارد. لطÙا بعدا سعی کنید." - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "ارسال غیر قابل انتظار Ùرم." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "یک مربع از عکس خود را انتخاب کنید تا چهره‌ی شما باشد." @@ -761,7 +835,8 @@ msgid "Couldn't delete email confirmation." msgstr "نمی‌توان تصدیق پست الکترونیک را پاک کرد." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "تایید نشانی" #: actions/confirmaddress.php:159 @@ -949,7 +1024,8 @@ msgstr "برگشت به حالت پیش گزیده" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "ذخیره‌کردن" @@ -970,6 +1046,84 @@ msgstr "اÙزودن به علاقه‌مندی‌ها" msgid "No such document." msgstr "چنین سندی وجود ندارد." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "برای ویرایش گروه باید وارد شوید." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "شما یک عضو این گروه نیستید." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "چنین پیامی وجود ندارد." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "از این روش برای ویرایش گروه استÙاده کنید." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +msgid "Name is required." +msgstr "" + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "نام کامل طولانی است (Û²ÛµÛµ حر٠در حالت بیشینه(." + +#: actions/editapplication.php:183 actions/newapplication.php:165 +msgid "Description is required." +msgstr "" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "برگهٔ آغازین یک نشانی معتبر نیست." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "مکان طولانی است (حداکثر Û²ÛµÛµ حرÙ)" + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "نمی‌توان گروه را به‌هنگام‌سازی کرد." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1038,7 +1192,8 @@ msgid "" msgstr "" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "انصراÙ" @@ -1705,7 +1860,7 @@ msgstr "پیام خصوصی" msgid "Optionally add a personal message to the invitation." msgstr "اگر دوست دارید می‌توانید یک پیام به همراه دعوت نامه ارسال کنید." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "Ùرستادن" @@ -1788,17 +1943,6 @@ msgstr "ورود" msgid "Login to site" msgstr "ورود به وب‌گاه" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "نام کاربری" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "گذرواژه" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "مرا به یاد بسپار" @@ -1851,6 +1995,29 @@ msgstr "نمی‌توان %s را مدیر گروه %s کرد." msgid "No current status" msgstr "بدون وضعیت Ùعلی" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "برای ساخت یک گروه، باید وارد شده باشید." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "از این Ùرم برای ساختن یک گروه جدید استÙاده کنید" + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "نمی‌توان نام‌های مستعار را ساخت." + #: actions/newgroup.php:53 msgid "New group" msgstr "گروه جدید" @@ -1963,6 +2130,51 @@ msgstr "Ùرتادن اژیر" msgid "Nudge sent!" msgstr "سقلمه Ùرستاده شد!" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "برای ویرایش گروه باید وارد شوید." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "انتخابات دیگر" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "شما یک کاربر این گروه نیستید." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "ابن خبر ذخیره ای ندارد ." @@ -1980,8 +2192,8 @@ msgstr "نوع محتوا " msgid "Only " msgstr " Ùقط" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "یک قالب دادهٔ پشتیبانی‌شده نیست." @@ -1994,7 +2206,8 @@ msgid "Notice Search" msgstr "جست‌وجوی آگهی‌ها" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "تنظیمات دیگر" #: actions/othersettings.php:71 @@ -2317,7 +2530,7 @@ msgid "Full name" msgstr "نام‌کامل" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "صÙحهٔ خانگی" @@ -2881,6 +3094,85 @@ msgstr "" msgid "User is already sandboxed." msgstr "" +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "برای ترک یک گروه، شما باید وارد شده باشید." + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "ابن خبر ذخیره ای ندارد ." + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +#, fuzzy +msgid "Name" +msgstr "نام کاربری" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "صÙحه بندى" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "آمار" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +#, fuzzy +msgid "Authorize URL" +msgstr "مؤلÙ" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "ناتوان در بازیابی Ø¢Ú¯Ù‡ÛŒ های محبوب." @@ -2986,10 +3278,6 @@ msgstr "هیچ" msgid "All members" msgstr "همه ÛŒ اعضا" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "آمار" - #: actions/showgroup.php:432 msgid "Created" msgstr "ساخته شد" @@ -3853,11 +4141,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -#, fuzzy -msgid "Name" -msgstr "نام کاربری" - #: actions/version.php:196 lib/action.php:741 #, fuzzy msgid "Version" @@ -3868,10 +4151,6 @@ msgstr "شخصی" msgid "Author(s)" msgstr "مؤلÙ" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "" - #: classes/File.php:144 #, php-format msgid "" @@ -4027,10 +4306,6 @@ msgstr "خانه" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 -msgid "Account" -msgstr "حساب کاربری" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "آدرس ایمیل، آواتار، کلمه ÛŒ عبور، پروÙایل خود را تغییر دهید" @@ -4180,10 +4455,6 @@ msgstr "بعد از" msgid "Before" msgstr "قبل از" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "" - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "شما نمی توانید در این سایت تغیری ایجاد کنید" @@ -4217,6 +4488,69 @@ msgstr "" msgid "Paths configuration" msgstr "" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, php-format +msgid "Describe your application in %d characters" +msgstr "" + +#: lib/applicationeditform.php:209 +msgid "Describe your application" +msgstr "" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "منبع" + +#: lib/applicationeditform.php:220 +msgid "URL of the homepage of this application" +msgstr "" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +msgid "URL for the homepage of the organization" +msgstr "" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "حذÙ" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "ضمائم" @@ -4537,6 +4871,15 @@ msgstr "" msgid "Updates by SMS" msgstr "به روز رسانی با پیامک" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "وصل‌شدن" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "خطای پایگاه داده" @@ -5045,10 +5388,6 @@ msgid "Do not share my location" msgstr "نمی‌توان تنظیمات مکانی را تنظیم کرد." #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5402,47 +5741,47 @@ msgstr "پیام" msgid "Moderate" msgstr "" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "چند ثانیه پیش" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "حدود یک دقیقه پیش" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "حدود %d دقیقه پیش" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "حدود یک ساعت پیش" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "حدود %d ساعت پیش" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "حدود یک روز پیش" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "حدود %d روز پیش" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "حدود یک ماه پیش" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "حدود %d ماه پیش" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "حدود یک سال پیش" diff --git a/locale/fi/LC_MESSAGES/statusnet.po b/locale/fi/LC_MESSAGES/statusnet.po index e54b94b71..0c5a7630a 100644 --- a/locale/fi/LC_MESSAGES/statusnet.po +++ b/locale/fi/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:05:10+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:41:27+0000\n" "Language-Team: Finnish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: out-statusnet\n" @@ -35,7 +35,7 @@ msgstr "Sivua ei ole." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -153,7 +153,7 @@ msgstr "API-metodia ei löytynyt!" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "Tämä metodi edellyttää POST sanoman." @@ -184,8 +184,9 @@ msgstr "Ei voitu tallentaa profiilia." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -336,7 +337,8 @@ msgstr "Tunnus on jo käytössä. Yritä toista tunnusta." msgid "Not a valid nickname." msgstr "Tuo ei ole kelvollinen tunnus." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -348,7 +350,8 @@ msgstr "Kotisivun verkko-osoite ei ole toimiva." msgid "Full name is too long (max 255 chars)." msgstr "Koko nimi on liian pitkä (max 255 merkkiä)." -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "kuvaus on liian pitkä (max 140 merkkiä)." @@ -425,6 +428,104 @@ msgstr "Käyttäjän %s ryhmät" msgid "groups on %s" msgstr "Ryhmän toiminnot" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "" +"Istuntosi avaimen kanssa oli ongelmia. Olisitko ystävällinen ja kokeilisit " +"uudelleen." + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "Käyttäjätunnus tai salasana ei kelpaa." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "Virhe tapahtui käyttäjän asettamisessa." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "Tietokantavirhe tallennettaessa risutagiä: %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "Odottamaton lomakkeen lähetys." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "Käyttäjätili" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "Tunnus" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Salasana" + +#: actions/apioauthauthorize.php:338 +#, fuzzy +msgid "Deny" +msgstr "Ulkoasu" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "Kaikki" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "Tämä metodi edellyttää joko POST tai DELETE sanoman." @@ -456,17 +557,17 @@ msgstr "Päivitys poistettu." msgid "No status with that ID found." msgstr "Käyttäjätunnukselle ei löytynyt statusviestiä." -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Päivitys on liian pitkä. Maksimipituus on %d merkkiä." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "Ei löytynyt" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "Maksimikoko päivitykselle on %d merkkiä, mukaan lukien URL-osoite." @@ -611,31 +712,6 @@ msgstr "Lataa" msgid "Crop" msgstr "Rajaa" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "" -"Istuntosi avaimen kanssa oli ongelmia. Olisitko ystävällinen ja kokeilisit " -"uudelleen." - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "Odottamaton lomakkeen lähetys." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "Valitse neliön muotoinen alue kuvasta profiilikuvaksi" @@ -771,7 +847,8 @@ msgid "Couldn't delete email confirmation." msgstr "Ei voitu poistaa sähköpostivahvistusta." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Vahvista osoite" #: actions/confirmaddress.php:159 @@ -964,7 +1041,8 @@ msgstr "" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "Tallenna" @@ -985,6 +1063,87 @@ msgstr "Lisää suosikkeihin" msgid "No such document." msgstr "Dokumenttia ei ole." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "" +"Sinun pitää olla kirjautunut sisään, jotta voit muuttaa ryhmän tietoja." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Sinä et kuulu tähän ryhmään." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "Päivitystä ei ole." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "Istuntoavaimesi kanssa oli ongelma." + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "Käytä tätä lomaketta muokataksesi ryhmää." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "Sama kuin ylläoleva salasana. Pakollinen." + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "Koko nimi on liian pitkä (max 255 merkkiä)." + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "Kuvaus" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "Kotisivun verkko-osoite ei ole toimiva." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "Kotipaikka on liian pitkä (max 255 merkkiä)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "Ei voitu päivittää ryhmää." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1056,7 +1215,8 @@ msgstr "" "lisäohjeita. " #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "Peruuta" @@ -1733,7 +1893,7 @@ msgstr "Henkilökohtainen viesti" msgid "Optionally add a personal message to the invitation." msgstr "Voit myös lisätä oman viestisi kutsuun" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "Lähetä" @@ -1842,17 +2002,6 @@ msgstr "Kirjaudu sisään" msgid "Login to site" msgstr "Kirjaudu sisään" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "Tunnus" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Salasana" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "Muista minut" @@ -1908,6 +2057,29 @@ msgstr "Ei voitu tehdä käyttäjästä %s ylläpitäjää ryhmään %s" msgid "No current status" msgstr "Ei nykyistä tilatietoa" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "Sinun pitää olla kirjautunut sisään jotta voit luoda ryhmän." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "Käytä tätä lomaketta luodaksesi ryhmän." + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "Ei voitu lisätä aliasta." + #: actions/newgroup.php:53 msgid "New group" msgstr "Uusi ryhmä" @@ -2018,6 +2190,52 @@ msgstr "Tönäisy lähetetty" msgid "Nudge sent!" msgstr "Tönäisy lähetetty!" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "" +"Sinun pitää olla kirjautunut sisään, jotta voit muuttaa ryhmän tietoja." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "Muita asetuksia" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "Sinä et kuulu tähän ryhmään." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "Päivitykselle ei ole profiilia" @@ -2036,8 +2254,8 @@ msgstr "Yhdistä" msgid "Only " msgstr "Vain " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "Tuo ei ole tuettu tietomuoto." @@ -2050,7 +2268,8 @@ msgid "Notice Search" msgstr "Etsi Päivityksistä" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "Muita Asetuksia" #: actions/othersettings.php:71 @@ -2387,7 +2606,7 @@ msgid "Full name" msgstr "Koko nimi" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "Kotisivu" @@ -2998,6 +3217,84 @@ msgstr "Et voi lähettää viestiä tälle käyttäjälle." msgid "User is already sandboxed." msgstr "Käyttäjä on asettanut eston sinulle." +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "Sinun pitää olla kirjautunut sisään, jotta voit erota ryhmästä." + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "Päivitykselle ei ole profiilia" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +#, fuzzy +msgid "Name" +msgstr "Tunnus" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "Sivutus" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "Kuvaus" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "Tilastot" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +msgid "Authorize URL" +msgstr "" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Ei saatu haettua suosikkipäivityksiä." @@ -3103,10 +3400,6 @@ msgstr "(Tyhjä)" msgid "All members" msgstr "Kaikki jäsenet" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "Tilastot" - #: actions/showgroup.php:432 msgid "Created" msgstr "Luotu" @@ -4021,11 +4314,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -#, fuzzy -msgid "Name" -msgstr "Tunnus" - #: actions/version.php:196 lib/action.php:741 #, fuzzy msgid "Version" @@ -4035,10 +4323,6 @@ msgstr "Omat" msgid "Author(s)" msgstr "" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "Kuvaus" - #: classes/File.php:144 #, php-format msgid "" @@ -4199,10 +4483,6 @@ msgstr "Koti" msgid "Personal profile and friends timeline" msgstr "Henkilökohtainen profiili ja kavereiden aikajana" -#: lib/action.php:435 -msgid "Account" -msgstr "Käyttäjätili" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "Muuta sähköpostiosoitettasi, kuvaasi, salasanaasi, profiiliasi" @@ -4361,10 +4641,6 @@ msgstr "Myöhemmin" msgid "Before" msgstr "Aiemmin" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "Istuntoavaimesi kanssa oli ongelma." - #: lib/adminpanelaction.php:96 #, fuzzy msgid "You cannot make changes to this site." @@ -4405,6 +4681,72 @@ msgstr "SMS vahvistus" msgid "Paths configuration" msgstr "SMS vahvistus" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Kuvaile ryhmää tai aihetta 140 merkillä" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "Kuvaile ryhmää tai aihetta 140 merkillä" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "Lähdekoodi" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "Ryhmän tai aiheen kotisivun tai blogin osoite" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "Ryhmän tai aiheen kotisivun tai blogin osoite" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "Poista" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "" @@ -4732,6 +5074,15 @@ msgstr "Päivitykset pikaviestintä käyttäen (IM)" msgid "Updates by SMS" msgstr "Päivitykset SMS:llä" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "Yhdistä" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "Tietokantavirhe" @@ -5260,10 +5611,6 @@ msgid "Do not share my location" msgstr "Tageja ei voitu tallentaa." #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5639,47 +5986,47 @@ msgstr "Viesti" msgid "Moderate" msgstr "" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "muutama sekunti sitten" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "noin minuutti sitten" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "noin %d minuuttia sitten" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "noin tunti sitten" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "noin %d tuntia sitten" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "noin päivä sitten" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "noin %d päivää sitten" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "noin kuukausi sitten" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "noin %d kuukautta sitten" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "noin vuosi sitten" diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index 917a67ffc..a14decaa8 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:05:16+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:41:34+0000\n" "Language-Team: French\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: out-statusnet\n" @@ -37,7 +37,7 @@ msgstr "Page non trouvée" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -157,7 +157,7 @@ msgstr "Méthode API non trouvée !" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "Ce processus requiert un POST." @@ -188,8 +188,9 @@ msgstr "Impossible d’enregistrer le profil." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -335,7 +336,8 @@ msgstr "Pseudo déjà utilisé. Essayez-en un autre." msgid "Not a valid nickname." msgstr "Pseudo invalide." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -347,7 +349,8 @@ msgstr "L’adresse du site personnel n’est pas un URL valide. " msgid "Full name is too long (max 255 chars)." msgstr "Nom complet trop long (maximum de 255 caractères)." -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "La description est trop longue (%d caractères maximum)." @@ -424,6 +427,104 @@ msgstr "Groupes de %s" msgid "groups on %s" msgstr "groupes sur %s" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "" +"Un problème est survenu avec votre jeton de session. Veuillez essayer à " +"nouveau." + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "Identifiant ou mot de passe incorrect." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "Erreur lors de la configuration de l’utilisateur." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "Erreur de base de donnée en insérant la marque (hashtag) : %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "Soumission de formulaire inattendue." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "Compte" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "Pseudo" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Mot de passe" + +#: actions/apioauthauthorize.php:338 +#, fuzzy +msgid "Deny" +msgstr "Conception" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "Tous" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "Ce processus requiert un POST ou un DELETE." @@ -453,17 +554,17 @@ msgstr "Statut supprimé." msgid "No status with that ID found." msgstr "Aucun statut trouvé avec cet identifiant." -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "C’est trop long ! La taille maximale de l’avis est de %d caractères." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "Non trouvé" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -611,31 +712,6 @@ msgstr "Transfert" msgid "Crop" msgstr "Recadrer" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "" -"Un problème est survenu avec votre jeton de session. Veuillez essayer à " -"nouveau." - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "Soumission de formulaire inattendue." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "Sélectionnez une zone de forme carrée pour définir votre avatar" @@ -772,7 +848,8 @@ msgid "Couldn't delete email confirmation." msgstr "Impossible de supprimer le courriel de confirmation." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Confirmer l’adresse" #: actions/confirmaddress.php:159 @@ -960,7 +1037,8 @@ msgstr "Revenir aux valeurs par défaut" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "Enregistrer" @@ -981,6 +1059,87 @@ msgstr "Ajouter aux favoris" msgid "No such document." msgstr "Document non trouvé." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "Vous devez ouvrir une session pour modifier un groupe." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Vous n'êtes pas membre de ce groupe." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "Avis non trouvé." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "Un problème est survenu avec votre jeton de session." + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "Remplissez ce formulaire pour modifier les options du groupe." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "Identique au mot de passe ci-dessus. Requis." + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "Nom complet trop long (maximum de 255 caractères)." + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "Description" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "L’URL de l’avatar ‘%s’ n’est pas valide." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "Emplacement trop long (maximum de 255 caractères)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +#, fuzzy +msgid "Callback URL is not valid." +msgstr "L’URL de l’avatar ‘%s’ n’est pas valide." + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "Impossible de mettre à jour le groupe." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1049,7 +1208,8 @@ msgstr "" "réception (et celle de spam !) pour recevoir de nouvelles instructions." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "Annuler" @@ -1737,7 +1897,7 @@ msgstr "Message personnel" msgid "Optionally add a personal message to the invitation." msgstr "Ajouter un message personnel à l’invitation (optionnel)." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "Envoyer" @@ -1850,17 +2010,6 @@ msgstr "Ouvrir une session" msgid "Login to site" msgstr "Ouverture de session" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "Pseudo" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Mot de passe" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "Se souvenir de moi" @@ -1919,6 +2068,29 @@ msgstr "Impossible de rendre %1$s administrateur du groupe %2$s." msgid "No current status" msgstr "Aucun statut actuel" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "Vous devez ouvrir une session pour créer un groupe." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "Remplissez les champs ci-dessous pour créer un nouveau groupe :" + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "Impossible de créer les alias." + #: actions/newgroup.php:53 msgid "New group" msgstr "Nouveau groupe" @@ -2033,6 +2205,51 @@ msgstr "Clin d’œil envoyé" msgid "Nudge sent!" msgstr "Clin d’œil envoyé !" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "Vous devez ouvrir une session pour modifier un groupe." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "Autres options " + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "Vous n'êtes pas membre de ce groupe." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "L’avis n’a pas de profil" @@ -2050,8 +2267,8 @@ msgstr "type de contenu " msgid "Only " msgstr "Seulement " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "Format de données non supporté." @@ -2064,7 +2281,8 @@ msgid "Notice Search" msgstr "Recherche d’avis" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "Autres paramètres" #: actions/othersettings.php:71 @@ -2384,7 +2602,7 @@ msgid "Full name" msgstr "Nom complet" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "Site personnel" @@ -3002,6 +3220,84 @@ msgstr "" msgid "User is already sandboxed." msgstr "L’utilisateur est déjà dans le bac à sable." +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "Vous devez ouvrir une session pour quitter un groupe." + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "L’avis n’a pas de profil" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +msgid "Name" +msgstr "Nom" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "Pagination" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "Description" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "Statistiques" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +#, fuzzy +msgid "Authorize URL" +msgstr "Auteur" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Impossible d’afficher les favoris." @@ -3115,10 +3411,6 @@ msgstr "(aucun)" msgid "All members" msgstr "Tous les membres" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "Statistiques" - #: actions/showgroup.php:432 msgid "Created" msgstr "Créé" @@ -4053,10 +4345,6 @@ msgstr "" msgid "Plugins" msgstr "Extensions" -#: actions/version.php:195 -msgid "Name" -msgstr "Nom" - #: actions/version.php:196 lib/action.php:741 msgid "Version" msgstr "Version" @@ -4065,10 +4353,6 @@ msgstr "Version" msgid "Author(s)" msgstr "Auteur(s)" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "Description" - #: classes/File.php:144 #, php-format msgid "" @@ -4089,19 +4373,16 @@ msgid "A file this large would exceed your monthly quota of %d bytes." msgstr "Un fichier aussi gros dépasserai votre quota mensuel de %d octets." #: classes/Group_member.php:41 -#, fuzzy msgid "Group join failed." -msgstr "Profil du groupe" +msgstr "L'inscription au groupe a échoué." #: classes/Group_member.php:53 -#, fuzzy msgid "Not part of group." -msgstr "Impossible de mettre à jour le groupe." +msgstr "N'appartient pas au groupe." #: classes/Group_member.php:60 -#, fuzzy msgid "Group leave failed." -msgstr "Profil du groupe" +msgstr "La désinscription du groupe a échoué." #: classes/Login_token.php:76 #, php-format @@ -4228,10 +4509,6 @@ msgstr "Accueil" msgid "Personal profile and friends timeline" msgstr "Profil personnel et flux des amis" -#: lib/action.php:435 -msgid "Account" -msgstr "Compte" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "Modifier votre courriel, avatar, mot de passe, profil" @@ -4386,10 +4663,6 @@ msgstr "Après" msgid "Before" msgstr "Avant" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "Un problème est survenu avec votre jeton de session." - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "Vous ne pouvez pas faire de modifications sur ce site." @@ -4422,6 +4695,72 @@ msgstr "Configuration de la conception" msgid "Paths configuration" msgstr "Configuration des chemins" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Description du groupe ou du sujet en %d caractères" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "Description du groupe ou du sujet" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "Source" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "URL du site Web ou blogue du groupe ou sujet " + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "URL du site Web ou blogue du groupe ou sujet " + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "Retirer" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "Pièces jointes" @@ -4784,6 +5123,15 @@ msgstr "Suivi des avis par messagerie instantanée" msgid "Updates by SMS" msgstr "Suivi des avis par SMS" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "Connecter" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "Erreur de la base de données" @@ -4979,9 +5327,9 @@ msgid "[%s]" msgstr "[%s]" #: lib/jabber.php:385 -#, fuzzy, php-format +#, php-format msgid "Unknown inbox source %d." -msgstr "Langue « %s » inconnue." +msgstr "Source %d inconnue pour la boîte de réception." #: lib/joinform.php:114 msgid "Join" @@ -5378,14 +5726,12 @@ msgid "Do not share my location" msgstr "Ne pas partager ma localisation" #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "Masquer cette info" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" msgstr "" +"Désolé, l'obtention de votre localisation prend plus de temps que prévu. " +"Veuillez réessayer plus tard." #: lib/noticelist.php:428 #, php-format @@ -5734,47 +6080,47 @@ msgstr "Message" msgid "Moderate" msgstr "Modérer" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "il y a quelques secondes" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "il y a 1 minute" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "il y a %d minutes" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "il y a 1 heure" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "il y a %d heures" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "il y a 1 jour" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "il y a %d jours" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "il y a 1 mois" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "il y a %d mois" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "il y a environ 1 an" diff --git a/locale/ga/LC_MESSAGES/statusnet.po b/locale/ga/LC_MESSAGES/statusnet.po index 4dc2de67a..7bab054d4 100644 --- a/locale/ga/LC_MESSAGES/statusnet.po +++ b/locale/ga/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:05:19+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:41:37+0000\n" "Language-Team: Irish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ga\n" "X-Message-Group: out-statusnet\n" @@ -35,7 +35,7 @@ msgstr "Non existe a etiqueta." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -148,7 +148,7 @@ msgstr "Método da API non atopado" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "Este método require un POST." @@ -179,8 +179,9 @@ msgstr "Non se puido gardar o perfil." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -333,7 +334,8 @@ msgstr "O alcume xa está sendo empregado por outro usuario. Tenta con outro." msgid "Not a valid nickname." msgstr "Non é un alcume válido." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -345,7 +347,8 @@ msgstr "A páxina persoal semella que non é unha URL válida." msgid "Full name is too long (max 255 chars)." msgstr "O nome completo é demasiado longo (max 255 car)." -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "O teu Bio é demasiado longo (max 140 car.)." @@ -423,6 +426,102 @@ msgstr "" msgid "groups on %s" msgstr "Outras opcions" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "Houbo un problema co teu token de sesión. Tentao de novo, anda..." + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "Usuario ou contrasinal inválidos." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "Acounteceu un erro configurando o usuario." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "Erro ó inserir o hashtag na BD: %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "Envio de formulario non esperada." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +#, fuzzy +msgid "Account" +msgstr "Sobre" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "Alcume" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Contrasinal" + +#: actions/apioauthauthorize.php:338 +msgid "Deny" +msgstr "" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "Todos" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "Este método require un POST ou DELETE." @@ -455,18 +554,18 @@ msgstr "Avatar actualizado." msgid "No status with that ID found." msgstr "Non existe ningún estado con esa ID atopada." -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Max notice size is %d chars." msgstr "" "Iso é demasiado longo. O tamaño máximo para un chío é de 140 caracteres." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "Non atopado" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -614,29 +713,6 @@ msgstr "Subir" msgid "Crop" msgstr "" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "Houbo un problema co teu token de sesión. Tentao de novo, anda..." - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "Envio de formulario non esperada." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "" @@ -781,7 +857,8 @@ msgid "Couldn't delete email confirmation." msgstr "Non se pode eliminar a confirmación de email." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Confirmar enderezo" #: actions/confirmaddress.php:159 @@ -982,7 +1059,8 @@ msgstr "" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "Gardar" @@ -1003,6 +1081,89 @@ msgstr "Engadir a favoritos" msgid "No such document." msgstr "Ningún documento." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "Debes estar logueado para invitar a outros usuarios a empregar %s" + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Non estás suscrito a ese perfil" + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "Ningún chío." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +#, fuzzy +msgid "There was a problem with your session token." +msgstr "Houbo un problema co teu token de sesión. Tentao de novo, anda..." + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "" +"Usa este formulario para engadir etiquetas aos teus seguidores ou aos que " +"sigues." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "A mesma contrasinal que arriba. Requerido." + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "O nome completo é demasiado longo (max 255 car)." + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "Subscricións" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "A páxina persoal semella que non é unha URL válida." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "A localización é demasiado longa (max 255 car.)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "Non se puido actualizar o usuario." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1078,7 +1239,8 @@ msgstr "" "a %s á túa lista de contactos?)" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "Cancelar" @@ -1764,7 +1926,7 @@ msgstr "Mensaxe persoal" msgid "Optionally add a personal message to the invitation." msgstr "Opcionalmente engadir unha mensaxe persoal á invitación." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "Enviar" @@ -1875,17 +2037,6 @@ msgstr "Inicio de sesión" msgid "Login to site" msgstr "" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "Alcume" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Contrasinal" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "Lembrarme" @@ -1939,6 +2090,28 @@ msgstr "O usuario bloqueoute." msgid "No current status" msgstr "Sen estado actual" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "Debes estar logueado para invitar a outros usuarios a empregar %s" + +#: actions/newapplication.php:143 +msgid "Use this form to register a new application." +msgstr "" + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "Non se puido crear o favorito." + #: actions/newgroup.php:53 msgid "New group" msgstr "" @@ -2050,6 +2223,51 @@ msgstr "Toque enviado" msgid "Nudge sent!" msgstr "Toque enviado!" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "Debes estar logueado para invitar a outros usuarios a empregar %s" + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "Outras opcions" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "Non estás suscrito a ese perfil" + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "O chío non ten perfil" @@ -2068,8 +2286,8 @@ msgstr "Conectar" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "Non é un formato de datos soportado." @@ -2082,7 +2300,8 @@ msgid "Notice Search" msgstr "Procura de Chíos" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "Outros axustes" #: actions/othersettings.php:71 @@ -2419,7 +2638,7 @@ msgid "Full name" msgstr "Nome completo" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "Páxina persoal" @@ -3035,6 +3254,85 @@ msgstr "Non podes enviar mensaxes a este usurio." msgid "User is already sandboxed." msgstr "O usuario bloqueoute." +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "Debes estar logueado para invitar a outros usuarios a empregar %s" + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "O chío non ten perfil" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +#, fuzzy +msgid "Name" +msgstr "Alcume" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "Invitación(s) enviada(s)." + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#, fuzzy +msgid "Description" +msgstr "Subscricións" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "Estatísticas" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +msgid "Authorize URL" +msgstr "" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Non se pode " @@ -3145,10 +3443,6 @@ msgstr "(nada)" msgid "All members" msgstr "" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "Estatísticas" - #: actions/showgroup.php:432 #, fuzzy msgid "Created" @@ -4077,11 +4371,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -#, fuzzy -msgid "Name" -msgstr "Alcume" - #: actions/version.php:196 lib/action.php:741 #, fuzzy msgid "Version" @@ -4091,11 +4380,6 @@ msgstr "Persoal" msgid "Author(s)" msgstr "" -#: actions/version.php:198 lib/groupeditform.php:172 -#, fuzzy -msgid "Description" -msgstr "Subscricións" - #: classes/File.php:144 #, php-format msgid "" @@ -4260,11 +4544,6 @@ msgstr "Persoal" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 -#, fuzzy -msgid "Account" -msgstr "Sobre" - #: lib/action.php:435 #, fuzzy msgid "Change your email, avatar, password, profile" @@ -4433,11 +4712,6 @@ msgstr "« Despois" msgid "Before" msgstr "Antes »" -#: lib/action.php:1167 -#, fuzzy -msgid "There was a problem with your session token." -msgstr "Houbo un problema co teu token de sesión. Tentao de novo, anda..." - #: lib/adminpanelaction.php:96 #, fuzzy msgid "You cannot make changes to this site." @@ -4478,6 +4752,72 @@ msgstr "Confirmación de SMS" msgid "Paths configuration" msgstr "Confirmación de SMS" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Contanos un pouco de ti e dos teus intereses en 140 caractéres." + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "Contanos un pouco de ti e dos teus intereses en 140 caractéres." + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "Fonte" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "Enderezo da túa páxina persoal, blogue, ou perfil noutro sitio" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "Enderezo da túa páxina persoal, blogue, ou perfil noutro sitio" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "Eliminar" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "" @@ -4844,6 +5184,15 @@ msgstr "Chíos dende mensaxería instantánea (IM)" msgid "Updates by SMS" msgstr "Chíos dende SMS" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "Conectar" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "" @@ -5426,10 +5775,6 @@ msgid "Do not share my location" msgstr "Non se puideron gardar as etiquetas." #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5819,47 +6164,47 @@ msgstr "Nova mensaxe" msgid "Moderate" msgstr "" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "fai uns segundos" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "fai un minuto" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "fai %d minutos" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "fai unha hora" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "fai %d horas" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "fai un día" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "fai %d días" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "fai un mes" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "fai %d meses" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "fai un ano" diff --git a/locale/he/LC_MESSAGES/statusnet.po b/locale/he/LC_MESSAGES/statusnet.po index c6e90c550..3d6267512 100644 --- a/locale/he/LC_MESSAGES/statusnet.po +++ b/locale/he/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:05:22+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:41:41+0000\n" "Language-Team: Hebrew\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: he\n" "X-Message-Group: out-statusnet\n" @@ -33,7 +33,7 @@ msgstr "×ין הודעה כזו." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -146,7 +146,7 @@ msgstr "קוד ×”×ישור ×œ× × ×ž×¦×." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "" @@ -177,8 +177,9 @@ msgstr "שמירת הפרופיל נכשלה." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -325,7 +326,8 @@ msgstr "כינוי ×–×” כבר תפוס. נסה כינוי ×חר." msgid "Not a valid nickname." msgstr "×©× ×ž×©×ª×ž×© ×œ× ×—×•×§×™." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -337,7 +339,8 @@ msgstr "ל×תר הבית יש כתובת ×œ× ×—×•×§×™×ª." msgid "Full name is too long (max 255 chars)." msgstr "×”×©× ×”×ž×œ× ×רוך מידי (מותרות 255 ×ותיות בלבד)" -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "הביוגרפיה ×רוכה מידי (לכל היותר 140 ×ותיות)" @@ -417,6 +420,101 @@ msgstr "" msgid "groups on %s" msgstr "" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "" + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "×©× ×”×ž×©×ª×ž×© ×ו הסיסמה ×œ× ×—×•×§×™×™×" + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "שגי××” ביצירת ×©× ×”×ž×©×ª×ž×©." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "שגי×ת מסד × ×ª×•× ×™× ×‘×”×›× ×¡×ª התגובה: %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "הגשת טופס ×œ× ×¦×¤×•×™×”." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +#, fuzzy +msgid "Account" +msgstr "×ודות" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "כינוי" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "סיסמה" + +#: actions/apioauthauthorize.php:338 +msgid "Deny" +msgstr "" + +#: actions/apioauthauthorize.php:344 +msgid "Allow" +msgstr "" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "" @@ -449,17 +547,17 @@ msgstr "התמונה עודכנה." msgid "No status with that ID found." msgstr "" -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Max notice size is %d chars." msgstr "×–×” ×רוך מידי. ×ורך מירבי להודעה ×”×•× 140 ×ותיות." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "×œ× × ×ž×¦×" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -608,29 +706,6 @@ msgstr "ההעלה" msgid "Crop" msgstr "" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "" - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "הגשת טופס ×œ× ×¦×¤×•×™×”." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "" @@ -772,7 +847,8 @@ msgid "Couldn't delete email confirmation." msgstr "" #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "×שר כתובת" #: actions/confirmaddress.php:159 @@ -969,7 +1045,8 @@ msgstr "" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "שמור" @@ -991,6 +1068,83 @@ msgstr "מועדפי×" msgid "No such document." msgstr "×ין מסמך ×›×–×”." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +msgid "You must be logged in to edit an application." +msgstr "" + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "×ין הודעה כזו." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/editapplication.php:161 +msgid "Use this form to edit your application." +msgstr "" + +#: actions/editapplication.php:177 actions/newapplication.php:159 +msgid "Name is required." +msgstr "" + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "×”×©× ×”×ž×œ× ×רוך מידי (מותרות 255 ×ותיות בלבד)" + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "הרשמות" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "ל×תר הבית יש כתובת ×œ× ×—×•×§×™×ª." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "×©× ×”×ž×™×§×•× ×רוך מידי (מותר עד 255 ×ותיות)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "עידכון המשתמש נכשל." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1061,7 +1215,8 @@ msgid "" msgstr "" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "בטל" @@ -1738,7 +1893,7 @@ msgstr "" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "שלח" @@ -1823,17 +1978,6 @@ msgstr "היכנס" msgid "Login to site" msgstr "" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "כינוי" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "סיסמה" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "זכור ×ותי" @@ -1884,6 +2028,27 @@ msgstr "למשתמש ×ין פרופיל." msgid "No current status" msgstr "" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +msgid "You must be logged in to register an application." +msgstr "" + +#: actions/newapplication.php:143 +msgid "Use this form to register a new application." +msgstr "" + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "שמירת מידע התמונה נכשל" + #: actions/newgroup.php:53 msgid "New group" msgstr "" @@ -1992,6 +2157,49 @@ msgstr "" msgid "Nudge sent!" msgstr "" +#: actions/oauthappssettings.php:59 +msgid "You must be logged in to list your applications." +msgstr "" + +#: actions/oauthappssettings.php:74 +msgid "OAuth applications" +msgstr "" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "להודעה ×ין פרופיל" @@ -2010,8 +2218,8 @@ msgstr "התחבר" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "" @@ -2025,7 +2233,7 @@ msgstr "" #: actions/othersettings.php:60 #, fuzzy -msgid "Other Settings" +msgid "Other settings" msgstr "הגדרות" #: actions/othersettings.php:71 @@ -2358,7 +2566,7 @@ msgid "Full name" msgstr "×©× ×ž×œ×" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "×תר בית" @@ -2933,6 +3141,84 @@ msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" msgid "User is already sandboxed." msgstr "למשתמש ×ין פרופיל." +#: actions/showapplication.php:82 +msgid "You must be logged in to view an application." +msgstr "" + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "להודעה ×ין פרופיל" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +#, fuzzy +msgid "Name" +msgstr "כינוי" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "מיקו×" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#, fuzzy +msgid "Description" +msgstr "הרשמות" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "סטטיסטיקה" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +msgid "Authorize URL" +msgstr "" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "" @@ -3041,10 +3327,6 @@ msgstr "" msgid "All members" msgstr "" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "סטטיסטיקה" - #: actions/showgroup.php:432 #, fuzzy msgid "Created" @@ -3940,11 +4222,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -#, fuzzy -msgid "Name" -msgstr "כינוי" - #: actions/version.php:196 lib/action.php:741 #, fuzzy msgid "Version" @@ -3954,11 +4231,6 @@ msgstr "×ישי" msgid "Author(s)" msgstr "" -#: actions/version.php:198 lib/groupeditform.php:172 -#, fuzzy -msgid "Description" -msgstr "הרשמות" - #: classes/File.php:144 #, php-format msgid "" @@ -4118,11 +4390,6 @@ msgstr "בית" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 -#, fuzzy -msgid "Account" -msgstr "×ודות" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "" @@ -4287,10 +4554,6 @@ msgstr "<< ×חרי" msgid "Before" msgstr "לפני >>" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "" - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "" @@ -4325,6 +4588,72 @@ msgstr "" msgid "Paths configuration" msgstr "הרשמות" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "ת×ר ×ת עצמך ו×ת נוש××™ העניין שלך ב-140 ×ותיות" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "ת×ר ×ת עצמך ו×ת נוש××™ העניין שלך ב-140 ×ותיות" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "מקור" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "הכתובת של ×תר הבית שלך, בלוג, ×ו פרופיל ב×תר ×חר " + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "הכתובת של ×תר הבית שלך, בלוג, ×ו פרופיל ב×תר ×חר " + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "הסר" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "" @@ -4653,6 +4982,15 @@ msgstr "" msgid "Updates by SMS" msgstr "" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "התחבר" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "" @@ -5173,10 +5511,6 @@ msgid "Do not share my location" msgstr "שמירת הפרופיל נכשלה." #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5555,47 +5889,47 @@ msgstr "הודעה חדשה" msgid "Moderate" msgstr "" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "לפני מספר שניות" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "לפני כדקה" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "לפני ×›-%d דקות" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "לפני כשעה" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "לפני ×›-%d שעות" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "לפני כיו×" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "לפני ×›-%d ימי×" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "לפני כחודש" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "לפני ×›-%d חודשי×" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "לפני כשנה" diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index 8f548104d..0483cc49c 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:05:25+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:41:44+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: out-statusnet\n" @@ -35,7 +35,7 @@ msgstr "Strona njeeksistuje" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -146,7 +146,7 @@ msgstr "API-metoda njenamakana." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "Tuta metoda wužaduje sej POST." @@ -175,8 +175,9 @@ msgstr "Profil njeje so skÅ‚adować daÅ‚." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -316,7 +317,8 @@ msgstr "PÅ™imjeno so hižo wužiwa. Spytaj druhe." msgid "Not a valid nickname." msgstr "Žane pÅ‚aćiwe pÅ™imjeno." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -328,7 +330,8 @@ msgstr "Startowa strona njeje pÅ‚aćiwy URL." msgid "Full name is too long (max 255 chars)." msgstr "DospoÅ‚ne mjeno je pÅ™edoÅ‚ho (maks. 255 znamjeÅ¡kow)." -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "Wopisanje je pÅ™edoÅ‚ho (maks. %d znamjeÅ¡kow)." @@ -405,6 +408,101 @@ msgstr "" msgid "groups on %s" msgstr "skupiny na %s" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "" + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "NjepÅ‚aćiwe wužiwarske mjeno abo hesÅ‚o." + +#: actions/apioauthauthorize.php:170 +msgid "DB error deleting OAuth app user." +msgstr "" + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "Zmylk pÅ™i zasunjenju awatara" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "" + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "Konto" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "PÅ™imjeno" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "HesÅ‚o" + +#: actions/apioauthauthorize.php:338 +#, fuzzy +msgid "Deny" +msgstr "Design" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "WÅ¡Ä›" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "Tuta metoda wužaduje sej POST abo DELETE." @@ -434,17 +532,17 @@ msgstr "Status zniÄeny." msgid "No status with that ID found." msgstr "Žadyn status z tym ID namakany." -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "To je pÅ™edoÅ‚ho. Maksimalna wulkosć zdźělenki je %d znamjeÅ¡kow." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "Njenamakany" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -589,29 +687,6 @@ msgstr "Nahrać" msgid "Crop" msgstr "" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "" - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "" - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "" @@ -745,7 +820,8 @@ msgid "Couldn't delete email confirmation." msgstr "" #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Adresu wobkrućić" #: actions/confirmaddress.php:159 @@ -928,7 +1004,8 @@ msgstr "Na standard wróćo stajić" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "SkÅ‚adować" @@ -949,6 +1026,86 @@ msgstr "K faworitam pÅ™idać" msgid "No such document." msgstr "Dokument njeeksistuje." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "DyrbiÅ¡ pÅ™izjewjeny być, zo by skupinu wobdźěłaÅ‚." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Njejsy ÄÅ‚on tuteje skupiny." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "Zdźělenka njeeksistuje." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "Wuž tutón formular, zo by skupinu wobdźěłaÅ‚." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "Jenake kaž hesÅ‚o horjeka. TrÄ›bne." + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "DospoÅ‚ne mjeno je pÅ™edoÅ‚ho (maks. 255 znamjeÅ¡kow)." + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "Wopisanje" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "Startowa strona njeje pÅ‚aćiwy URL." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "MÄ›stno je pÅ™edoÅ‚ho (maks. 255 znamjeÅ¡kow)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "Skupina njeje so daÅ‚a aktualizować." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1015,7 +1172,8 @@ msgid "" msgstr "" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "PÅ™etorhnyć" @@ -1654,7 +1812,7 @@ msgstr "Wosobinska powÄ›sć" msgid "Optionally add a personal message to the invitation." msgstr "Wosobinsku powÄ›sć po dobrozdaću pÅ™eproÅ¡enju pÅ™idać." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "PósÅ‚ać" @@ -1737,17 +1895,6 @@ msgstr "PÅ™izjewić" msgid "Login to site" msgstr "PÅ™i sydle pÅ™izjewić" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "PÅ™imjeno" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "HesÅ‚o" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "SkÅ‚adować" @@ -1796,6 +1943,29 @@ msgstr "Njeje móžno %1$S k administratorej w skupinje %2$s Äinić." msgid "No current status" msgstr "Žadyn aktualny status" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "DyrbiÅ¡ pÅ™izjewjeny być, zo by skupinu wutworiÅ‚." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "Wužij tutón formular, zo by nowu skupinu wutworiÅ‚." + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "Aliasy njejsu so dali wutworić." + #: actions/newgroup.php:53 msgid "New group" msgstr "Nowa skupina" @@ -1900,6 +2070,51 @@ msgstr "" msgid "Nudge sent!" msgstr "" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "DyrbiÅ¡ pÅ™izjewjeny być, zo by skupinu wobdźěłaÅ‚." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "Druhe opcije" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "Njejsy ÄÅ‚on teje skupiny." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "Zdźělenka nima profil" @@ -1917,8 +2132,8 @@ msgstr "" msgid "Only " msgstr "Jenož " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "Njeje podpÄ›rany datowy format." @@ -1931,7 +2146,8 @@ msgid "Notice Search" msgstr "Zdźělenku pytać" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "Druhe nastajenja" #: actions/othersettings.php:71 @@ -2247,7 +2463,7 @@ msgid "Full name" msgstr "DospoÅ‚ne mjeno" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "Startowa strona" @@ -2802,6 +3018,84 @@ msgstr "" msgid "User is already sandboxed." msgstr "" +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "DyrbiÅ¡ pÅ™izjewjeny być, zo by skupinu wopušćiÅ‚." + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "Zdźělenka nima profil" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +msgid "Name" +msgstr "Mjeno" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "PÅ™eproÅ¡enja" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "Wopisanje" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "Statistika" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +#, fuzzy +msgid "Authorize URL" +msgstr "Awtor" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "" @@ -2907,10 +3201,6 @@ msgstr "(Žadyn)" msgid "All members" msgstr "WÅ¡itcy ÄÅ‚onojo" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "Statistika" - #: actions/showgroup.php:432 msgid "Created" msgstr "Wutworjeny" @@ -3762,10 +4052,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -msgid "Name" -msgstr "Mjeno" - #: actions/version.php:196 lib/action.php:741 msgid "Version" msgstr "Wersija" @@ -3774,10 +4060,6 @@ msgstr "Wersija" msgid "Author(s)" msgstr "Awtorojo" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "Wopisanje" - #: classes/File.php:144 #, php-format msgid "" @@ -3931,10 +4213,6 @@ msgstr "" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 -msgid "Account" -msgstr "Konto" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "" @@ -4084,10 +4362,6 @@ msgstr "" msgid "Before" msgstr "" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "" - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "" @@ -4120,6 +4394,70 @@ msgstr "" msgid "Paths configuration" msgstr "" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Skupinu abo temu w %d znamjeÅ¡kach wopisać" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "Skupinu abo temu wopisać" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "ŽórÅ‚o" + +#: lib/applicationeditform.php:220 +msgid "URL of the homepage of this application" +msgstr "" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +msgid "URL for the homepage of the organization" +msgstr "" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "Wotstronić" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "" @@ -4444,6 +4782,15 @@ msgstr "" msgid "Updates by SMS" msgstr "" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "Zwjazać" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "Zmylk w datowej bance" @@ -4943,10 +5290,6 @@ msgid "Do not share my location" msgstr "MÄ›stno njedźělić." #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5299,47 +5642,47 @@ msgstr "PowÄ›sć" msgid "Moderate" msgstr "" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "pÅ™ed něšto sekundami" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "pÅ™ed nÄ›hdźe jednej mjeÅ„Å¡inu" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "pÅ™ed %d mjeÅ„Å¡inami" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "pÅ™ed nÄ›hdźe jednej hodźinu" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "pÅ™ed nÄ›hdźe %d hodźinami" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "pÅ™ed nÄ›hdźe jednym dnjom" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "pÅ™ed nÄ›hdźe %d dnjemi" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "pÅ™ed nÄ›hdźe jednym mÄ›sacom" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "pÅ™ed nÄ›hdźe %d mÄ›sacami" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "pÅ™ed nÄ›hdźe jednym lÄ›tom" diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index 3115ed7ce..cff65012c 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:05:28+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:41:47+0000\n" "Language-Team: Interlingua\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: out-statusnet\n" @@ -33,7 +33,7 @@ msgstr "Pagina non existe" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -152,7 +152,7 @@ msgstr "Methodo API non trovate." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "Iste methodo require un POST." @@ -183,8 +183,9 @@ msgstr "Non poteva salveguardar le profilo." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -329,7 +330,8 @@ msgstr "Pseudonymo ja in uso. Proba un altere." msgid "Not a valid nickname." msgstr "Non un pseudonymo valide." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -341,7 +343,8 @@ msgstr "Le pagina personal non es un URL valide." msgid "Full name is too long (max 255 chars)." msgstr "Le nomine complete es troppo longe (max. 255 characteres)." -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "Description es troppo longe (max %d charachteres)." @@ -418,6 +421,101 @@ msgstr "Gruppos de %s" msgid "groups on %s" msgstr "gruppos in %s" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "Occurreva un problema con le indicio de tu session. Per favor reproba." + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "Nomine de usator o contrasigno invalide." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "Error durante le configuration del usator." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "Error durante le configuration del usator." + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "Submission de formulario inexpectate." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "Pseudonymo" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Contrasigno" + +#: actions/apioauthauthorize.php:338 +#, fuzzy +msgid "Deny" +msgstr "Apparentia" + +#: actions/apioauthauthorize.php:344 +msgid "Allow" +msgstr "" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "Iste methodo require un commando POST o DELETE." @@ -447,18 +545,18 @@ msgstr "Stato delite." msgid "No status with that ID found." msgstr "Nulle stato trovate con iste ID." -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "" "Isto es troppo longe. Le longitude maximal del notas es %d characteres." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "Non trovate" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -605,29 +703,6 @@ msgstr "Cargar" msgid "Crop" msgstr "Taliar" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "Occurreva un problema con le indicio de tu session. Per favor reproba." - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "Submission de formulario inexpectate." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "Selige un area quadrate del imagine pro facer lo tu avatar" @@ -764,7 +839,8 @@ msgid "Couldn't delete email confirmation." msgstr "Non poteva deler confirmation de e-mail." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Confirmar adresse" #: actions/confirmaddress.php:159 @@ -952,7 +1028,8 @@ msgstr "Revenir al predefinitiones" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "Salveguardar" @@ -973,6 +1050,85 @@ msgstr "Adder al favorites" msgid "No such document." msgstr "Documento non existe." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "Tu debe aperir un session pro modificar un gruppo." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Tu non es membro de iste gruppo." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "Nota non trovate." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "Usa iste formulario pro modificar le gruppo." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "Identic al contrasigno hic supra. Requisite." + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "Le nomine complete es troppo longe (max. 255 characteres)." + +#: actions/editapplication.php:183 actions/newapplication.php:165 +msgid "Description is required." +msgstr "" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "Le pagina personal non es un URL valide." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "Loco es troppo longe (max. 255 characteres)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "Non poteva actualisar gruppo." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1043,7 +1199,8 @@ msgstr "" "spam!) pro un message con ulterior instructiones." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "Cancellar" @@ -1727,7 +1884,7 @@ msgstr "Message personal" msgid "Optionally add a personal message to the invitation." msgstr "Si tu vole, adde un message personal al invitation." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "Inviar" @@ -1837,17 +1994,6 @@ msgstr "Aperir session" msgid "Login to site" msgstr "Identificar te a iste sito" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "Pseudonymo" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Contrasigno" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "Memorar me" @@ -1902,6 +2048,29 @@ msgstr "Non pote facer %s administrator del gruppo %s" msgid "No current status" msgstr "Nulle stato actual" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "Tu debe aperir un session pro crear un gruppo." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "Usa iste formulario pro crear un nove gruppo." + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "Non poteva crear aliases." + #: actions/newgroup.php:53 msgid "New group" msgstr "Nove gruppo" @@ -2017,6 +2186,50 @@ msgstr "Pulsata inviate" msgid "Nudge sent!" msgstr "Pulsata inviate!" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "Tu debe aperir un session pro modificar un gruppo." + +#: actions/oauthappssettings.php:74 +msgid "OAuth applications" +msgstr "" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "Tu non es membro de iste gruppo." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "Le nota ha nulle profilo" @@ -2034,8 +2247,8 @@ msgstr "typo de contento " msgid "Only " msgstr "Solmente " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "Formato de datos non supportate." @@ -2048,7 +2261,8 @@ msgid "Notice Search" msgstr "Rercerca de notas" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "Altere configurationes" #: actions/othersettings.php:71 @@ -2371,7 +2585,7 @@ msgid "Full name" msgstr "Nomine complete" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "Pagina personal" @@ -2979,6 +3193,83 @@ msgstr "Tu non pote mitter usatores in le cassa de sablo in iste sito." msgid "User is already sandboxed." msgstr "Usator es ja in cassa de sablo." +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "Tu debe aperir un session pro quitar un gruppo." + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "Le nota ha nulle profilo" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +#, fuzzy +msgid "Name" +msgstr "Pseudonymo" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +msgid "Organization" +msgstr "" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "Statisticas" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +msgid "Authorize URL" +msgstr "" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Non poteva recuperar notas favorite." @@ -3092,10 +3383,6 @@ msgstr "(Nulle)" msgid "All members" msgstr "Tote le membros" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "Statisticas" - #: actions/showgroup.php:432 msgid "Created" msgstr "Create" @@ -3984,11 +4271,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -#, fuzzy -msgid "Name" -msgstr "Pseudonymo" - #: actions/version.php:196 lib/action.php:741 #, fuzzy msgid "Version" @@ -3998,10 +4280,6 @@ msgstr "Conversation" msgid "Author(s)" msgstr "" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "" - #: classes/File.php:144 #, php-format msgid "" @@ -4155,10 +4433,6 @@ msgstr "" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 -msgid "Account" -msgstr "" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "" @@ -4308,10 +4582,6 @@ msgstr "" msgid "Before" msgstr "" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "" - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "" @@ -4345,6 +4615,69 @@ msgstr "" msgid "Paths configuration" msgstr "" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Describe te e tu interesses in %d characteres" + +#: lib/applicationeditform.php:209 +msgid "Describe your application" +msgstr "" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "URL pro reporto" + +#: lib/applicationeditform.php:220 +msgid "URL of the homepage of this application" +msgstr "" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +msgid "URL for the homepage of the organization" +msgstr "" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "Remover" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "" @@ -4663,6 +4996,15 @@ msgstr "" msgid "Updates by SMS" msgstr "" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "Conversation" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "" @@ -5163,10 +5505,6 @@ msgid "Do not share my location" msgstr "Non poteva salveguardar le preferentias de loco." #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5522,47 +5860,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "" diff --git a/locale/is/LC_MESSAGES/statusnet.po b/locale/is/LC_MESSAGES/statusnet.po index beef92d12..68db86f45 100644 --- a/locale/is/LC_MESSAGES/statusnet.po +++ b/locale/is/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:05:31+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:41:51+0000\n" "Language-Team: Icelandic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: is\n" "X-Message-Group: out-statusnet\n" @@ -36,7 +36,7 @@ msgstr "Ekkert þannig merki." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -148,7 +148,7 @@ msgstr "Aðferð í forritsskilum fannst ekki!" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "Þessi aðferð krefst POST." @@ -179,8 +179,9 @@ msgstr "Gat ekki vistað persónulega síðu." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -327,7 +328,8 @@ msgstr "Stuttnefni nú þegar í notkun. Prófaðu eitthvað annað." msgid "Not a valid nickname." msgstr "Ekki tækt stuttnefni." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -339,7 +341,8 @@ msgstr "Heimasíða er ekki gild vefslóð." msgid "Full name is too long (max 255 chars)." msgstr "Fullt nafn er of langt (í mesta lagi 255 stafir)." -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "Lýsing er of löng (í mesta lagi 140 tákn)." @@ -419,6 +422,101 @@ msgstr "Hópar %s" msgid "groups on %s" msgstr "Hópsaðgerðir" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "Það kom upp vandamál með setutókann þinn. Vinsamlegast reyndu aftur." + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "Ótækt notendanafn eða lykilorð." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "Villa kom upp í stillingu notanda." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "Gagnagrunnsvilla við innsetningu myllumerkis: %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "Bjóst ekki við innsendingu eyðublaðs." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "Aðgangur" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "Stuttnefni" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Lykilorð" + +#: actions/apioauthauthorize.php:338 +msgid "Deny" +msgstr "" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "Allt" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "Þessi aðferð krefst POST eða DELETE." @@ -450,17 +548,17 @@ msgstr "" msgid "No status with that ID found." msgstr "Engin staða með þessu kenni fannst." -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Þetta er of langt. Hámarkslengd babls er 140 tákn." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "Fannst ekki" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -605,29 +703,6 @@ msgstr "Hlaða upp" msgid "Crop" msgstr "Skera af" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "Það kom upp vandamál með setutókann þinn. Vinsamlegast reyndu aftur." - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "Bjóst ekki við innsendingu eyðublaðs." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "" @@ -765,7 +840,8 @@ msgid "Couldn't delete email confirmation." msgstr "Gat ekki eytt tölvupóstsstaðfestingu." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Staðfesta tölvupóstfang" #: actions/confirmaddress.php:159 @@ -958,7 +1034,8 @@ msgstr "" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "Vista" @@ -979,6 +1056,86 @@ msgstr "Bæta við sem uppáhaldsbabli" msgid "No such document." msgstr "Ekkert svoleiðis skjal." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "Þú verður að hafa skráð þig inn til að búa til hóp." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Þú ert ekki meðlimur í þessum hópi." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "Ekkert svoleiðis babl." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "Það komu upp vandamál varðandi setutókann þinn." + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "Notaðu þetta eyðublað til að breyta hópnum." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "Sama og lykilorðið hér fyrir ofan. Nauðsynlegt." + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "Fullt nafn er of langt (í mesta lagi 255 stafir)." + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "Lýsing" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "Heimasíða er ekki gild vefslóð." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "Staðsetning er of löng (í mesta lagi 255 stafir)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "Gat ekki uppfært hóp." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1049,7 +1206,8 @@ msgstr "" "ruslpóstinn þinn!). Þar ættu að vera skilaboð með ítarlegri leiðbeiningum." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "Hætta við" @@ -1720,7 +1878,7 @@ msgstr "Persónuleg skilaboð" msgid "Optionally add a personal message to the invitation." msgstr "Bættu persónulegum skilaboðum við boðskortið ef þú vilt." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "Senda" @@ -1830,17 +1988,6 @@ msgstr "Innskráning" msgid "Login to site" msgstr "Skrá þig inn á síðuna" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "Stuttnefni" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Lykilorð" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "Muna eftir mér" @@ -1896,6 +2043,29 @@ msgstr "Gat ekki fjarlægt notandann %s úr hópnum %s" msgid "No current status" msgstr "Engin núverandi staða" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "Þú verður að hafa skráð þig inn til að búa til hóp." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "Notaðu þetta eyðublað til að búa til nýjan hóp." + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "Gat ekki búið til uppáhald." + #: actions/newgroup.php:53 msgid "New group" msgstr "Nýr hópur" @@ -2006,6 +2176,51 @@ msgstr "Ãtt við notanda" msgid "Nudge sent!" msgstr "Ãtt við notanda!" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "Þú verður að hafa skráð þig inn til að bæta þér í hóp." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "Aðrir valkostir" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "Þú ert ekki meðlimur í þessum hópi." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "Babl hefur enga persónulega síðu" @@ -2023,8 +2238,8 @@ msgstr "" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "Enginn stuðningur við gagnasnið." @@ -2037,7 +2252,8 @@ msgid "Notice Search" msgstr "Leit í babli" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "Aðrar stillingar" #: actions/othersettings.php:71 @@ -2370,7 +2586,7 @@ msgid "Full name" msgstr "Fullt nafn" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "Heimasíða" @@ -2969,6 +3185,84 @@ msgstr "Þú getur ekki sent þessum notanda skilaboð." msgid "User is already sandboxed." msgstr "" +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "Þú verður aða hafa skráð þig inn til að ganga úr hóp." + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "Babl hefur enga persónulega síðu" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +#, fuzzy +msgid "Name" +msgstr "Stuttnefni" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "Uppröðun" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "Lýsing" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "Tölfræði" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +msgid "Authorize URL" +msgstr "" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Gat ekki sótt uppáhaldsbabl." @@ -3074,10 +3368,6 @@ msgstr "(Ekkert)" msgid "All members" msgstr "Allir meðlimir" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "Tölfræði" - #: actions/showgroup.php:432 msgid "Created" msgstr "" @@ -3979,11 +4269,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -#, fuzzy -msgid "Name" -msgstr "Stuttnefni" - #: actions/version.php:196 lib/action.php:741 #, fuzzy msgid "Version" @@ -3993,10 +4278,6 @@ msgstr "Persónulegt" msgid "Author(s)" msgstr "" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "Lýsing" - #: classes/File.php:144 #, php-format msgid "" @@ -4153,10 +4434,6 @@ msgstr "Heim" msgid "Personal profile and friends timeline" msgstr "Persónuleg síða og vinarás" -#: lib/action.php:435 -msgid "Account" -msgstr "Aðgangur" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "" @@ -4316,10 +4593,6 @@ msgstr "Eftir" msgid "Before" msgstr "Ãður" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "Það komu upp vandamál varðandi setutókann þinn." - #: lib/adminpanelaction.php:96 #, fuzzy msgid "You cannot make changes to this site." @@ -4359,6 +4632,72 @@ msgstr "SMS staðfesting" msgid "Paths configuration" msgstr "SMS staðfesting" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Lýstu hópnum eða umfjöllunarefninu með 140 táknum" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "Lýstu hópnum eða umfjöllunarefninu með 140 táknum" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "Frumþula" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "Vefslóð vefsíðu hópsins eða umfjöllunarefnisins" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "Vefslóð vefsíðu hópsins eða umfjöllunarefnisins" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "Fjarlægja" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "" @@ -4685,6 +5024,15 @@ msgstr "Færslur sendar með snarskilaboðaþjónustu (instant messaging)" msgid "Updates by SMS" msgstr "Færslur sendar með SMS" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "Tengjast" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "" @@ -5200,10 +5548,6 @@ msgid "Do not share my location" msgstr "Gat ekki vistað merki." #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5573,47 +5917,47 @@ msgstr "Skilaboð" msgid "Moderate" msgstr "" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "fyrir nokkrum sekúndum" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "fyrir um einni mínútu síðan" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "fyrir um %d mínútum síðan" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "fyrir um einum klukkutíma síðan" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "fyrir um %d klukkutímum síðan" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "fyrir um einum degi síðan" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "fyrir um %d dögum síðan" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "fyrir um einum mánuði síðan" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "fyrir um %d mánuðum síðan" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "fyrir um einu ári síðan" diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index 81c1d1fe7..75bef5300 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:05:34+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:41:54+0000\n" "Language-Team: Italian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: out-statusnet\n" @@ -34,7 +34,7 @@ msgstr "Pagina inesistente." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -154,7 +154,7 @@ msgstr "Metodo delle API non trovato." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "Questo metodo richiede POST." @@ -185,8 +185,9 @@ msgstr "Impossibile salvare il profilo." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -330,7 +331,8 @@ msgstr "Soprannome già in uso. Prova con un altro." msgid "Not a valid nickname." msgstr "Non è un soprannome valido." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -342,7 +344,8 @@ msgstr "L'indirizzo della pagina web non è valido." msgid "Full name is too long (max 255 chars)." msgstr "Nome troppo lungo (max 255 caratteri)." -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "La descrizione è troppo lunga (max %d caratteri)." @@ -419,6 +422,103 @@ msgstr "Gruppi di %s" msgid "groups on %s" msgstr "Gruppi su %s" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "" +"Si è verificato un problema con il tuo token di sessione. Prova di nuovo." + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "Nome utente o password non valido." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "Errore nell'impostare l'utente." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "Errore del DB nell'inserire un hashtag: %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "Invio del modulo inaspettato." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "Account" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "Soprannome" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Password" + +#: actions/apioauthauthorize.php:338 +#, fuzzy +msgid "Deny" +msgstr "Aspetto" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "Tutto" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "Questo metodo richiede POST o DELETE." @@ -448,17 +548,17 @@ msgstr "Messaggio eliminato." msgid "No status with that ID found." msgstr "Nessun stato trovato con quel ID." -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Troppo lungo. Lunghezza massima %d caratteri." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "Non trovato" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -604,30 +704,6 @@ msgstr "Carica" msgid "Crop" msgstr "Ritaglia" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "" -"Si è verificato un problema con il tuo token di sessione. Prova di nuovo." - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "Invio del modulo inaspettato." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "Scegli un'area quadrata per la tua immagine personale" @@ -764,7 +840,8 @@ msgid "Couldn't delete email confirmation." msgstr "Impossibile eliminare l'email di conferma." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Conferma indirizzo" #: actions/confirmaddress.php:159 @@ -952,7 +1029,8 @@ msgstr "Reimposta i valori predefiniti" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "Salva" @@ -973,6 +1051,87 @@ msgstr "Aggiungi ai preferiti" msgid "No such document." msgstr "Nessun documento." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "Devi eseguire l'accesso per modificare un gruppo." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Non fai parte di questo gruppo." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "Nessun messaggio." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "Si è verificato un problema con il tuo token di sessione." + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "Usa questo modulo per modificare il gruppo." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "Stessa password di sopra; richiesta" + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "Nome troppo lungo (max 255 caratteri)." + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "Descrizione" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "L'URL \"%s\" dell'immagine non è valido." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "Ubicazione troppo lunga (max 255 caratteri)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +#, fuzzy +msgid "Callback URL is not valid." +msgstr "L'URL \"%s\" dell'immagine non è valido." + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "Impossibile aggiornare il gruppo." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1042,7 +1201,8 @@ msgstr "" "istruzioni." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "Annulla" @@ -1724,7 +1884,7 @@ msgstr "Messaggio personale" msgid "Optionally add a personal message to the invitation." msgstr "Puoi aggiungere un messaggio personale agli inviti." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "Invia" @@ -1833,17 +1993,6 @@ msgstr "Accedi" msgid "Login to site" msgstr "Accedi al sito" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "Soprannome" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Password" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "Ricordami" @@ -1897,6 +2046,29 @@ msgstr "Impossibile rendere %1$s un amministratore del gruppo %2$s" msgid "No current status" msgstr "Nessun messaggio corrente" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "Devi eseguire l'accesso per creare un gruppo." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "Usa questo modulo per creare un nuovo gruppo." + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "Impossibile creare gli alias." + #: actions/newgroup.php:53 msgid "New group" msgstr "Nuovo gruppo" @@ -2009,6 +2181,51 @@ msgstr "Richiamo inviato" msgid "Nudge sent!" msgstr "Richiamo inviato!" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "Devi eseguire l'accesso per modificare un gruppo." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "Altre opzioni" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "Non fai parte di quel gruppo." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "Il messaggio non ha un profilo" @@ -2026,8 +2243,8 @@ msgstr "tipo di contenuto " msgid "Only " msgstr "Solo " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "Non è un formato di dati supportato." @@ -2040,7 +2257,8 @@ msgid "Notice Search" msgstr "Cerca messaggi" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "Altre impostazioni" #: actions/othersettings.php:71 @@ -2366,7 +2584,7 @@ msgid "Full name" msgstr "Nome" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "Pagina web" @@ -2973,6 +3191,84 @@ msgstr "Non puoi mettere in \"sandbox\" gli utenti su questo sito." msgid "User is already sandboxed." msgstr "L'utente è già nella \"sandbox\"." +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "Devi eseguire l'accesso per lasciare un gruppo." + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "Il messaggio non ha un profilo" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +msgid "Name" +msgstr "Nome" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "Paginazione" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "Descrizione" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "Statistiche" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +#, fuzzy +msgid "Authorize URL" +msgstr "Autore" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Impossibile recuperare i messaggi preferiti." @@ -3085,10 +3381,6 @@ msgstr "(nessuno)" msgid "All members" msgstr "Tutti i membri" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "Statistiche" - #: actions/showgroup.php:432 msgid "Created" msgstr "Creato" @@ -4012,10 +4304,6 @@ msgstr "" msgid "Plugins" msgstr "Plugin" -#: actions/version.php:195 -msgid "Name" -msgstr "Nome" - #: actions/version.php:196 lib/action.php:741 msgid "Version" msgstr "Versione" @@ -4024,10 +4312,6 @@ msgstr "Versione" msgid "Author(s)" msgstr "Autori" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "Descrizione" - #: classes/File.php:144 #, php-format msgid "" @@ -4189,10 +4473,6 @@ msgstr "Home" msgid "Personal profile and friends timeline" msgstr "Profilo personale e attività degli amici" -#: lib/action.php:435 -msgid "Account" -msgstr "Account" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "Modifica la tua email, immagine, password o il tuo profilo" @@ -4347,10 +4627,6 @@ msgstr "Successivi" msgid "Before" msgstr "Precedenti" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "Si è verificato un problema con il tuo token di sessione." - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "Non puoi apportare modifiche al sito." @@ -4383,6 +4659,72 @@ msgstr "Configurazione aspetto" msgid "Paths configuration" msgstr "Configurazione percorsi" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Descrivi il gruppo o l'argomento in %d caratteri" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "Descrivi il gruppo o l'argomento" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "Sorgenti" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "URL della pagina web, blog del gruppo o l'argomento" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "URL della pagina web, blog del gruppo o l'argomento" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "Rimuovi" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "Allegati" @@ -4743,6 +5085,15 @@ msgstr "Messaggi via messaggistica istantanea (MI)" msgid "Updates by SMS" msgstr "Messaggi via SMS" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "Connetti" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "Errore del database" @@ -5334,10 +5685,6 @@ msgid "Do not share my location" msgstr "Non condividere la mia posizione" #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "Nascondi info" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5690,47 +6037,47 @@ msgstr "Messaggio" msgid "Moderate" msgstr "Modera" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "pochi secondi fa" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "circa un minuto fa" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "circa %d minuti fa" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "circa un'ora fa" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "circa %d ore fa" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "circa un giorno fa" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "circa %d giorni fa" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "circa un mese fa" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "circa %d mesi fa" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "circa un anno fa" diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index b3c04d2f4..f5808159c 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:05:37+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:41:58+0000\n" "Language-Team: Japanese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: out-statusnet\n" @@ -36,7 +36,7 @@ msgstr "ãã®ã‚ˆã†ãªãƒšãƒ¼ã‚¸ã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -153,7 +153,7 @@ msgstr "API メソッドãŒè¦‹ã¤ã‹ã‚Šã¾ã›ã‚“。" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "ã“ã®ãƒ¡ã‚½ãƒƒãƒ‰ã«ã¯ POST ãŒå¿…è¦ã§ã™ã€‚" @@ -184,8 +184,9 @@ msgstr "プロフィールをä¿å­˜ã§ãã¾ã›ã‚“ã§ã—ãŸã€‚" #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -330,7 +331,8 @@ msgstr "ãã®ãƒ‹ãƒƒã‚¯ãƒãƒ¼ãƒ ã¯æ—¢ã«ä½¿ç”¨ã•ã‚Œã¦ã„ã¾ã™ã€‚ä»–ã®ã‚‚ã® msgid "Not a valid nickname." msgstr "有効ãªãƒ‹ãƒƒã‚¯ãƒãƒ¼ãƒ ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -342,7 +344,8 @@ msgstr "ホームページã®URLãŒä¸é©åˆ‡ã§ã™ã€‚" msgid "Full name is too long (max 255 chars)." msgstr "フルãƒãƒ¼ãƒ ãŒé•·ã™ãŽã¾ã™ã€‚(255å­—ã¾ã§ï¼‰" -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "記述ãŒé•·ã™ãŽã¾ã™ã€‚(最長140字)" @@ -419,6 +422,102 @@ msgstr "%s グループ" msgid "groups on %s" msgstr "%s 上ã®ã‚°ãƒ«ãƒ¼ãƒ—" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "ã‚ãªãŸã®ã‚»ãƒƒã‚·ãƒ§ãƒ³ãƒˆãƒ¼ã‚¯ãƒ³ã«å•é¡ŒãŒã‚ã‚Šã¾ã—ãŸã€‚å†åº¦ãŠè©¦ã—ãã ã•ã„。" + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "ä¸æ­£ãªãƒ¦ãƒ¼ã‚¶åã¾ãŸã¯ãƒ‘スワード。" + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "ユーザ設定エラー" + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "ãƒãƒƒã‚·ãƒ¥ã‚¿ã‚°è¿½åŠ  DB エラー: %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "予期ã›ã¬ãƒ•ã‚©ãƒ¼ãƒ é€ä¿¡ã§ã™ã€‚" + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "アカウント" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "ニックãƒãƒ¼ãƒ " + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "パスワード" + +#: actions/apioauthauthorize.php:338 +#, fuzzy +msgid "Deny" +msgstr "デザイン" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "å…¨ã¦" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "ã“ã®ãƒ¡ã‚½ãƒƒãƒ‰ã«ã¯ POST ã‹ DELETE ãŒå¿…è¦ã§ã™ã€‚" @@ -448,17 +547,17 @@ msgstr "ステータスを削除ã—ã¾ã—ãŸã€‚" msgid "No status with that ID found." msgstr "ãã®ï¼©ï¼¤ã§ã®ã‚¹ãƒ†ãƒ¼ã‚¿ã‚¹ã¯ã‚ã‚Šã¾ã›ã‚“。" -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "é•·ã™ãŽã¾ã™ã€‚ã¤ã¶ã‚„ãã¯æœ€å¤§ 140 å­—ã¾ã§ã§ã™ã€‚" -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "ã¿ã¤ã‹ã‚Šã¾ã›ã‚“" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "ã¤ã¶ã‚„ã㯠URL ã‚’å«ã‚ã¦æœ€å¤§ %d å­—ã¾ã§ã§ã™ã€‚" @@ -602,29 +701,6 @@ msgstr "アップロード" msgid "Crop" msgstr "切りå–ã‚Š" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "ã‚ãªãŸã®ã‚»ãƒƒã‚·ãƒ§ãƒ³ãƒˆãƒ¼ã‚¯ãƒ³ã«å•é¡ŒãŒã‚ã‚Šã¾ã—ãŸã€‚å†åº¦ãŠè©¦ã—ãã ã•ã„。" - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "予期ã›ã¬ãƒ•ã‚©ãƒ¼ãƒ é€ä¿¡ã§ã™ã€‚" - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "ã‚ãªãŸã®ã‚¢ãƒã‚¿ãƒ¼ã¨ãªã‚‹ã‚¤ãƒ¡ãƒ¼ã‚¸ã‚’正方形ã§æŒ‡å®š" @@ -762,7 +838,8 @@ msgid "Couldn't delete email confirmation." msgstr "メール承èªã‚’削除ã§ãã¾ã›ã‚“" #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "アドレスã®ç¢ºèª" #: actions/confirmaddress.php:159 @@ -950,7 +1027,8 @@ msgstr "デフォルトã¸ãƒªã‚»ãƒƒãƒˆã™ã‚‹" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "ä¿å­˜" @@ -971,6 +1049,87 @@ msgstr "ãŠæ°—ã«å…¥ã‚Šã«åŠ ãˆã‚‹" msgid "No such document." msgstr "ãã®ã‚ˆã†ãªãƒ‰ã‚­ãƒ¥ãƒ¡ãƒ³ãƒˆã¯ã‚ã‚Šã¾ã›ã‚“。" +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "グループを編集ã™ã‚‹ã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ã„ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¡ãƒ³ãƒãƒ¼ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "ãã®ã‚ˆã†ãªã¤ã¶ã‚„ãã¯ã‚ã‚Šã¾ã›ã‚“。" + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "ã‚ãªãŸã®ã‚»ãƒƒã‚·ãƒ§ãƒ³ãƒˆãƒ¼ã‚¯ãƒ³ã«é–¢ã™ã‚‹å•é¡ŒãŒã‚ã‚Šã¾ã—ãŸã€‚" + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "ã“ã®ãƒ•ã‚©ãƒ¼ãƒ ã‚’使ã£ã¦ã‚°ãƒ«ãƒ¼ãƒ—を編集ã—ã¾ã™ã€‚" + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "上ã®ãƒ‘スワードã¨åŒã˜ã§ã™ã€‚ 必須。" + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "フルãƒãƒ¼ãƒ ãŒé•·ã™ãŽã¾ã™ã€‚(255å­—ã¾ã§ï¼‰" + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "概è¦" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "ã‚¢ãƒã‚¿ãƒ¼ URL ‘%s’ ãŒæ­£ã—ãã‚ã‚Šã¾ã›ã‚“。" + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "場所ãŒé•·ã™ãŽã¾ã™ã€‚(255å­—ã¾ã§ï¼‰" + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +#, fuzzy +msgid "Callback URL is not valid." +msgstr "ã‚¢ãƒã‚¿ãƒ¼ URL ‘%s’ ãŒæ­£ã—ãã‚ã‚Šã¾ã›ã‚“。" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "グループを更新ã§ãã¾ã›ã‚“。" + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1039,7 +1198,8 @@ msgstr "" "ã‹ã‚ŒãŸãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ãŒå±Šã„ã¦ã„ãªã„ã‹ç¢ºèªã—ã¦ãã ã•ã„。" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "中止" @@ -1720,7 +1880,7 @@ msgstr "パーソナルメッセージ" msgid "Optionally add a personal message to the invitation." msgstr "ä»»æ„ã«æ‹›å¾…ã«ãƒ‘ーソナルメッセージを加ãˆã¦ãã ã•ã„。" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "é€ã‚‹" @@ -1829,17 +1989,6 @@ msgstr "ログイン" msgid "Login to site" msgstr "サイトã¸ãƒ­ã‚°ã‚¤ãƒ³" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "ニックãƒãƒ¼ãƒ " - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "パスワード" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "ログイン状態をä¿æŒ" @@ -1892,6 +2041,29 @@ msgstr "%1$s をグループ %2$s ã®ç®¡ç†è€…ã«ã™ã‚‹ã“ã¨ã¯ã§ãã¾ã›ã‚“" msgid "No current status" msgstr "ç¾åœ¨ã®ã‚¹ãƒ†ãƒ¼ã‚¿ã‚¹ã¯ã‚ã‚Šã¾ã›ã‚“" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "グループを作るã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ã„ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "ã“ã®ãƒ•ã‚©ãƒ¼ãƒ ã‚’使ã£ã¦æ–°ã—ã„グループを作æˆã—ã¾ã™ã€‚" + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "別åを作æˆã§ãã¾ã›ã‚“。" + #: actions/newgroup.php:53 msgid "New group" msgstr "æ–°ã—ã„グループ" @@ -2004,6 +2176,51 @@ msgstr "åˆå›³ã‚’é€ã£ãŸ" msgid "Nudge sent!" msgstr "åˆå›³ã‚’é€ã£ãŸ!" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "グループを編集ã™ã‚‹ã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ã„ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "ãã®ä»–ã®ã‚ªãƒ—ション" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "ã‚ãªãŸã¯ãã®ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¡ãƒ³ãƒãƒ¼ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "ã¤ã¶ã‚„ãã«ã¯ãƒ—ロファイルã¯ã‚ã‚Šã¾ã›ã‚“。" @@ -2021,8 +2238,8 @@ msgstr "内容種別 " msgid "Only " msgstr "ã ã‘ " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "サãƒãƒ¼ãƒˆã•ã‚Œã¦ã„ãªã„データ形å¼ã€‚" @@ -2035,7 +2252,8 @@ msgid "Notice Search" msgstr "ã¤ã¶ã‚„ã検索" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "ãã®ä»–ã®è¨­å®š" #: actions/othersettings.php:71 @@ -2354,7 +2572,7 @@ msgid "Full name" msgstr "フルãƒãƒ¼ãƒ " #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "ホームページ" @@ -2959,6 +3177,84 @@ msgstr "ã‚ãªãŸã¯ã“ã®ã‚µã‚¤ãƒˆã®ã‚µãƒ³ãƒ‰ãƒœãƒƒã‚¯ã‚¹ãƒ¦ãƒ¼ã‚¶ãŒã§ãã¾ msgid "User is already sandboxed." msgstr "利用者ã¯ã™ã§ã«ã‚µãƒ³ãƒ‰ãƒœãƒƒã‚¯ã‚¹ã§ã™ã€‚" +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "グループã‹ã‚‰é›¢ã‚Œã‚‹ã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ã„ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "ã¤ã¶ã‚„ãã«ã¯ãƒ—ロファイルã¯ã‚ã‚Šã¾ã›ã‚“。" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +msgid "Name" +msgstr "åå‰" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "ページ化" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "概è¦" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "統計データ" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +#, fuzzy +msgid "Authorize URL" +msgstr "作者" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "ãŠæ°—ã«å…¥ã‚Šã®ã¤ã¶ã‚„ãを検索ã§ãã¾ã›ã‚“。" @@ -3072,10 +3368,6 @@ msgstr "(ãªã—)" msgid "All members" msgstr "å…¨ã¦ã®ãƒ¡ãƒ³ãƒãƒ¼" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "統計データ" - #: actions/showgroup.php:432 msgid "Created" msgstr "作æˆã•ã‚Œã¾ã—ãŸ" @@ -3989,10 +4281,6 @@ msgstr "" msgid "Plugins" msgstr "プラグイン" -#: actions/version.php:195 -msgid "Name" -msgstr "åå‰" - #: actions/version.php:196 lib/action.php:741 msgid "Version" msgstr "ãƒãƒ¼ã‚¸ãƒ§ãƒ³" @@ -4001,10 +4289,6 @@ msgstr "ãƒãƒ¼ã‚¸ãƒ§ãƒ³" msgid "Author(s)" msgstr "作者" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "概è¦" - #: classes/File.php:144 #, php-format msgid "" @@ -4028,19 +4312,16 @@ msgstr "" "ã“ã‚Œã»ã©å¤§ãã„ファイルã¯ã‚ãªãŸã®%dãƒã‚¤ãƒˆã®æ¯Žæœˆã®å‰²å½“ã¦ã‚’超ãˆã¦ã„ã‚‹ã§ã—ょã†ã€‚" #: classes/Group_member.php:41 -#, fuzzy msgid "Group join failed." -msgstr "グループプロファイル" +msgstr "グループå‚加ã«å¤±æ•—ã—ã¾ã—ãŸã€‚" #: classes/Group_member.php:53 -#, fuzzy msgid "Not part of group." -msgstr "グループを更新ã§ãã¾ã›ã‚“。" +msgstr "グループã®ä¸€éƒ¨ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" #: classes/Group_member.php:60 -#, fuzzy msgid "Group leave failed." -msgstr "グループプロファイル" +msgstr "グループ脱退ã«å¤±æ•—ã—ã¾ã—ãŸã€‚" #: classes/Login_token.php:76 #, php-format @@ -4166,10 +4447,6 @@ msgstr "ホーム" msgid "Personal profile and friends timeline" msgstr "パーソナルプロファイルã¨å‹äººã®ã‚¿ã‚¤ãƒ ãƒ©ã‚¤ãƒ³" -#: lib/action.php:435 -msgid "Account" -msgstr "アカウント" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "メールアドレスã€ã‚¢ãƒã‚¿ãƒ¼ã€ãƒ‘スワードã€ãƒ—ロパティã®å¤‰æ›´" @@ -4324,10 +4601,6 @@ msgstr "<<後" msgid "Before" msgstr "å‰>>" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "ã‚ãªãŸã®ã‚»ãƒƒã‚·ãƒ§ãƒ³ãƒˆãƒ¼ã‚¯ãƒ³ã«é–¢ã™ã‚‹å•é¡ŒãŒã‚ã‚Šã¾ã—ãŸã€‚" - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "ã‚ãªãŸã¯ã“ã®ã‚µã‚¤ãƒˆã¸ã®å¤‰æ›´ã‚’è¡Œã†ã“ã¨ãŒã§ãã¾ã›ã‚“。" @@ -4360,6 +4633,72 @@ msgstr "デザイン設定" msgid "Paths configuration" msgstr "パス設定" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "グループやトピックを %d 字以内記述" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "グループやトピックを記述" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "ソース" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "グループやトピックã®ãƒ›ãƒ¼ãƒ ãƒšãƒ¼ã‚¸ã‚„ブログ㮠URL" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "グループやトピックã®ãƒ›ãƒ¼ãƒ ãƒšãƒ¼ã‚¸ã‚„ブログ㮠URL" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "削除" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "添付" @@ -4676,6 +5015,15 @@ msgstr "インスタントメッセンジャー(IM)ã§ã®æ›´æ–°" msgid "Updates by SMS" msgstr "SMSã§ã®æ›´æ–°" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "接続" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "データベースエラー" @@ -4866,9 +5214,9 @@ msgid "[%s]" msgstr "" #: lib/jabber.php:385 -#, fuzzy, php-format +#, php-format msgid "Unknown inbox source %d." -msgstr "ä¸æ˜Žãªè¨€èªž \"%s\"" +msgstr "ä¸æ˜Žãªå—ä¿¡ç®±ã®ã‚½ãƒ¼ã‚¹ %d。" #: lib/joinform.php:114 msgid "Join" @@ -5266,10 +5614,6 @@ msgid "Do not share my location" msgstr "ã‚ãªãŸã®å ´æ‰€ã‚’共有ã—ãªã„" #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "ã“ã®æƒ…報を隠ã™" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5627,47 +5971,47 @@ msgstr "メッセージ" msgid "Moderate" msgstr "å¸ä¼š" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "数秒å‰" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "ç´„ 1 分å‰" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "ç´„ %d 分å‰" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "ç´„ 1 時間å‰" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "ç´„ %d 時間å‰" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "ç´„ 1 æ—¥å‰" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "ç´„ %d æ—¥å‰" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "ç´„ 1 ヵ月å‰" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "ç´„ %d ヵ月å‰" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "ç´„ 1 å¹´å‰" diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index f37715eca..f8eb3def8 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:05:40+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:42:02+0000\n" "Language-Team: Korean\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: out-statusnet\n" @@ -33,7 +33,7 @@ msgstr "그러한 태그가 없습니다." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -146,7 +146,7 @@ msgstr "API 메서드를 ì°¾ì„ ìˆ˜ 없습니다." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "ì´ ë©”ì„œë“œëŠ” 등ë¡ì„ 요구합니다." @@ -177,8 +177,9 @@ msgstr "í”„ë¡œí•„ì„ ì €ìž¥ í•  수 없습니다." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -329,7 +330,8 @@ msgstr "ë³„ëª…ì´ ì´ë¯¸ 사용중 입니다. 다른 ë³„ëª…ì„ ì‹œë„í•´ ë³´ì‹­ msgid "Not a valid nickname." msgstr "유효한 ë³„ëª…ì´ ì•„ë‹™ë‹ˆë‹¤" -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -341,7 +343,8 @@ msgstr "홈페ì´ì§€ 주소형ì‹ì´ 올바르지 않습니다." msgid "Full name is too long (max 255 chars)." msgstr "ì‹¤ëª…ì´ ë„ˆë¬´ ê¹ë‹ˆë‹¤. (최대 255글ìž)" -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "ì„¤ëª…ì´ ë„ˆë¬´ 길어요. (최대 140글ìž)" @@ -421,6 +424,101 @@ msgstr "%s 그룹" msgid "groups on %s" msgstr "그룹 í–‰ë™" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "세션토í°ì— 문제가 있습니다. 다시 ì‹œë„해주세요." + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "ì‚¬ìš©ìž ì´ë¦„ì´ë‚˜ 비밀 번호가 틀렸습니다." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "ì‚¬ìš©ìž ì„¸íŒ… 오류" + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "해쉬테그를 추가 í•  ë•Œì— ë°ì´íƒ€ë² ì´ìŠ¤ ì—러 : %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "ìž˜ëª»ëœ í¼ ì œì¶œ" + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "계정" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "별명" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "비밀 번호" + +#: actions/apioauthauthorize.php:338 +msgid "Deny" +msgstr "" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "모든 것" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "ì´ ë©”ì„œë“œëŠ” ë“±ë¡ ë˜ëŠ” 삭제를 요구합니다." @@ -453,17 +551,17 @@ msgstr "아바타가 ì—…ë°ì´íŠ¸ ë˜ì—ˆìŠµë‹ˆë‹¤." msgid "No status with that ID found." msgstr "ë°œê²¬ëœ IDì˜ ìƒíƒœê°€ 없습니다." -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Max notice size is %d chars." msgstr "너무 ê¹ë‹ˆë‹¤. í†µì§€ì˜ ìµœëŒ€ 길ì´ëŠ” 140ê¸€ìž ìž…ë‹ˆë‹¤." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "찾지 못함" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -609,29 +707,6 @@ msgstr "올리기" msgid "Crop" msgstr "ìžë¥´ê¸°" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "세션토í°ì— 문제가 있습니다. 다시 ì‹œë„해주세요." - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "ìž˜ëª»ëœ í¼ ì œì¶œ" - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "ë‹¹ì‹ ì˜ ì•„ë°”íƒ€ê°€ ë  ì´ë¯¸ì§€ì˜ì—­ì„ 지정하세요." @@ -771,7 +846,8 @@ msgid "Couldn't delete email confirmation." msgstr "ì´ë©”ì¼ ìŠ¹ì¸ì„ ì‚­ì œ í•  수 없습니다." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "주소 ì¸ì¦" #: actions/confirmaddress.php:159 @@ -971,7 +1047,8 @@ msgstr "" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "저장" @@ -992,6 +1069,86 @@ msgstr "좋아하는 게시글로 추가하기" msgid "No such document." msgstr "그러한 문서는 없습니다." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "ê·¸ë£¹ì„ ë§Œë“¤ê¸° 위해서는 로그ì¸í•´ì•¼ 합니다." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "ë‹¹ì‹ ì€ í•´ë‹¹ ê·¸ë£¹ì˜ ë©¤ë²„ê°€ 아닙니다." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "그러한 통지는 없습니다." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "ë‹¹ì‹ ì˜ ì„¸ì…˜í† í°ê´€ë ¨ 문제가 있습니다." + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "ë‹¤ìŒ ì–‘ì‹ì„ ì´ìš©í•´ ê·¸ë£¹ì„ íŽ¸ì§‘í•˜ì‹­ì‹œì˜¤." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "위와 ê°™ì€ ë¹„ë°€ 번호. 필수 사항." + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "ì‹¤ëª…ì´ ë„ˆë¬´ ê¹ë‹ˆë‹¤. (최대 255글ìž)" + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "설명" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "홈페ì´ì§€ 주소형ì‹ì´ 올바르지 않습니다." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "위치가 너무 ê¹ë‹ˆë‹¤. (최대 255글ìž)" + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "ê·¸ë£¹ì„ ì—…ë°ì´íŠ¸ í•  수 없습니다." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1063,7 +1220,8 @@ msgstr "" "주시기 ë°”ëžë‹ˆë‹¤." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "취소" @@ -1745,7 +1903,7 @@ msgstr "ê°œì¸ì ì¸ 메시지" msgid "Optionally add a personal message to the invitation." msgstr "ì´ˆëŒ€ìž¥ì— ë©”ì‹œì§€ 첨부하기." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "보내기" @@ -1850,17 +2008,6 @@ msgstr "로그ì¸" msgid "Login to site" msgstr "사ì´íŠ¸ì— 로그ì¸í•˜ì„¸ìš”." -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "별명" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "비밀 번호" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "ìžë™ 로그ì¸" @@ -1913,6 +2060,29 @@ msgstr "관리ìžë§Œ ê·¸ë£¹ì„ íŽ¸ì§‘í•  수 있습니다." msgid "No current status" msgstr "현재 ìƒíƒœê°€ 없습니다." +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "ê·¸ë£¹ì„ ë§Œë“¤ê¸° 위해서는 로그ì¸í•´ì•¼ 합니다." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "새 ê·¸ë£¹ì„ ë§Œë“¤ê¸° 위해 ì´ ì–‘ì‹ì„ 사용하세요." + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "좋아하는 ê²Œì‹œê¸€ì„ ìƒì„±í•  수 없습니다." + #: actions/newgroup.php:53 msgid "New group" msgstr "새로운 그룹" @@ -2022,6 +2192,51 @@ msgstr "찔러 보기를 보냈습니다." msgid "Nudge sent!" msgstr "찔러 보기를 보냈습니다!" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "ê·¸ë£¹ì„ ë§Œë“¤ê¸° 위해서는 로그ì¸í•´ì•¼ 합니다." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "다른 옵션들" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "ë‹¹ì‹ ì€ í•´ë‹¹ ê·¸ë£¹ì˜ ë©¤ë²„ê°€ 아닙니다." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "í†µì§€ì— í”„ë¡œí•„ì´ ì—†ìŠµë‹ˆë‹¤." @@ -2040,8 +2255,8 @@ msgstr "ì—°ê²°" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "지ì›í•˜ëŠ” 형ì‹ì˜ ë°ì´í„°ê°€ 아닙니다." @@ -2054,7 +2269,8 @@ msgid "Notice Search" msgstr "통지 검색" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "기타 설정" #: actions/othersettings.php:71 @@ -2387,7 +2603,7 @@ msgid "Full name" msgstr "실명" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "홈페ì´ì§€" @@ -2984,6 +3200,84 @@ msgstr "ë‹¹ì‹ ì€ ì´ ì‚¬ìš©ìžì—게 메시지를 보낼 수 없습니다." msgid "User is already sandboxed." msgstr "회ì›ì´ ë‹¹ì‹ ì„ ì°¨ë‹¨í•´ì™”ìŠµë‹ˆë‹¤." +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "ê·¸ë£¹ì„ ë– ë‚˜ê¸° 위해서는 로그ì¸í•´ì•¼ 합니다." + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "í†µì§€ì— í”„ë¡œí•„ì´ ì—†ìŠµë‹ˆë‹¤." + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +#, fuzzy +msgid "Name" +msgstr "별명" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "페ì´ì§€ìˆ˜" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "설명" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "통계" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +msgid "Authorize URL" +msgstr "" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "좋아하는 ê²Œì‹œê¸€ì„ ë³µêµ¬í•  수 없습니다." @@ -3089,10 +3383,6 @@ msgstr "(없습니다.)" msgid "All members" msgstr "모든 회ì›" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "통계" - #: actions/showgroup.php:432 #, fuzzy msgid "Created" @@ -4000,11 +4290,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -#, fuzzy -msgid "Name" -msgstr "별명" - #: actions/version.php:196 lib/action.php:741 #, fuzzy msgid "Version" @@ -4014,10 +4299,6 @@ msgstr "ê°œì¸ì ì¸" msgid "Author(s)" msgstr "" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "설명" - #: classes/File.php:144 #, php-format msgid "" @@ -4179,10 +4460,6 @@ msgstr "홈" msgid "Personal profile and friends timeline" msgstr "ê°œì¸ í”„ë¡œí•„ê³¼ 친구 타임ë¼ì¸" -#: lib/action.php:435 -msgid "Account" -msgstr "계정" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "ë‹¹ì‹ ì˜ ì´ë©”ì¼, 아바타, 비밀 번호, í”„ë¡œí•„ì„ ë³€ê²½í•˜ì„¸ìš”." @@ -4341,10 +4618,6 @@ msgstr "ë’· 페ì´ì§€" msgid "Before" msgstr "ì•ž 페ì´ì§€" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "ë‹¹ì‹ ì˜ ì„¸ì…˜í† í°ê´€ë ¨ 문제가 있습니다." - #: lib/adminpanelaction.php:96 #, fuzzy msgid "You cannot make changes to this site." @@ -4385,6 +4658,72 @@ msgstr "SMS ì¸ì¦" msgid "Paths configuration" msgstr "SMS ì¸ì¦" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "140글ìžë¡œ 그룹ì´ë‚˜ 토픽 설명하기" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "140글ìžë¡œ 그룹ì´ë‚˜ 토픽 설명하기" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "소스 코드" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "그룹 í˜¹ì€ í† í”½ì˜ í™ˆíŽ˜ì´ì§€ë‚˜ 블로그 URL" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "그룹 í˜¹ì€ í† í”½ì˜ í™ˆíŽ˜ì´ì§€ë‚˜ 블로그 URL" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "ì‚­ì œ" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "" @@ -4709,6 +5048,15 @@ msgstr "ì¸ìŠ¤í„´íŠ¸ ë©”ì‹ ì €ì— ì˜í•œ ì—…ë°ì´íŠ¸" msgid "Updates by SMS" msgstr "SMSì— ì˜í•œ ì—…ë°ì´íŠ¸" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "ì—°ê²°" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "" @@ -5223,10 +5571,6 @@ msgid "Do not share my location" msgstr "태그를 저장할 수 없습니다." #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5602,47 +5946,47 @@ msgstr "메시지" msgid "Moderate" msgstr "" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "몇 ì´ˆ ì „" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "1분 ì „" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "%d분 ì „" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "1시간 ì „" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "%d시간 ì „" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "하루 ì „" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "%dì¼ ì „" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "1달 ì „" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "%d달 ì „" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "1ë…„ ì „" diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index 4bda795f0..ecb3c09e5 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:05:43+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:42:05+0000\n" "Language-Team: Macedonian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: out-statusnet\n" @@ -34,7 +34,7 @@ msgstr "Ðема таква Ñтраница" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -154,7 +154,7 @@ msgstr "API методот не е пронајден." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "Овој метод бара POST." @@ -185,8 +185,9 @@ msgstr "Ðе може да Ñе зачува профил." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -331,7 +332,8 @@ msgstr "Тој прекар е во употреба. Одберете друг. msgid "Not a valid nickname." msgstr "Ðеправилен прекар." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -343,7 +345,8 @@ msgstr "Главната Ñтраница не е важечка URL-Ð°Ð´Ñ€ÐµÑ msgid "Full name is too long (max 255 chars)." msgstr "Целото име е предолго (макÑимум 255 знаци)" -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "ОпиÑот е предолг (дозволено е највеќе %d знаци)." @@ -420,6 +423,102 @@ msgstr "%s групи" msgid "groups on %s" msgstr "групи на %s" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "Се поајви проблем Ñо Вашиот ÑеÑиÑки жетон. Обидете Ñе повторно." + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "Погрешно име или лозинка." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "Грешка во поÑтавувањето на кориÑникот." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "Грешка во базата на податоци при вметнувањето на хеш-ознака: %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "Ðеочекувано поднеÑување на образец." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "Сметка" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "Прекар" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Лозинка" + +#: actions/apioauthauthorize.php:338 +#, fuzzy +msgid "Deny" +msgstr "Изглед" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "Сè" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "Методот бара POST или DELETE." @@ -449,17 +548,17 @@ msgstr "СтатуÑот е избришан." msgid "No status with that ID found." msgstr "Ðема пронајдено ÑÑ‚Ð°Ñ‚ÑƒÑ Ñо тој ID." -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Ова е предолго. МакÑималната дозволена должина изнеÑува %d знаци." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "Ðе е пронајдено" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -607,29 +706,6 @@ msgstr "Подигни" msgid "Crop" msgstr "ОтÑечи" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "Се поајви проблем Ñо Вашиот ÑеÑиÑки жетон. Обидете Ñе повторно." - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "Ðеочекувано поднеÑување на образец." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "Одберете квадратна површина од Ñликата за аватар" @@ -767,7 +843,8 @@ msgid "Couldn't delete email confirmation." msgstr "Ðе можев да ја избришам потврдата по е-пошта." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Потврди ја адреÑата" #: actions/confirmaddress.php:159 @@ -955,7 +1032,8 @@ msgstr "Врати по оÑновно" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "Зачувај" @@ -976,6 +1054,87 @@ msgstr "Додај во омилени" msgid "No such document." msgstr "Ðема таков документ." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "Мора да Ñте најавени за да можете да уредувате група." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Ðе членувате во оваа група." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "Ðема таква забелешка." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "Се појави проблем Ñо Вашиот ÑеÑиÑки жетон." + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "ОБразецов Ñлужи за уредување на групата." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "ИÑто што и лозинката погоре. Задолжително поле." + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "Целото име е предолго (макÑимум 255 знаци)" + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "ОпиÑ" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "URL-адреÑата „%s“ за аватар е неважечка." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "Локацијата е предолга (макÑимумот е 255 знаци)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +#, fuzzy +msgid "Callback URL is not valid." +msgstr "URL-адреÑата „%s“ за аватар е неважечка." + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "Ðе можев да ја подновам групата." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1044,7 +1203,8 @@ msgstr "" "Ñандачето за Ñпам!). Во пиÑмото ќе Ñледат понатамошни напатÑтвија." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "Откажи" @@ -1730,7 +1890,7 @@ msgstr "Лична порака" msgid "Optionally add a personal message to the invitation." msgstr "Можете да додадете и лична порака во поканата." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "ИÑпрати" @@ -1839,17 +1999,6 @@ msgstr "Ðајава" msgid "Login to site" msgstr "Ðајавете Ñе" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "Прекар" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Лозинка" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "Запамети ме" @@ -1903,6 +2052,29 @@ msgstr "Ðе можам да го направам кориÑникот %1$s а msgid "No current status" msgstr "Ðема тековен ÑтатуÑ" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "Мора да Ñте најавени за да можете да Ñоздавате групи." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "Овој образец Ñлужи за Ñоздавање нова група." + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "Ðе можеше да Ñе Ñоздадат алијаÑи." + #: actions/newgroup.php:53 msgid "New group" msgstr "Ðова група" @@ -2018,6 +2190,51 @@ msgstr "Подбуцнувањето е иÑпратено" msgid "Nudge sent!" msgstr "Подбуцнувањето е иÑпратено!" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "Мора да Ñте најавени за да можете да уредувате група." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "Други нагодувања" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "Ðе членувате во таа група." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "Забелешката нема профил" @@ -2035,8 +2252,8 @@ msgstr "тип на Ñодржини " msgid "Only " msgstr "Само " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "Ова не е поддржан формат на податотека." @@ -2049,7 +2266,8 @@ msgid "Notice Search" msgstr "Пребарување на забелешки" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "Други нагодувања" #: actions/othersettings.php:71 @@ -2370,7 +2588,7 @@ msgid "Full name" msgstr "Цело име" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "Домашна Ñтраница" @@ -2982,6 +3200,84 @@ msgstr "Ðе можете да Ñтавате кориÑници во пеÑоч msgid "User is already sandboxed." msgstr "КориÑникот е веќе во пеÑочен режим." +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "Мора да Ñте најавени за да можете да ја напуштите групата." + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "Забелешката нема профил" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +msgid "Name" +msgstr "Име" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "Прелом на Ñтраници" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "ОпиÑ" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "СтатиÑтики" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +#, fuzzy +msgid "Authorize URL" +msgstr "Ðвтор" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Ðе можев да ги вратам омилените забелешки." @@ -3095,10 +3391,6 @@ msgstr "(Ðема)" msgid "All members" msgstr "Сите членови" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "СтатиÑтики" - #: actions/showgroup.php:432 msgid "Created" msgstr "Создадено" @@ -4027,10 +4319,6 @@ msgstr "" msgid "Plugins" msgstr "Приклучоци" -#: actions/version.php:195 -msgid "Name" -msgstr "Име" - #: actions/version.php:196 lib/action.php:741 msgid "Version" msgstr "Верзија" @@ -4039,10 +4327,6 @@ msgstr "Верзија" msgid "Author(s)" msgstr "Ðвтор(и)" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "ОпиÑ" - #: classes/File.php:144 #, php-format msgid "" @@ -4064,19 +4348,16 @@ msgid "A file this large would exceed your monthly quota of %d bytes." msgstr "ВОлку голема податотека ќе ја надмине Вашата меÑечна квота од %d бајти" #: classes/Group_member.php:41 -#, fuzzy msgid "Group join failed." -msgstr "Профил на група" +msgstr "Зачленувањето во групата не уÑпеа." #: classes/Group_member.php:53 -#, fuzzy msgid "Not part of group." -msgstr "Ðе можев да ја подновам групата." +msgstr "Ðе е дел од групата." #: classes/Group_member.php:60 -#, fuzzy msgid "Group leave failed." -msgstr "Профил на група" +msgstr "Ðапуштањето на групата не уÑпеа." #: classes/Login_token.php:76 #, php-format @@ -4203,10 +4484,6 @@ msgstr "Дома" msgid "Personal profile and friends timeline" msgstr "Личен профил и иÑторија на пријатели" -#: lib/action.php:435 -msgid "Account" -msgstr "Сметка" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "Промена на е-пошта, аватар, лозинка, профил" @@ -4361,10 +4638,6 @@ msgstr "По" msgid "Before" msgstr "Пред" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "Се појави проблем Ñо Вашиот ÑеÑиÑки жетон." - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "Ðе можете да ја менувате оваа веб-Ñтраница." @@ -4397,6 +4670,72 @@ msgstr "Конфигурација на изгледот" msgid "Paths configuration" msgstr "Конфигурација на патеки" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Опишете ја групата или темата Ñо %d знаци" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "Опишете ја групата или темата" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "Изворен код" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "URL на Ñтраницата или блогот на групата или темата" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "URL на Ñтраницата или блогот на групата или темата" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "ОтÑтрани" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "Прилози" @@ -4754,6 +5093,15 @@ msgstr "Подновувања преку инÑтант-пораки (IM)" msgid "Updates by SMS" msgstr "Подновувања по СМС" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "Поврзи Ñе" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "Грешка во базата на податоци" @@ -4946,9 +5294,9 @@ msgid "[%s]" msgstr "[%s]" #: lib/jabber.php:385 -#, fuzzy, php-format +#, php-format msgid "Unknown inbox source %d." -msgstr "Ðепознат јазик „%s“" +msgstr "Ðепознат извор на приемна пошта %d." #: lib/joinform.php:114 msgid "Join" @@ -5349,14 +5697,12 @@ msgid "Do not share my location" msgstr "Ðе ја прикажувај мојата локација" #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "Сокриј го ова инфо" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" msgstr "" +"Жалиме, но добивањето на вашата меÑтоположба трае подолго од очекуваното. " +"Обидете Ñе подоцна." #: lib/noticelist.php:428 #, php-format @@ -5706,47 +6052,47 @@ msgstr "Порака" msgid "Moderate" msgstr "Модерирај" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "пред неколку Ñекунди" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "пред една минута" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "пред %d минути" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "пред еден чаÑ" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "пред %d чаÑа" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "пред еден ден" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "пред %d денови" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "пред еден меÑец" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "пред %d меÑеца" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "пред една година" diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index 5fe48460e..7cafbc5f0 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:05:46+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:42:09+0000\n" "Language-Team: Norwegian (bokmÃ¥l)‬\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: out-statusnet\n" @@ -33,7 +33,7 @@ msgstr "Ingen slik side" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -152,7 +152,7 @@ msgstr "API-metode ikke funnet!" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "Denne metoden krever en POST." @@ -183,8 +183,9 @@ msgstr "Klarte ikke Ã¥ lagre profil." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -332,7 +333,8 @@ msgstr "Det nicket er allerede i bruk. Prøv et annet." msgid "Not a valid nickname." msgstr "Ugyldig nick." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -344,7 +346,8 @@ msgstr "Hjemmesiden er ikke en gyldig URL." msgid "Full name is too long (max 255 chars)." msgstr "Beklager, navnet er for langt (max 250 tegn)." -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "Beskrivelsen er for lang (maks %d tegn)." @@ -423,6 +426,99 @@ msgstr "" msgid "groups on %s" msgstr "" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "" + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "Ugyldig brukernavn eller passord" + +#: actions/apioauthauthorize.php:170 +msgid "DB error deleting OAuth app user." +msgstr "" + +#: actions/apioauthauthorize.php:196 +msgid "DB error inserting OAuth app user." +msgstr "" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "" + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +#, fuzzy +msgid "Account" +msgstr "Om" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "Nick" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Passord" + +#: actions/apioauthauthorize.php:338 +msgid "Deny" +msgstr "" + +#: actions/apioauthauthorize.php:344 +msgid "Allow" +msgstr "" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "" @@ -454,17 +550,17 @@ msgstr "" msgid "No status with that ID found." msgstr "" -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "" -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -611,29 +707,6 @@ msgstr "Last opp" msgid "Crop" msgstr "" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "" - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "" - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "" @@ -771,7 +844,8 @@ msgid "Couldn't delete email confirmation." msgstr "" #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Bekreft adresse" #: actions/confirmaddress.php:159 @@ -965,7 +1039,8 @@ msgstr "" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "Lagre" @@ -986,6 +1061,84 @@ msgstr "" msgid "No such document." msgstr "" +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "Gjør brukeren til en administrator for gruppen" + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Du er allerede logget inn!" + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "Ingen slik side" + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/editapplication.php:161 +msgid "Use this form to edit your application." +msgstr "" + +#: actions/editapplication.php:177 actions/newapplication.php:159 +msgid "Name is required." +msgstr "" + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "Beklager, navnet er for langt (max 250 tegn)." + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "Alle abonnementer" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "Hjemmesiden er ikke en gyldig URL." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "Beskrivelsen er for lang (maks %d tegn)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "Klarte ikke Ã¥ oppdatere bruker." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1058,7 +1211,8 @@ msgstr "" "melding med videre veiledning." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "Avbryt" @@ -1714,7 +1868,7 @@ msgstr "" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "Send" @@ -1819,17 +1973,6 @@ msgstr "Logg inn" msgid "Login to site" msgstr "" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "Nick" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Passord" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "Husk meg" @@ -1879,6 +2022,27 @@ msgstr "Gjør brukeren til en administrator for gruppen" msgid "No current status" msgstr "" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +msgid "You must be logged in to register an application." +msgstr "" + +#: actions/newapplication.php:143 +msgid "Use this form to register a new application." +msgstr "" + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" + #: actions/newgroup.php:53 msgid "New group" msgstr "" @@ -1983,6 +2147,49 @@ msgstr "" msgid "Nudge sent!" msgstr "" +#: actions/oauthappssettings.php:59 +msgid "You must be logged in to list your applications." +msgstr "" + +#: actions/oauthappssettings.php:74 +msgid "OAuth applications" +msgstr "" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "Du er allerede logget inn!" + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "" @@ -2000,8 +2207,8 @@ msgstr "" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "" @@ -2015,7 +2222,7 @@ msgstr "" #: actions/othersettings.php:60 #, fuzzy -msgid "Other Settings" +msgid "Other settings" msgstr "Innstillinger for IM" #: actions/othersettings.php:71 @@ -2339,7 +2546,7 @@ msgid "Full name" msgstr "Fullt navn" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "Hjemmesiden" @@ -2929,6 +3136,83 @@ msgstr "Du er allerede logget inn!" msgid "User is already sandboxed." msgstr "Du er allerede logget inn!" +#: actions/showapplication.php:82 +msgid "You must be logged in to view an application." +msgstr "" + +#: actions/showapplication.php:158 +msgid "Application profile" +msgstr "" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +#, fuzzy +msgid "Name" +msgstr "Nick" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "Bekreftelseskode" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#, fuzzy +msgid "Description" +msgstr "Alle abonnementer" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "Statistikk" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +msgid "Authorize URL" +msgstr "" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "" @@ -3036,10 +3320,6 @@ msgstr "" msgid "All members" msgstr "" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "Statistikk" - #: actions/showgroup.php:432 #, fuzzy msgid "Created" @@ -3920,11 +4200,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -#, fuzzy -msgid "Name" -msgstr "Nick" - #: actions/version.php:196 lib/action.php:741 #, fuzzy msgid "Version" @@ -3934,11 +4209,6 @@ msgstr "Personlig" msgid "Author(s)" msgstr "" -#: actions/version.php:198 lib/groupeditform.php:172 -#, fuzzy -msgid "Description" -msgstr "Alle abonnementer" - #: classes/File.php:144 #, php-format msgid "" @@ -4095,11 +4365,6 @@ msgstr "Hjem" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 -#, fuzzy -msgid "Account" -msgstr "Om" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "" @@ -4254,10 +4519,6 @@ msgstr "" msgid "Before" msgstr "Tidligere »" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "" - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "" @@ -4290,6 +4551,72 @@ msgstr "" msgid "Paths configuration" msgstr "" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Beskriv degselv og dine interesser med 140 tegn" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "Beskriv degselv og dine interesser med 140 tegn" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "Kilde" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "URL til din hjemmeside, blogg, eller profil pÃ¥ annen nettside." + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "URL til din hjemmeside, blogg, eller profil pÃ¥ annen nettside." + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "Fjern" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "" @@ -4614,6 +4941,15 @@ msgstr "" msgid "Updates by SMS" msgstr "" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "Koble til" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "" @@ -5133,10 +5469,6 @@ msgid "Do not share my location" msgstr "Klarte ikke Ã¥ lagre profil." #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5507,47 +5839,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "noen fÃ¥ sekunder siden" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "omtrent ett minutt siden" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "omtrent %d minutter siden" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "omtrent én time siden" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "omtrent %d timer siden" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "omtrent én dag siden" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "omtrent %d dager siden" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "omtrent én mÃ¥ned siden" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "omtrent %d mÃ¥neder siden" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "omtrent ett Ã¥r siden" diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index ade4434a5..441d61ad0 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:05:52+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:42:16+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: out-statusnet\n" @@ -35,7 +35,7 @@ msgstr "Deze pagina bestaat niet" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -155,7 +155,7 @@ msgstr "De API-functie is niet aangetroffen." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "Deze methode vereist een POST." @@ -186,8 +186,9 @@ msgstr "Het was niet mogelijk het profiel op te slaan." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -337,7 +338,8 @@ msgstr "" msgid "Not a valid nickname." msgstr "Ongeldige gebruikersnaam!" -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -349,7 +351,8 @@ msgstr "De thuispagina is geen geldige URL." msgid "Full name is too long (max 255 chars)." msgstr "De volledige naam is te lang (maximaal 255 tekens)." -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "De beschrijving is te lang (maximaal %d tekens)." @@ -426,6 +429,104 @@ msgstr "%s groepen" msgid "groups on %s" msgstr "groepen op %s" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "" +"Er is een probleem ontstaan met uw sessie. Probeer het nog een keer, " +"alstublieft." + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "Ongeldige gebruikersnaam of wachtwoord." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "Er is een fout opgetreden tijdens het instellen van de gebruiker." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "Er is een databasefout opgetreden bij de invoer van de hashtag: %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "Het formulier is onverwacht ingezonden." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "Gebruiker" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "Gebruikersnaam" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Wachtwoord" + +#: actions/apioauthauthorize.php:338 +#, fuzzy +msgid "Deny" +msgstr "Uiterlijk" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "Alle" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "Deze methode vereist een POST of DELETE." @@ -455,17 +556,17 @@ msgstr "De status is verwijderd." msgid "No status with that ID found." msgstr "Er is geen status gevonden met dit ID." -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "De mededeling is te lang. Gebruik maximaal %d tekens." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "Niet gevonden" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -612,31 +713,6 @@ msgstr "Uploaden" msgid "Crop" msgstr "Uitsnijden" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "" -"Er is een probleem ontstaan met uw sessie. Probeer het nog een keer, " -"alstublieft." - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "Het formulier is onverwacht ingezonden." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "" @@ -774,7 +850,8 @@ msgid "Couldn't delete email confirmation." msgstr "De e-mailbevestiging kon niet verwijderd worden." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Adres bevestigen" #: actions/confirmaddress.php:159 @@ -857,7 +934,7 @@ msgstr "Gebruiker verwijderen" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 #: lib/adminpanelaction.php:316 lib/groupnav.php:119 msgid "Design" -msgstr "Ontwerp" +msgstr "Uiterlijk" #: actions/designadminpanel.php:73 msgid "Design settings for this StatusNet site." @@ -963,7 +1040,8 @@ msgstr "Standaardinstellingen toepassen" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "Opslaan" @@ -984,6 +1062,87 @@ msgstr "Aan favorieten toevoegen" msgid "No such document." msgstr "Onbekend document." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "U moet aangemeld zijn om een groep te kunnen bewerken." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "U bent geen lid van deze groep." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "De mededeling bestaat niet." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "Er is een probleem met uw sessietoken." + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "Gebruik dit formulier om de groep te bewerken." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "Gelijk aan het wachtwoord hierboven. Verplicht" + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "De volledige naam is te lang (maximaal 255 tekens)." + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "Beschrijving" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "De avatar-URL \"%s\" is niet geldig." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "Locatie is te lang (maximaal 255 tekens)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +#, fuzzy +msgid "Callback URL is not valid." +msgstr "De avatar-URL \"%s\" is niet geldig." + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "Het was niet mogelijk de groep bij te werken." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1026,7 +1185,7 @@ msgstr "E-mailvoorkeuren" #: actions/emailsettings.php:71 #, php-format msgid "Manage how you get email from %%site.name%%." -msgstr "E-mail ontvangen van %%site.name%% beheren." +msgstr "Uw e-mailinstellingen op %%site.name%% beheren." #: actions/emailsettings.php:100 actions/imsettings.php:100 #: actions/smssettings.php:104 @@ -1052,7 +1211,8 @@ msgstr "" "ongewenste berichten/spam) voor een bericht met nadere instructies." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "Annuleren" @@ -1080,8 +1240,8 @@ msgstr "Stuur een email naar dit adres om een nieuw bericht te posten" #: actions/emailsettings.php:145 actions/smssettings.php:162 msgid "Make a new email address for posting to; cancels the old one." msgstr "" -"Stelt een nieuw e-mailadres in voor het plaatsen van berichten; verwijdert " -"het oude." +"Stelt een nieuw e-mailadres in voor het ontvangen van berichten. Het " +"bestaande e-mailadres wordt verwijderd." #: actions/emailsettings.php:148 actions/smssettings.php:164 msgid "New" @@ -1744,7 +1904,7 @@ msgstr "Persoonlijk bericht" msgid "Optionally add a personal message to the invitation." msgstr "Persoonlijk bericht bij de uitnodiging (optioneel)." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "Verzenden" @@ -1855,17 +2015,6 @@ msgstr "Aanmelden" msgid "Login to site" msgstr "Aanmelden" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "Gebruikersnaam" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Wachtwoord" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "Aanmeldgegevens onthouden" @@ -1918,6 +2067,29 @@ msgstr "Het is niet mogelijk %1$s beheerder te maken van de groep %2$s." msgid "No current status" msgstr "Geen huidige status" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "U moet aangemeld zijn om een groep aan te kunnen maken." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "Gebruik dit formulier om een nieuwe groep aan te maken." + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "Het was niet mogelijk de aliassen aan te maken." + #: actions/newgroup.php:53 msgid "New group" msgstr "Nieuwe groep" @@ -2031,6 +2203,51 @@ msgstr "De por is verzonden" msgid "Nudge sent!" msgstr "De por is verzonden!" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "U moet aangemeld zijn om een groep te kunnen bewerken." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "Overige instellingen" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "U bent geen lid van deze groep" + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "Mededeling heeft geen profiel" @@ -2048,8 +2265,8 @@ msgstr "inhoudstype " msgid "Only " msgstr "Alleen " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "Geen ondersteund gegevensformaat." @@ -2062,7 +2279,8 @@ msgid "Notice Search" msgstr "Mededeling zoeken" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "Overige instellingen" #: actions/othersettings.php:71 @@ -2381,7 +2599,7 @@ msgid "Full name" msgstr "Volledige naam" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "Thuispagina" @@ -2997,6 +3215,84 @@ msgstr "Op deze website kunt u gebruikers niet in de zandbak plaatsen." msgid "User is already sandboxed." msgstr "Deze gebruiker is al in de zandbak geplaatst." +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "U moet aangemeld zijn om een groep te kunnen verlaten." + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "Mededeling heeft geen profiel" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +msgid "Name" +msgstr "Naam" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "Paginering" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "Beschrijving" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "Statistieken" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +#, fuzzy +msgid "Authorize URL" +msgstr "Auteur" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Het was niet mogelijk de favoriete mededelingen op te halen." @@ -3111,10 +3407,6 @@ msgstr "(geen)" msgid "All members" msgstr "Alle leden" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "Statistieken" - #: actions/showgroup.php:432 msgid "Created" msgstr "Aangemaakt" @@ -4047,10 +4339,6 @@ msgstr "" msgid "Plugins" msgstr "Plug-ins" -#: actions/version.php:195 -msgid "Name" -msgstr "Naam" - #: actions/version.php:196 lib/action.php:741 msgid "Version" msgstr "Versie" @@ -4059,10 +4347,6 @@ msgstr "Versie" msgid "Author(s)" msgstr "Auteur(s)" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "Beschrijving" - #: classes/File.php:144 #, php-format msgid "" @@ -4085,19 +4369,16 @@ msgstr "" "Een bestand van deze grootte overschijdt uw maandelijkse quota van %d bytes." #: classes/Group_member.php:41 -#, fuzzy msgid "Group join failed." -msgstr "Groepsprofiel" +msgstr "Groepslidmaatschap toevoegen is mislukt." #: classes/Group_member.php:53 -#, fuzzy msgid "Not part of group." -msgstr "Het was niet mogelijk de groep bij te werken." +msgstr "Geen lid van groep." #: classes/Group_member.php:60 -#, fuzzy msgid "Group leave failed." -msgstr "Groepsprofiel" +msgstr "Groepslidmaatschap opzeggen is mislukt." #: classes/Login_token.php:76 #, php-format @@ -4230,10 +4511,6 @@ msgstr "Start" msgid "Personal profile and friends timeline" msgstr "Persoonlijk profiel en tijdlijn van vrienden" -#: lib/action.php:435 -msgid "Account" -msgstr "Gebruiker" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "Uw e-mailadres, avatar, wachtwoord of profiel wijzigen" @@ -4388,10 +4665,6 @@ msgstr "Later" msgid "Before" msgstr "Eerder" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "Er is een probleem met uw sessietoken." - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "U mag geen wijzigingen maken aan deze website." @@ -4424,6 +4697,72 @@ msgstr "Instellingen vormgeving" msgid "Paths configuration" msgstr "Padinstellingen" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Beschrijf de groep of het onderwerp in %d tekens" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "Beschrijf de groep of het onderwerp" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "Broncode" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "De URL van de thuispagina of de blog van de groep of het onderwerp" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "De URL van de thuispagina of de blog van de groep of het onderwerp" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "Verwijderen" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "Bijlagen" @@ -4788,6 +5127,15 @@ msgstr "Updates via instant messenger (IM)" msgid "Updates by SMS" msgstr "Updates via SMS" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "Koppelen" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "Databasefout" @@ -4980,9 +5328,9 @@ msgid "[%s]" msgstr "[%s]" #: lib/jabber.php:385 -#, fuzzy, php-format +#, php-format msgid "Unknown inbox source %d." -msgstr "De taal \"%s\" is niet bekend." +msgstr "Onbekende bron Postvak IN %d." #: lib/joinform.php:114 msgid "Join" @@ -5382,14 +5730,12 @@ msgid "Do not share my location" msgstr "Mijn locatie niet bekend maken" #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "Deze informatie verbergen" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" msgstr "" +"Het ophalen van uw geolocatie duurt langer dan verwacht. Probeer het later " +"nog eens" #: lib/noticelist.php:428 #, php-format @@ -5739,47 +6085,47 @@ msgstr "Bericht" msgid "Moderate" msgstr "Modereren" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "een paar seconden geleden" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "ongeveer een minuut geleden" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "ongeveer %d minuten geleden" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "ongeveer een uur geleden" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "ongeveer %d uur geleden" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "ongeveer een dag geleden" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "ongeveer %d dagen geleden" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "ongeveer een maand geleden" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "ongeveer %d maanden geleden" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "ongeveer een jaar geleden" diff --git a/locale/nn/LC_MESSAGES/statusnet.po b/locale/nn/LC_MESSAGES/statusnet.po index 5bba0e8b0..fb31a6c8c 100644 --- a/locale/nn/LC_MESSAGES/statusnet.po +++ b/locale/nn/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:05:49+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:42:12+0000\n" "Language-Team: Norwegian Nynorsk\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nn\n" "X-Message-Group: out-statusnet\n" @@ -33,7 +33,7 @@ msgstr "Dette emneord finst ikkje." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -146,7 +146,7 @@ msgstr "Fann ikkje API-metode." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "Dette krev ein POST." @@ -177,8 +177,9 @@ msgstr "Kan ikkje lagra profil." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -327,7 +328,8 @@ msgstr "Kallenamnet er allereie i bruk. Prøv eit anna." msgid "Not a valid nickname." msgstr "Ikkje eit gyldig brukarnamn." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -339,7 +341,8 @@ msgstr "Heimesida er ikkje ei gyldig internettadresse." msgid "Full name is too long (max 255 chars)." msgstr "Ditt fulle namn er for langt (maksimalt 255 teikn)." -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "skildringa er for lang (maks 140 teikn)." @@ -419,6 +422,101 @@ msgstr "%s grupper" msgid "groups on %s" msgstr "Gruppe handlingar" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "Der var eit problem med sesjonen din. Vennlegst prøv pÃ¥ nytt." + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "Ugyldig brukarnamn eller passord." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "Feil ved Ã¥ setja brukar." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "databasefeil ved innsetjing av skigardmerkelapp (#merkelapp): %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "Uventa skjemasending." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "Konto" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "Kallenamn" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Passord" + +#: actions/apioauthauthorize.php:338 +msgid "Deny" +msgstr "" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "Alle" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "Dette krev anten ein POST eller DELETE." @@ -451,17 +549,17 @@ msgstr "Lasta opp brukarbilete." msgid "No status with that ID found." msgstr "Fann ingen status med den ID-en." -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Det er for langt! Ein notis kan berre innehalde 140 teikn." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "Fann ikkje" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -607,29 +705,6 @@ msgstr "Last opp" msgid "Crop" msgstr "Skaler" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "Der var eit problem med sesjonen din. Vennlegst prøv pÃ¥ nytt." - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "Uventa skjemasending." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "Velg eit utvalg av bildet som vil blir din avatar." @@ -769,7 +844,8 @@ msgid "Couldn't delete email confirmation." msgstr "Kan ikkje sletta e-postgodkjenning." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Stadfest adresse" #: actions/confirmaddress.php:159 @@ -970,7 +1046,8 @@ msgstr "" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "Lagra" @@ -991,6 +1068,86 @@ msgstr "Legg til i favorittar" msgid "No such document." msgstr "Slikt dokument finst ikkje." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "Du mÃ¥ være logga inn for Ã¥ lage ei gruppe." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Du er ikkje medlem av den gruppa." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "Denne notisen finst ikkje." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "Det var eit problem med sesjons billetten din." + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "Bruk dette skjemaet for Ã¥ redigere gruppa" + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "Samme som passord over. PÃ¥krevd." + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "Ditt fulle namn er for langt (maksimalt 255 teikn)." + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "Beskriving" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "Heimesida er ikkje ei gyldig internettadresse." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "Plassering er for lang (maksimalt 255 teikn)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "Kann ikkje oppdatera gruppa." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1062,7 +1219,8 @@ msgstr "" "med instruksjonar." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "Avbryt" @@ -1747,7 +1905,7 @@ msgstr "Personleg melding" msgid "Optionally add a personal message to the invitation." msgstr "Eventuelt legg til ei personleg melding til invitasjonen." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "Send" @@ -1852,17 +2010,6 @@ msgstr "Logg inn" msgid "Login to site" msgstr "Logg inn " -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "Kallenamn" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Passord" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "Hugs meg" @@ -1916,6 +2063,29 @@ msgstr "Du mÃ¥ være administrator for Ã¥ redigere gruppa" msgid "No current status" msgstr "Ingen status" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "Du mÃ¥ være logga inn for Ã¥ lage ei gruppe." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "Bruk dette skjemaet for Ã¥ lage ein ny gruppe." + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "Kunne ikkje lagre favoritt." + #: actions/newgroup.php:53 msgid "New group" msgstr "Ny gruppe" @@ -2027,6 +2197,51 @@ msgstr "Dytta!" msgid "Nudge sent!" msgstr "Dytta!" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "Du mÃ¥ være logga inn for Ã¥ lage ei gruppe." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "Andre val" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "Du er ikkje medlem av den gruppa." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "Notisen har ingen profil" @@ -2045,8 +2260,8 @@ msgstr "Kopla til" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "Ikkje eit støtta dataformat." @@ -2059,7 +2274,8 @@ msgid "Notice Search" msgstr "Notissøk" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "Andre innstillingar" #: actions/othersettings.php:71 @@ -2393,7 +2609,7 @@ msgid "Full name" msgstr "Fullt namn" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "Heimeside" @@ -2997,6 +3213,84 @@ msgstr "Du kan ikkje sende melding til denne brukaren." msgid "User is already sandboxed." msgstr "Brukar har blokkert deg." +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "Du mÃ¥ være innlogga for Ã¥ melde deg ut av ei gruppe." + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "Notisen har ingen profil" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +#, fuzzy +msgid "Name" +msgstr "Kallenamn" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "Paginering" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "Beskriving" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "Statistikk" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +msgid "Authorize URL" +msgstr "" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Kunne ikkje hente fram favorittane." @@ -3102,10 +3396,6 @@ msgstr "(Ingen)" msgid "All members" msgstr "Alle medlemmar" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "Statistikk" - #: actions/showgroup.php:432 #, fuzzy msgid "Created" @@ -4019,11 +4309,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -#, fuzzy -msgid "Name" -msgstr "Kallenamn" - #: actions/version.php:196 lib/action.php:741 #, fuzzy msgid "Version" @@ -4033,10 +4318,6 @@ msgstr "Personleg" msgid "Author(s)" msgstr "" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "Beskriving" - #: classes/File.php:144 #, php-format msgid "" @@ -4196,10 +4477,6 @@ msgstr "Heim" msgid "Personal profile and friends timeline" msgstr "Personleg profil og oversyn over vener" -#: lib/action.php:435 -msgid "Account" -msgstr "Konto" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "Endra e-posten, avataren, passordet eller profilen" @@ -4358,10 +4635,6 @@ msgstr "« Etter" msgid "Before" msgstr "Før »" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "Det var eit problem med sesjons billetten din." - #: lib/adminpanelaction.php:96 #, fuzzy msgid "You cannot make changes to this site." @@ -4402,6 +4675,72 @@ msgstr "SMS bekreftelse" msgid "Paths configuration" msgstr "SMS bekreftelse" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Beskriv gruppa eller emnet med 140 teikn" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "Beskriv gruppa eller emnet med 140 teikn" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "Kjeldekode" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "URL til heimesida eller bloggen for gruppa eller emnet" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "URL til heimesida eller bloggen for gruppa eller emnet" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "Fjern" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "" @@ -4729,6 +5068,15 @@ msgstr "Oppdateringar over direktemeldingar (IM)" msgid "Updates by SMS" msgstr "Oppdateringar over SMS" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "Kopla til" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "" @@ -5250,10 +5598,6 @@ msgid "Do not share my location" msgstr "Kan ikkje lagra merkelapp." #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5629,47 +5973,47 @@ msgstr "Melding" msgid "Moderate" msgstr "" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "eit par sekund sidan" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "omtrent eitt minutt sidan" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "~%d minutt sidan" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "omtrent ein time sidan" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "~%d timar sidan" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "omtrent ein dag sidan" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "~%d dagar sidan" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "omtrent ein mÃ¥nad sidan" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "~%d mÃ¥nadar sidan" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "omtrent eitt Ã¥r sidan" diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index 9e8414dc1..901b1d822 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:05:55+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:42:19+0000\n" "Last-Translator: Piotr DrÄ…g \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -19,7 +19,7 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: out-statusnet\n" @@ -38,7 +38,7 @@ msgstr "Nie ma takiej strony" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -158,7 +158,7 @@ msgstr "Nie odnaleziono metody API." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "Ta metoda wymaga POST." @@ -188,8 +188,9 @@ msgstr "Nie można zapisać profilu." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -334,7 +335,8 @@ msgstr "Pseudonim jest już używany. Spróbuj innego." msgid "Not a valid nickname." msgstr "To nie jest prawidÅ‚owy pseudonim." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -346,7 +348,8 @@ msgstr "Strona domowa nie jest prawidÅ‚owym adresem URL." msgid "Full name is too long (max 255 chars)." msgstr "ImiÄ™ i nazwisko jest za dÅ‚ugie (maksymalnie 255 znaków)." -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "Opis jest za dÅ‚ugi (maksymalnie %d znaków)." @@ -423,6 +426,102 @@ msgstr "Grupy %s" msgid "groups on %s" msgstr "grupy na %s" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "WystÄ…piÅ‚ problem z tokenem sesji. Spróbuj ponownie." + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "NieprawidÅ‚owa nazwa użytkownika lub hasÅ‚o." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "BÅ‚Ä…d podczas ustawiania użytkownika." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "BÅ‚Ä…d bazy danych podczas wprowadzania znacznika mieszania: %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "Nieoczekiwane wysÅ‚anie formularza." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "Konto" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "Pseudonim" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "HasÅ‚o" + +#: actions/apioauthauthorize.php:338 +#, fuzzy +msgid "Deny" +msgstr "WyglÄ…d" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "Wszystko" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "Ta metoda wymaga POST lub DELETE." @@ -452,17 +551,17 @@ msgstr "UsuniÄ™to stan." msgid "No status with that ID found." msgstr "Nie odnaleziono stanów z tym identyfikatorem." -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Wpis jest za dÅ‚ugi. Maksymalna dÅ‚ugość wynosi %d znaków." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "Nie odnaleziono" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "Maksymalny rozmiar wpisu wynosi %d znaków, w tym adres URL zaÅ‚Ä…cznika." @@ -606,29 +705,6 @@ msgstr "WyÅ›lij" msgid "Crop" msgstr "Przytnij" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "WystÄ…piÅ‚ problem z tokenem sesji. Spróbuj ponownie." - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "Nieoczekiwane wysÅ‚anie formularza." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "Wybierz kwadratowy obszar obrazu do awatara" @@ -765,7 +841,8 @@ msgid "Couldn't delete email confirmation." msgstr "Nie można usunąć potwierdzenia adresu e-mail." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Potwierdź adres" #: actions/confirmaddress.php:159 @@ -951,7 +1028,8 @@ msgstr "Przywróć domyÅ›lne ustawienia" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "Zapisz" @@ -972,6 +1050,87 @@ msgstr "Dodaj do ulubionych" msgid "No such document." msgstr "Nie ma takiego dokumentu." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "Musisz być zalogowany, aby zmodyfikować grupÄ™." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Nie jesteÅ› czÅ‚onkiem tej grupy." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "Nie ma takiego wpisu." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "WystÄ…piÅ‚ problem z tokenem sesji." + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "Użyj tego formularza, aby zmodyfikować grupÄ™." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "Takie samo jak powyższe hasÅ‚o. Wymagane." + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "ImiÄ™ i nazwisko jest za dÅ‚ugie (maksymalnie 255 znaków)." + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "Opis" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "Adres URL \"%s\" jest nieprawidÅ‚owy." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "PoÅ‚ożenie jest za dÅ‚ugie (maksymalnie 255 znaków)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +#, fuzzy +msgid "Callback URL is not valid." +msgstr "Adres URL \"%s\" jest nieprawidÅ‚owy." + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "Nie można zaktualizować grupy." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1041,7 +1200,8 @@ msgstr "" "instrukcjami." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "Anuluj" @@ -1716,7 +1876,7 @@ msgstr "Osobista wiadomość" msgid "Optionally add a personal message to the invitation." msgstr "Opcjonalnie dodaj osobistÄ… wiadomość do zaproszenia." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "WyÅ›lij" @@ -1825,17 +1985,6 @@ msgstr "Zaloguj siÄ™" msgid "Login to site" msgstr "Zaloguj siÄ™ na stronie" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "Pseudonim" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "HasÅ‚o" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "ZapamiÄ™taj mnie" @@ -1890,6 +2039,29 @@ msgstr "Nie można uczynić %1$s administratorem grupy %2$s." msgid "No current status" msgstr "Brak obecnego stanu" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "Musisz być zalogowany, aby utworzyć grupÄ™." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "Użyj tego formularza, aby utworzyć nowÄ… grupÄ™." + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "Nie można utworzyć aliasów." + #: actions/newgroup.php:53 msgid "New group" msgstr "Nowa grupa" @@ -2003,6 +2175,51 @@ msgstr "WysÅ‚ano szturchniÄ™cie" msgid "Nudge sent!" msgstr "WysÅ‚ano szturchniÄ™cie." +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "Musisz być zalogowany, aby zmodyfikować grupÄ™." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "Inne opcje" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "Nie jesteÅ› czÅ‚onkiem tej grupy." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "Wpis nie posiada profilu" @@ -2020,8 +2237,8 @@ msgstr "typ zawartoÅ›ci " msgid "Only " msgstr "Tylko " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "To nie jest obsÅ‚ugiwany format danych." @@ -2034,7 +2251,8 @@ msgid "Notice Search" msgstr "Wyszukiwanie wpisów" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "Inne ustawienia" #: actions/othersettings.php:71 @@ -2351,7 +2569,7 @@ msgid "Full name" msgstr "ImiÄ™ i nazwisko" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "Strona domowa" @@ -2959,6 +3177,84 @@ msgstr "Nie można ograniczać użytkowników na tej stronie." msgid "User is already sandboxed." msgstr "Użytkownik jest już ograniczony." +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "Musisz być zalogowany, aby opuÅ›cić grupÄ™." + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "Wpis nie posiada profilu" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +msgid "Name" +msgstr "Nazwa" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "Paginacja" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "Opis" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "Statystyki" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +#, fuzzy +msgid "Authorize URL" +msgstr "Autor" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Nie można odebrać ulubionych wpisów." @@ -3072,10 +3368,6 @@ msgstr "(Brak)" msgid "All members" msgstr "Wszyscy czÅ‚onkowie" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "Statystyki" - #: actions/showgroup.php:432 msgid "Created" msgstr "Utworzono" @@ -4000,10 +4292,6 @@ msgstr "" msgid "Plugins" msgstr "Wtyczki" -#: actions/version.php:195 -msgid "Name" -msgstr "Nazwa" - #: actions/version.php:196 lib/action.php:741 msgid "Version" msgstr "Wersja" @@ -4012,10 +4300,6 @@ msgstr "Wersja" msgid "Author(s)" msgstr "Autorzy" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "Opis" - #: classes/File.php:144 #, php-format msgid "" @@ -4039,19 +4323,16 @@ msgstr "" "d bajty." #: classes/Group_member.php:41 -#, fuzzy msgid "Group join failed." -msgstr "Profil grupy" +msgstr "DoÅ‚Ä…czenie do grupy nie powiodÅ‚o siÄ™." #: classes/Group_member.php:53 -#, fuzzy msgid "Not part of group." -msgstr "Nie można zaktualizować grupy." +msgstr "Nie jest częściÄ… grupy." #: classes/Group_member.php:60 -#, fuzzy msgid "Group leave failed." -msgstr "Profil grupy" +msgstr "Opuszczenie grupy nie powiodÅ‚o siÄ™." #: classes/Login_token.php:76 #, php-format @@ -4178,10 +4459,6 @@ msgstr "Strona domowa" msgid "Personal profile and friends timeline" msgstr "Profil osobisty i oÅ› czasu przyjaciół" -#: lib/action.php:435 -msgid "Account" -msgstr "Konto" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "ZmieÅ„ adres e-mail, awatar, hasÅ‚o, profil" @@ -4336,10 +4613,6 @@ msgstr "Później" msgid "Before" msgstr "WczeÅ›niej" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "WystÄ…piÅ‚ problem z tokenem sesji." - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "Nie można wprowadzić zmian strony." @@ -4372,6 +4645,72 @@ msgstr "Konfiguracja wyglÄ…du" msgid "Paths configuration" msgstr "Konfiguracja Å›cieżek" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Opisz grupÄ™ lub temat w %d znakach" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "Opisz grupÄ™ lub temat" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "Kod źródÅ‚owy" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "Adres URL strony domowej lub bloga grupy, albo temat" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "Adres URL strony domowej lub bloga grupy, albo temat" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "UsuÅ„" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "ZaÅ‚Ä…czniki" @@ -4733,6 +5072,15 @@ msgstr "Aktualizacje przez komunikator" msgid "Updates by SMS" msgstr "Aktualizacje przez wiadomoÅ›ci SMS" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "PoÅ‚Ä…cz" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "BÅ‚Ä…d bazy danych" @@ -4925,9 +5273,9 @@ msgid "[%s]" msgstr "[%s]" #: lib/jabber.php:385 -#, fuzzy, php-format +#, php-format msgid "Unknown inbox source %d." -msgstr "Nieznany jÄ™zyk \"%s\"." +msgstr "Nieznane źródÅ‚o skrzynki odbiorczej %d." #: lib/joinform.php:114 msgid "Join" @@ -5322,14 +5670,12 @@ msgid "Do not share my location" msgstr "Nie ujawniaj poÅ‚ożenia" #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "Ukryj tÄ™ informacjÄ™" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" msgstr "" +"Pobieranie danych geolokalizacji trwa dÅ‚użej niż powinno, proszÄ™ spróbować " +"ponownie później" #: lib/noticelist.php:428 #, php-format @@ -5678,47 +6024,47 @@ msgstr "Wiadomość" msgid "Moderate" msgstr "Moderuj" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "kilka sekund temu" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "okoÅ‚o minutÄ™ temu" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "okoÅ‚o %d minut temu" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "okoÅ‚o godzinÄ™ temu" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "okoÅ‚o %d godzin temu" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "blisko dzieÅ„ temu" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "okoÅ‚o %d dni temu" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "okoÅ‚o miesiÄ…c temu" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "okoÅ‚o %d miesiÄ™cy temu" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "okoÅ‚o rok temu" diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index f635266d1..6f6a76f4f 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:05:58+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:42:23+0000\n" "Language-Team: Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: out-statusnet\n" @@ -34,7 +34,7 @@ msgstr "Página não encontrada." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -152,7 +152,7 @@ msgstr "Método da API não encontrado." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "Este método requer um POST." @@ -182,8 +182,9 @@ msgstr "Não foi possível gravar o perfil." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -327,7 +328,8 @@ msgstr "Utilizador já é usado. Tente outro." msgid "Not a valid nickname." msgstr "Utilizador não é válido." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -339,7 +341,8 @@ msgstr "Página de ínicio não é uma URL válida." msgid "Full name is too long (max 255 chars)." msgstr "Nome completo demasiado longo (máx. 255 caracteres)." -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "Descrição demasiado longa (máx. 140 caracteres)." @@ -416,6 +419,102 @@ msgstr "Grupos de %s" msgid "groups on %s" msgstr "Grupos em %s" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "Ocorreu um problema com a sua sessão. Por favor, tente novamente." + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "Nome de utilizador ou senha inválidos." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "Erro ao configurar utilizador." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "Erro na base de dados ao inserir a marca: %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "Envio inesperado de formulário." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "Conta" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "Utilizador" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Senha" + +#: actions/apioauthauthorize.php:338 +#, fuzzy +msgid "Deny" +msgstr "Estilo" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "Todas" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "Este método requer um POST ou DELETE." @@ -445,17 +544,17 @@ msgstr "Estado apagado." msgid "No status with that ID found." msgstr "Não foi encontrado um estado com esse ID." -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Demasiado longo. Tamanho máx. das notas é %d caracteres." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "Não encontrado" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "Tamanho máx. das notas é %d caracteres, incluíndo a URL do anexo." @@ -599,29 +698,6 @@ msgstr "Carregar" msgid "Crop" msgstr "Cortar" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "Ocorreu um problema com a sua sessão. Por favor, tente novamente." - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "Envio inesperado de formulário." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "Escolha uma área quadrada da imagem para ser o seu avatar" @@ -758,7 +834,8 @@ msgid "Couldn't delete email confirmation." msgstr "Não foi possível apagar a confirmação do endereço electrónico." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Confirmar Endereço" #: actions/confirmaddress.php:159 @@ -946,7 +1023,8 @@ msgstr "Repor predefinição" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "Gravar" @@ -967,6 +1045,87 @@ msgstr "Adicionar às favoritas" msgid "No such document." msgstr "Documento não encontrado." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "Precisa de iniciar sessão para editar um grupo." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Não é membro deste grupo." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "Nota não encontrada." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "Ocorreu um problema com a sua sessão." + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "Use este formulário para editar o grupo." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "Repita a senha acima. Obrigatório." + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "Nome completo demasiado longo (máx. 255 caracteres)." + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "Descrição" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "A URL ‘%s’ do avatar é inválida." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "Localidade demasiado longa (máx. 255 caracteres)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +#, fuzzy +msgid "Callback URL is not valid." +msgstr "A URL ‘%s’ do avatar é inválida." + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "Não foi possível actualizar o grupo." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1035,7 +1194,8 @@ msgstr "" "na caixa de spam!) uma mensagem com mais instruções." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "Cancelar" @@ -1719,7 +1879,7 @@ msgstr "Mensagem pessoal" msgid "Optionally add a personal message to the invitation." msgstr "Pode optar por acrescentar uma mensagem pessoal ao convite" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "Enviar" @@ -1827,17 +1987,6 @@ msgstr "Entrar" msgid "Login to site" msgstr "Iniciar sessão no site" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "Utilizador" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Senha" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "Lembrar-me neste computador" @@ -1892,6 +2041,29 @@ msgstr "Não é possível tornar %1$s administrador do grupo %2$s." msgid "No current status" msgstr "Sem estado actual" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "Tem de iniciar uma sessão para criar o grupo." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "Use este formulário para criar um grupo novo." + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "Não foi possível criar sinónimos." + #: actions/newgroup.php:53 msgid "New group" msgstr "Grupo novo" @@ -2004,6 +2176,51 @@ msgstr "Toque enviado" msgid "Nudge sent!" msgstr "Toque enviado!" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "Precisa de iniciar sessão para editar um grupo." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "Outras opções" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "Não é um membro desse grupo." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "Nota não tem perfil" @@ -2021,8 +2238,8 @@ msgstr "tipo de conteúdo " msgid "Only " msgstr "Apenas " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "Formato de dados não suportado." @@ -2035,7 +2252,8 @@ msgid "Notice Search" msgstr "Pesquisa de Notas" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "Outras Configurações" #: actions/othersettings.php:71 @@ -2359,7 +2577,7 @@ msgid "Full name" msgstr "Nome completo" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "Página pessoal" @@ -2969,6 +3187,84 @@ msgstr "Não pode impedir notas públicas neste site." msgid "User is already sandboxed." msgstr "Utilizador já está impedido de criar notas públicas." +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "Precisa de iniciar uma sessão para deixar um grupo." + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "Nota não tem perfil" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +msgid "Name" +msgstr "Nome" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "Paginação" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "Descrição" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "Estatísticas" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +#, fuzzy +msgid "Authorize URL" +msgstr "Autor" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Não foi possível importar notas favoritas." @@ -3082,10 +3378,6 @@ msgstr "(Nenhum)" msgid "All members" msgstr "Todos os membros" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "Estatísticas" - #: actions/showgroup.php:432 msgid "Created" msgstr "Criado" @@ -4007,10 +4299,6 @@ msgstr "" msgid "Plugins" msgstr "Plugins" -#: actions/version.php:195 -msgid "Name" -msgstr "Nome" - #: actions/version.php:196 lib/action.php:741 msgid "Version" msgstr "Versão" @@ -4019,10 +4307,6 @@ msgstr "Versão" msgid "Author(s)" msgstr "Autores" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "Descrição" - #: classes/File.php:144 #, php-format msgid "" @@ -4183,10 +4467,6 @@ msgstr "Início" msgid "Personal profile and friends timeline" msgstr "Perfil pessoal e notas dos amigos" -#: lib/action.php:435 -msgid "Account" -msgstr "Conta" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "Altere o seu endereço electrónico, avatar, senha, perfil" @@ -4341,10 +4621,6 @@ msgstr "Posteriores" msgid "Before" msgstr "Anteriores" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "Ocorreu um problema com a sua sessão." - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "Não pode fazer alterações a este site." @@ -4377,6 +4653,72 @@ msgstr "Configuração do estilo" msgid "Paths configuration" msgstr "Configuração das localizações" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Descreva o grupo ou o assunto em %d caracteres" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "Descreva o grupo ou assunto" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "Código" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "URL da página ou do blogue, deste grupo ou assunto" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "URL da página ou do blogue, deste grupo ou assunto" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "Remover" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "Anexos" @@ -4733,6 +5075,15 @@ msgstr "Actualizações por mensagem instantânea (MI)" msgid "Updates by SMS" msgstr "Actualizações por SMS" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "Ligar" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "Erro de base de dados" @@ -5324,10 +5675,6 @@ msgid "Do not share my location" msgstr "Não partilhar a minha localização." #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "Ocultar esta informação" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5680,47 +6027,47 @@ msgstr "Mensagem" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "há alguns segundos" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "há cerca de um minuto" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "há cerca de %d minutos" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "há cerca de uma hora" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "há cerca de %d horas" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "há cerca de um dia" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "há cerca de %d dias" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "há cerca de um mês" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "há cerca de %d meses" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "há cerca de um ano" diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index cd0bdedd7..caa1dd7a6 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:06:02+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:42:27+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" @@ -35,7 +35,7 @@ msgstr "Esta página não existe." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -155,7 +155,7 @@ msgstr "O método da API não foi encontrado!" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "Este método requer um POST." @@ -186,8 +186,9 @@ msgstr "Não foi possível salvar o perfil." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -336,7 +337,8 @@ msgstr "Esta identificação já está em uso. Tente outro." msgid "Not a valid nickname." msgstr "Não é uma identificação válida." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -348,7 +350,8 @@ msgstr "A URL informada não é válida." msgid "Full name is too long (max 255 chars)." msgstr "Nome completo muito extenso (máx. 255 caracteres)" -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "Descrição muito extensa (máximo %d caracteres)." @@ -425,6 +428,103 @@ msgstr "Grupos de %s" msgid "groups on %s" msgstr "grupos no %s" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "" +"Ocorreu um problema com o seu token de sessão. Tente novamente, por favor." + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "Nome de usuário e/ou senha inválido(s)" + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "Erro na configuração do usuário." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "Erro no banco de dados durante a inserção da hashtag: %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "Submissão inesperada de formulário." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "Conta" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "Usuário" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Senha" + +#: actions/apioauthauthorize.php:338 +#, fuzzy +msgid "Deny" +msgstr "Aparência" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "Todas" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "Esse método requer um POST ou DELETE." @@ -454,17 +554,17 @@ msgstr "A mensagem foi excluída." msgid "No status with that ID found." msgstr "Não foi encontrada nenhuma mensagem com esse ID." -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Está muito extenso. O tamanho máximo é de %s caracteres." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "Não encontrado" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "O tamanho máximo da mensagem é de %s caracteres" @@ -609,30 +709,6 @@ msgstr "Enviar" msgid "Crop" msgstr "Cortar" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "" -"Ocorreu um problema com o seu token de sessão. Tente novamente, por favor." - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "Submissão inesperada de formulário." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "Selecione uma área quadrada da imagem para ser seu avatar" @@ -770,7 +846,8 @@ msgid "Couldn't delete email confirmation." msgstr "Não foi possível excluir a confirmação de e-mail." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Confirme o endereço" #: actions/confirmaddress.php:159 @@ -958,7 +1035,8 @@ msgstr "Restaura de volta ao padrão" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "Salvar" @@ -979,6 +1057,87 @@ msgstr "Adicionar às favoritas" msgid "No such document." msgstr "Esse documento não existe." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "Você precisa estar autenticado para editar um grupo." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Você não é membro deste grupo." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "Essa mensagem não existe." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "Ocorreu um problema com o seu token de sessão." + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "Use esse formulário para editar o grupo." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "Igual à senha acima. Obrigatório." + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "Nome completo muito extenso (máx. 255 caracteres)" + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "Descrição" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "A URL ‘%s’ do avatar não é válida." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "Localização muito extensa (máx. 255 caracteres)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +#, fuzzy +msgid "Callback URL is not valid." +msgstr "A URL ‘%s’ do avatar não é válida." + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "Não foi possível atualizar o grupo." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1049,7 +1208,8 @@ msgstr "" "de spam!) por uma mensagem com mais instruções." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "Cancelar" @@ -1740,7 +1900,7 @@ msgstr "Mensagem pessoal" msgid "Optionally add a personal message to the invitation." msgstr "Você pode, opcionalmente, adicionar uma mensagem pessoal ao convite." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "Enviar" @@ -1850,17 +2010,6 @@ msgstr "Entrar" msgid "Login to site" msgstr "Autenticar-se no site" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "Usuário" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Senha" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "Lembrar neste computador" @@ -1917,6 +2066,29 @@ msgstr "Não foi possível tornar %s um administrador do grupo %s" msgid "No current status" msgstr "Nenhuma mensagem atual" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "Você deve estar autenticado para criar um grupo." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "Utilize este formulário para criar um novo grupo." + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "Não foi possível criar os apelidos." + #: actions/newgroup.php:53 msgid "New group" msgstr "Novo grupo" @@ -2032,6 +2204,51 @@ msgstr "A chamada de atenção foi enviada" msgid "Nudge sent!" msgstr "A chamada de atenção foi enviada!" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "Você precisa estar autenticado para editar um grupo." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "Outras opções" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "Você não é um membro desse grupo." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "A mensagem não está associada a nenhum perfil" @@ -2049,8 +2266,8 @@ msgstr "tipo de conteúdo " msgid "Only " msgstr "Apenas " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "Não é um formato de dados suportado." @@ -2063,7 +2280,8 @@ msgid "Notice Search" msgstr "Procurar mensagens" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "Outras configurações" #: actions/othersettings.php:71 @@ -2389,7 +2607,7 @@ msgid "Full name" msgstr "Nome completo" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "Site" @@ -3000,6 +3218,85 @@ msgstr "Você não pode colocar usuários deste site em isolamento." msgid "User is already sandboxed." msgstr "O usuário já está em isolamento." +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "Você deve estar autenticado para sair de um grupo." + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "A mensagem não está associada a nenhum perfil" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +#, fuzzy +msgid "Name" +msgstr "Usuário" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "Paginação" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "Descrição" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "Estatísticas" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +#, fuzzy +msgid "Authorize URL" +msgstr "Autor" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Não foi possível recuperar as mensagens favoritas." @@ -3113,10 +3410,6 @@ msgstr "(Nenhum)" msgid "All members" msgstr "Todos os membros" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "Estatísticas" - #: actions/showgroup.php:432 msgid "Created" msgstr "Criado" @@ -4033,11 +4326,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -#, fuzzy -msgid "Name" -msgstr "Usuário" - #: actions/version.php:196 lib/action.php:741 #, fuzzy msgid "Version" @@ -4048,10 +4336,6 @@ msgstr "Sessões" msgid "Author(s)" msgstr "Autor" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "Descrição" - #: classes/File.php:144 #, php-format msgid "" @@ -4211,10 +4495,6 @@ msgstr "Início" msgid "Personal profile and friends timeline" msgstr "Perfil pessoal e fluxo de mensagens dos amigos" -#: lib/action.php:435 -msgid "Account" -msgstr "Conta" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "Mude seu e-mail, avatar, senha, perfil" @@ -4369,10 +4649,6 @@ msgstr "Próximo" msgid "Before" msgstr "Anterior" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "Ocorreu um problema com o seu token de sessão." - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "Você não pode fazer alterações neste site." @@ -4406,6 +4682,72 @@ msgstr "Configuração da aparência" msgid "Paths configuration" msgstr "Configuração dos caminhos" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Descreva o grupo ou tópico em %d caracteres." + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "Descreva o grupo ou tópico" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "Fonte" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "URL para o site ou blog do grupo ou tópico" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "URL para o site ou blog do grupo ou tópico" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "Remover" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "Anexos" @@ -4767,6 +5109,15 @@ msgstr "Atualizações via mensageiro instantâneo (MI)" msgid "Updates by SMS" msgstr "Atualizações via SMS" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "Conectar" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "Erro no banco de dados" @@ -5365,10 +5716,6 @@ msgid "Do not share my location" msgstr "Indique a sua localização" #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5722,47 +6069,47 @@ msgstr "Mensagem" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "alguns segundos atrás" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "cerca de 1 minuto atrás" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "cerca de %d minutos atrás" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "cerca de 1 hora atrás" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "cerca de %d horas atrás" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "cerca de 1 dia atrás" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "cerca de %d dias atrás" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "cerca de 1 mês atrás" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "cerca de %d meses atrás" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "cerca de 1 ano atrás" diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index f727147b9..8c129b287 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:06:06+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:42:30+0000\n" "Language-Team: Russian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: out-statusnet\n" @@ -36,7 +36,7 @@ msgstr "Ðет такой Ñтраницы" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -154,7 +154,7 @@ msgstr "Метод API не найден." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "Этот метод требует POST." @@ -183,8 +183,9 @@ msgstr "Ðе удаётÑÑ Ñохранить профиль." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -333,7 +334,8 @@ msgstr "Такое Ð¸Ð¼Ñ ÑƒÐ¶Ðµ иÑпользуетÑÑ. Попробуйте msgid "Not a valid nickname." msgstr "Ðеверное имÑ." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -345,7 +347,8 @@ msgstr "URL Главной Ñтраницы неверен." msgid "Full name is too long (max 255 chars)." msgstr "Полное Ð¸Ð¼Ñ Ñлишком длинное (не больше 255 знаков)." -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "Слишком длинное опиÑание (макÑимум %d Ñимволов)" @@ -422,6 +425,102 @@ msgstr "Группы %s" msgid "groups on %s" msgstr "группы на %s" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "Проблема Ñ Ð’Ð°ÑˆÐµÐ¹ ÑеÑÑией. Попробуйте ещё раз, пожалуйÑта." + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "Ðеверное Ð¸Ð¼Ñ Ð¸Ð»Ð¸ пароль." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "Ошибка в уÑтановках пользователÑ." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "Ошибка баз данных при вÑтавке хеш-тегов Ð´Ð»Ñ %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "Ðетиповое подтверждение формы." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "ÐаÑтройки" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "ИмÑ" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Пароль" + +#: actions/apioauthauthorize.php:338 +#, fuzzy +msgid "Deny" +msgstr "Оформление" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "Ð’Ñе" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "Этот метод требует POST или DELETE." @@ -451,17 +550,17 @@ msgstr "Ð¡Ñ‚Ð°Ñ‚ÑƒÑ ÑƒÐ´Ð°Ð»Ñ‘Ð½." msgid "No status with that ID found." msgstr "Ðе найдено ÑтатуÑа Ñ Ñ‚Ð°ÐºÐ¸Ð¼ ID." -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Слишком Ð´Ð»Ð¸Ð½Ð½Ð°Ñ Ð·Ð°Ð¿Ð¸ÑÑŒ. МакÑÐ¸Ð¼Ð°Ð»ÑŒÐ½Ð°Ñ Ð´Ð»Ð¸Ð½Ð° — %d знаков." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "Ðе найдено" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "МакÑÐ¸Ð¼Ð°Ð»ÑŒÐ½Ð°Ñ Ð´Ð»Ð¸Ð½Ð° запиÑи — %d Ñимволов, Ð²ÐºÐ»ÑŽÑ‡Ð°Ñ URL вложениÑ." @@ -606,29 +705,6 @@ msgstr "Загрузить" msgid "Crop" msgstr "Обрезать" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "Проблема Ñ Ð’Ð°ÑˆÐµÐ¹ ÑеÑÑией. Попробуйте ещё раз, пожалуйÑта." - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "Ðетиповое подтверждение формы." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "Подберите нужный квадратный учаÑток Ð´Ð»Ñ Ð²Ð°ÑˆÐµÐ¹ аватары" @@ -765,7 +841,8 @@ msgid "Couldn't delete email confirmation." msgstr "Ðе удаётÑÑ ÑƒÐ´Ð°Ð»Ð¸Ñ‚ÑŒ подверждение по Ñлектронному адреÑу." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Подтвердить адреÑ" #: actions/confirmaddress.php:159 @@ -953,7 +1030,8 @@ msgstr "ВоÑÑтановить Ð·Ð½Ð°Ñ‡ÐµÐ½Ð¸Ñ Ð¿Ð¾ умолчанию" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "Сохранить" @@ -974,6 +1052,87 @@ msgstr "Добавить в любимые" msgid "No such document." msgstr "Ðет такого документа." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "Ð’Ñ‹ должны авторизоватьÑÑ, чтобы изменить группу." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Ð’Ñ‹ не ÑвлÑетеÑÑŒ членом Ñтой группы." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "Ðет такой запиÑи." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "Проблема Ñ Ð’Ð°ÑˆÐµÐ¹ ÑеÑÑией. Попробуйте ещё раз, пожалуйÑта." + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "Заполните информацию о группе в Ñледующие полÑ" + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "Тот же пароль что и Ñверху. ОбÑзательное поле." + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "Полное Ð¸Ð¼Ñ Ñлишком длинное (не больше 255 знаков)." + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "ОпиÑание" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "URL аватары «%s» недейÑтвителен." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "Слишком длинное меÑтораÑположение (макÑимум 255 знаков)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +#, fuzzy +msgid "Callback URL is not valid." +msgstr "URL аватары «%s» недейÑтвителен." + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "Ðе удаётÑÑ Ð¾Ð±Ð½Ð¾Ð²Ð¸Ñ‚ÑŒ информацию о группе." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1042,7 +1201,8 @@ msgstr "" "Ð´Ð»Ñ Ñпама!), там будут дальнейшие инÑтрукции." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "Отменить" @@ -1732,7 +1892,7 @@ msgstr "Личное Ñообщение" msgid "Optionally add a personal message to the invitation." msgstr "Можно добавить к приглашению личное Ñообщение." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "ОК" @@ -1841,17 +2001,6 @@ msgstr "Вход" msgid "Login to site" msgstr "ÐвторизоватьÑÑ" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "ИмÑ" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Пароль" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "Запомнить менÑ" @@ -1905,6 +2054,29 @@ msgstr "Ðевозможно Ñделать %1$s админиÑтратором msgid "No current status" msgstr "Ðет текущего ÑтатуÑа" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "Ð’Ñ‹ должны авторизоватьÑÑ, чтобы Ñоздать новую группу." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "ИÑпользуйте Ñту форму Ð´Ð»Ñ ÑÐ¾Ð·Ð´Ð°Ð½Ð¸Ñ Ð½Ð¾Ð²Ð¾Ð¹ группы." + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "Ðе удаётÑÑ Ñоздать алиаÑÑ‹." + #: actions/newgroup.php:53 msgid "New group" msgstr "ÐÐ¾Ð²Ð°Ñ Ð³Ñ€ÑƒÐ¿Ð¿Ð°" @@ -2017,6 +2189,51 @@ msgstr "«Подталкивание» поÑлано" msgid "Nudge sent!" msgstr "«Подталкивание» отправлено!" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "Ð’Ñ‹ должны авторизоватьÑÑ, чтобы изменить группу." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "Другие опции" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "Ð’Ñ‹ не ÑвлÑетеÑÑŒ членом Ñтой группы." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "ЗапиÑÑŒ без профилÑ" @@ -2034,8 +2251,8 @@ msgstr "тип Ñодержимого " msgid "Only " msgstr "Только " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "Ðеподдерживаемый формат данных." @@ -2048,7 +2265,8 @@ msgid "Notice Search" msgstr "ПоиÑк в запиÑÑÑ…" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "Другие наÑтройки" #: actions/othersettings.php:71 @@ -2371,7 +2589,7 @@ msgid "Full name" msgstr "Полное имÑ" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "ГлавнаÑ" @@ -2978,6 +3196,84 @@ msgstr "" msgid "User is already sandboxed." msgstr "Пользователь уже в режиме пеÑочницы." +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "Ð’Ñ‹ должны авторизоватьÑÑ, чтобы покинуть группу." + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "ЗапиÑÑŒ без профилÑ" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +msgid "Name" +msgstr "ИмÑ" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "Разбиение на Ñтраницы" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "ОпиÑание" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "СтатиÑтика" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +#, fuzzy +msgid "Authorize URL" +msgstr "Ðвтор" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Ðе удаётÑÑ Ð²Ð¾ÑÑтановить любимые запиÑи." @@ -3090,10 +3386,6 @@ msgstr "(пока ничего нет)" msgid "All members" msgstr "Ð’Ñе учаÑтники" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "СтатиÑтика" - #: actions/showgroup.php:432 msgid "Created" msgstr "Создано" @@ -4022,10 +4314,6 @@ msgstr "" msgid "Plugins" msgstr "Плагины" -#: actions/version.php:195 -msgid "Name" -msgstr "ИмÑ" - #: actions/version.php:196 lib/action.php:741 msgid "Version" msgstr "ВерÑиÑ" @@ -4034,10 +4322,6 @@ msgstr "ВерÑиÑ" msgid "Author(s)" msgstr "Ðвтор(Ñ‹)" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "ОпиÑание" - #: classes/File.php:144 #, php-format msgid "" @@ -4197,10 +4481,6 @@ msgstr "Моё" msgid "Personal profile and friends timeline" msgstr "Личный профиль и лента друзей" -#: lib/action.php:435 -msgid "Account" -msgstr "ÐаÑтройки" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "Изменить ваш email, аватару, пароль, профиль" @@ -4356,10 +4636,6 @@ msgstr "Сюда" msgid "Before" msgstr "Туда" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "Проблема Ñ Ð’Ð°ÑˆÐµÐ¹ ÑеÑÑией. Попробуйте ещё раз, пожалуйÑта." - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "Ð’Ñ‹ не можете изменÑÑ‚ÑŒ Ñтот Ñайт." @@ -4392,6 +4668,72 @@ msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¾Ñ„Ð¾Ñ€Ð¼Ð»ÐµÐ½Ð¸Ñ" msgid "Paths configuration" msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¿ÑƒÑ‚ÐµÐ¹" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Опишите группу или тему при помощи %d Ñимволов" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "Опишите группу или тему" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "ИÑходный код" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "ÐÐ´Ñ€ÐµÑ Ñтраницы, дневника или Ð¿Ñ€Ð¾Ñ„Ð¸Ð»Ñ Ð³Ñ€ÑƒÐ¿Ð¿Ñ‹ на другом портале" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "ÐÐ´Ñ€ÐµÑ Ñтраницы, дневника или Ð¿Ñ€Ð¾Ñ„Ð¸Ð»Ñ Ð³Ñ€ÑƒÐ¿Ð¿Ñ‹ на другом портале" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "Убрать" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "ВложениÑ" @@ -4749,6 +5091,15 @@ msgstr "Обновлено по IM" msgid "Updates by SMS" msgstr "ÐžÐ±Ð½Ð¾Ð²Ð»ÐµÐ½Ð¸Ñ Ð¿Ð¾ СМС" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "Соединить" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "Ошибка базы данных" @@ -5340,10 +5691,6 @@ msgid "Do not share my location" msgstr "Ðе публиковать Ñвоё меÑтоположение." #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "Скрыть Ñту информацию" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5696,47 +6043,47 @@ msgstr "Сообщение" msgid "Moderate" msgstr "Модерировать" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "пару Ñекунд назад" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "около минуты назад" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "около %d минут(Ñ‹) назад" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "около чаÑа назад" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "около %d чаÑа(ов) назад" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "около Ð´Ð½Ñ Ð½Ð°Ð·Ð°Ð´" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "около %d днÑ(ей) назад" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "около меÑÑца назад" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "около %d меÑÑца(ев) назад" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "около года назад" diff --git a/locale/statusnet.po b/locale/statusnet.po index fb8fd0ad6..f08704a5e 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -31,7 +31,7 @@ msgstr "" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -142,7 +142,7 @@ msgstr "" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "" @@ -171,8 +171,9 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -312,7 +313,8 @@ msgstr "" msgid "Not a valid nickname." msgstr "" -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -324,7 +326,8 @@ msgstr "" msgid "Full name is too long (max 255 chars)." msgstr "" -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "" @@ -401,6 +404,97 @@ msgstr "" msgid "groups on %s" msgstr "" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "" + +#: actions/apioauthauthorize.php:146 +msgid "Invalid nickname / password!" +msgstr "" + +#: actions/apioauthauthorize.php:170 +msgid "DB error deleting OAuth app user." +msgstr "" + +#: actions/apioauthauthorize.php:196 +msgid "DB error inserting OAuth app user." +msgstr "" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "" + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "" + +#: actions/apioauthauthorize.php:338 +msgid "Deny" +msgstr "" + +#: actions/apioauthauthorize.php:344 +msgid "Allow" +msgstr "" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "" @@ -430,17 +524,17 @@ msgstr "" msgid "No status with that ID found." msgstr "" -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "" -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -584,29 +678,6 @@ msgstr "" msgid "Crop" msgstr "" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "" - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "" - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "" @@ -740,7 +811,7 @@ msgid "Couldn't delete email confirmation." msgstr "" #: actions/confirmaddress.php:144 -msgid "Confirm Address" +msgid "Confirm address" msgstr "" #: actions/confirmaddress.php:159 @@ -922,7 +993,8 @@ msgstr "" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "" @@ -943,6 +1015,76 @@ msgstr "" msgid "No such document." msgstr "" +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +msgid "You must be logged in to edit an application." +msgstr "" + +#: actions/editapplication.php:77 actions/showapplication.php:94 +msgid "You are not the owner of this application." +msgstr "" + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +msgid "No such application." +msgstr "" + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/editapplication.php:161 +msgid "Use this form to edit your application." +msgstr "" + +#: actions/editapplication.php:177 actions/newapplication.php:159 +msgid "Name is required." +msgstr "" + +#: actions/editapplication.php:180 actions/newapplication.php:162 +msgid "Name is too long (max 255 chars)." +msgstr "" + +#: actions/editapplication.php:183 actions/newapplication.php:165 +msgid "Description is required." +msgstr "" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +msgid "Source URL is not valid." +msgstr "" + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +msgid "Organization is too long (max 255 chars)." +msgstr "" + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +msgid "Could not update application." +msgstr "" + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1009,7 +1151,8 @@ msgid "" msgstr "" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "" @@ -1644,7 +1787,7 @@ msgstr "" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "" @@ -1727,17 +1870,6 @@ msgstr "" msgid "Login to site" msgstr "" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "" @@ -1786,6 +1918,26 @@ msgstr "" msgid "No current status" msgstr "" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +msgid "You must be logged in to register an application." +msgstr "" + +#: actions/newapplication.php:143 +msgid "Use this form to register a new application." +msgstr "" + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +msgid "Could not create application." +msgstr "" + #: actions/newgroup.php:53 msgid "New group" msgstr "" @@ -1890,6 +2042,48 @@ msgstr "" msgid "Nudge sent!" msgstr "" +#: actions/oauthappssettings.php:59 +msgid "You must be logged in to list your applications." +msgstr "" + +#: actions/oauthappssettings.php:74 +msgid "OAuth applications" +msgstr "" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +msgid "You are not a user of that application." +msgstr "" + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "" @@ -1907,8 +2101,8 @@ msgstr "" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "" @@ -1921,7 +2115,7 @@ msgid "Notice Search" msgstr "" #: actions/othersettings.php:60 -msgid "Other Settings" +msgid "Other settings" msgstr "" #: actions/othersettings.php:71 @@ -2233,7 +2427,7 @@ msgid "Full name" msgstr "" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "" @@ -2787,6 +2981,80 @@ msgstr "" msgid "User is already sandboxed." msgstr "" +#: actions/showapplication.php:82 +msgid "You must be logged in to view an application." +msgstr "" + +#: actions/showapplication.php:158 +msgid "Application profile" +msgstr "" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +msgid "Name" +msgstr "" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +msgid "Organization" +msgstr "" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +msgid "Authorize URL" +msgstr "" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "" @@ -2892,10 +3160,6 @@ msgstr "" msgid "All members" msgstr "" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "" - #: actions/showgroup.php:432 msgid "Created" msgstr "" @@ -3747,10 +4011,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -msgid "Name" -msgstr "" - #: actions/version.php:196 lib/action.php:741 msgid "Version" msgstr "" @@ -3759,10 +4019,6 @@ msgstr "" msgid "Author(s)" msgstr "" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "" - #: classes/File.php:144 #, php-format msgid "" @@ -3913,10 +4169,6 @@ msgstr "" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 -msgid "Account" -msgstr "" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "" @@ -4066,10 +4318,6 @@ msgstr "" msgid "Before" msgstr "" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "" - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "" @@ -4102,6 +4350,67 @@ msgstr "" msgid "Paths configuration" msgstr "" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, php-format +msgid "Describe your application in %d characters" +msgstr "" + +#: lib/applicationeditform.php:209 +msgid "Describe your application" +msgstr "" + +#: lib/applicationeditform.php:218 +msgid "Source URL" +msgstr "" + +#: lib/applicationeditform.php:220 +msgid "URL of the homepage of this application" +msgstr "" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +msgid "URL for the homepage of the organization" +msgstr "" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +msgid "Revoke" +msgstr "" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "" @@ -4416,6 +4725,14 @@ msgstr "" msgid "Updates by SMS" msgstr "" +#: lib/connectsettingsaction.php:120 +msgid "Connections" +msgstr "" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "" @@ -4913,10 +5230,6 @@ msgid "Do not share my location" msgstr "" #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5269,47 +5582,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index aab154caf..f10b77ea8 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:06:09+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:42:34+0000\n" "Language-Team: Swedish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: out-statusnet\n" @@ -34,7 +34,7 @@ msgstr "Ingen sÃ¥dan sida" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -152,7 +152,7 @@ msgstr "API-metoden hittades inte" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "Denna metod kräver en POST." @@ -181,8 +181,9 @@ msgstr "Kunde inte spara profil." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -328,7 +329,8 @@ msgstr "Smeknamnet används redan. Försök med ett annat." msgid "Not a valid nickname." msgstr "Inte ett giltigt smeknamn." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -340,7 +342,8 @@ msgstr "Hemsida är inte en giltig URL." msgid "Full name is too long (max 255 chars)." msgstr "Fullständigt namn är för lÃ¥ngt (max 255 tecken)." -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "Beskrivning är för lÃ¥ng (max 140 tecken)" @@ -417,6 +420,102 @@ msgstr "%s grupper" msgid "groups on %s" msgstr "grupper pÃ¥ %s" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "Det var ett problem med din sessions-token. Var vänlig försök igen." + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "Ogiltigt användarnamn eller lösenord." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "Fel uppstog i användarens inställning" + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "Databasfel vid infogning av hashtag: %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "Oväntat inskick av formulär." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "Konto" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "Smeknamn" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Lösenord" + +#: actions/apioauthauthorize.php:338 +#, fuzzy +msgid "Deny" +msgstr "Utseende" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "Alla" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "Denna metod kräver en POST eller en DELETE." @@ -446,17 +545,17 @@ msgstr "Status borttagen." msgid "No status with that ID found." msgstr "Ingen status med det ID:t hittades." -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Det är för lÃ¥ngt. Maximal notisstorlek är %d tecken." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "Hittades inte" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "Maximal notisstorlek är %d tecken, inklusive bilage-URL." @@ -601,29 +700,6 @@ msgstr "Ladda upp" msgid "Crop" msgstr "Beskär" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "Det var ett problem med din sessions-token. Var vänlig försök igen." - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "Oväntat inskick av formulär." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "Välj ett kvadratiskt omrÃ¥de i bilden som din avatar" @@ -761,7 +837,8 @@ msgid "Couldn't delete email confirmation." msgstr "Kunde inte ta bort e-postbekräftelse." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Bekräfta adress" #: actions/confirmaddress.php:159 @@ -949,7 +1026,8 @@ msgstr "Ã…terställ till standardvärde" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "Spara" @@ -970,6 +1048,87 @@ msgstr "Lägg till i favoriter" msgid "No such document." msgstr "Inget sÃ¥dant dokument." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "Du mÃ¥ste vara inloggad för att redigera en grupp." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Du är inte en medlem i denna grupp." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "Ingen sÃ¥dan notis." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "Det var ett problem med din sessions-token." + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "Använd detta formulär för att redigera gruppen." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "Samma som lösenordet ovan. MÃ¥ste fyllas i." + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "Fullständigt namn är för lÃ¥ngt (max 255 tecken)." + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "Beskrivning" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "Avatar-URL ‘%s’ är inte giltig." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "Beskrivning av plats är för lÃ¥ng (max 255 tecken)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +#, fuzzy +msgid "Callback URL is not valid." +msgstr "Avatar-URL ‘%s’ är inte giltig." + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "Kunde inte uppdatera grupp." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1040,7 +1199,8 @@ msgstr "" "skräppostkorg!) efter ett meddelande med vidare instruktioner." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "Avbryt" @@ -1724,7 +1884,7 @@ msgstr "Personligt meddelande" msgid "Optionally add a personal message to the invitation." msgstr "Om du vill, skriv ett personligt meddelande till inbjudan." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "Skicka" @@ -1807,17 +1967,6 @@ msgstr "Logga in" msgid "Login to site" msgstr "Logga in pÃ¥ webbplatsen" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "Smeknamn" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Lösenord" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "Kom ihÃ¥g mig" @@ -1870,6 +2019,29 @@ msgstr "Kan inte göra %s till en administratör för grupp %s" msgid "No current status" msgstr "Ingen aktuell status" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "Du mÃ¥ste vara inloggad för att skapa en grupp." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "Använd detta formulär för att skapa en ny grupp." + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "Kunde inte skapa alias." + #: actions/newgroup.php:53 msgid "New group" msgstr "Ny grupp" @@ -1984,6 +2156,51 @@ msgstr "Knuff sänd" msgid "Nudge sent!" msgstr "Knuff sänd!" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "Du mÃ¥ste vara inloggad för att redigera en grupp." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "Övriga alternativ" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "Du är inte en medlem i den gruppen." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "Notisen har ingen profil" @@ -2001,8 +2218,8 @@ msgstr "innehÃ¥llstyp " msgid "Only " msgstr "Bara " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "Ett dataformat som inte stödjs" @@ -2015,7 +2232,8 @@ msgid "Notice Search" msgstr "Notissökning" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "Övriga inställningar" #: actions/othersettings.php:71 @@ -2337,7 +2555,7 @@ msgid "Full name" msgstr "Fullständigt namn" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "Hemsida" @@ -2934,6 +3152,85 @@ msgstr "Du kan inte flytta användare till sandlÃ¥dan pÃ¥ denna webbplats." msgid "User is already sandboxed." msgstr "Användare är redan flyttad till sandlÃ¥dan." +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "Du mÃ¥ste vara inloggad för att lämna en grupp." + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "Notisen har ingen profil" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +#, fuzzy +msgid "Name" +msgstr "Smeknamn" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "Numrering av sidor" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "Beskrivning" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "Statistik" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +#, fuzzy +msgid "Authorize URL" +msgstr "Författare" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Kunde inte hämta favoritnotiser." @@ -3039,10 +3336,6 @@ msgstr "(Ingen)" msgid "All members" msgstr "Alla medlemmar" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "Statistik" - #: actions/showgroup.php:432 msgid "Created" msgstr "Skapad" @@ -3952,11 +4245,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -#, fuzzy -msgid "Name" -msgstr "Smeknamn" - #: actions/version.php:196 lib/action.php:741 #, fuzzy msgid "Version" @@ -3967,10 +4255,6 @@ msgstr "Sessioner" msgid "Author(s)" msgstr "Författare" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "Beskrivning" - #: classes/File.php:144 #, php-format msgid "" @@ -4130,10 +4414,6 @@ msgstr "Hem" msgid "Personal profile and friends timeline" msgstr "Personlig profil och vänners tidslinje" -#: lib/action.php:435 -msgid "Account" -msgstr "Konto" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "Ändra din e-post, avatar, lösenord, profil" @@ -4288,10 +4568,6 @@ msgstr "Senare" msgid "Before" msgstr "Tidigare" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "Det var ett problem med din sessions-token." - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "Du kan inte göra förändringar av denna webbplats." @@ -4325,6 +4601,72 @@ msgstr "Konfiguration av utseende" msgid "Paths configuration" msgstr "Konfiguration av sökvägar" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Beskriv gruppen eller ämnet med högst %d tecken" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "Beskriv gruppen eller ämnet" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "Källa" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "URL till gruppen eller ämnets hemsida eller blogg" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "URL till gruppen eller ämnets hemsida eller blogg" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "Ta bort" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "Bilagor" @@ -4643,6 +4985,15 @@ msgstr "Uppdateringar via snabbmeddelande (IM)" msgid "Updates by SMS" msgstr "Uppdateringar via SMS" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "Anslut" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "Databasfel" @@ -5163,10 +5514,6 @@ msgid "Do not share my location" msgstr "Dela din plats" #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5520,47 +5867,47 @@ msgstr "Meddelande" msgid "Moderate" msgstr "Moderera" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "ett par sekunder sedan" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "för nÃ¥n minut sedan" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "för %d minuter sedan" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "för en timma sedan" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "för %d timmar sedan" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "för en dag sedan" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "för %d dagar sedan" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "för en mÃ¥nad sedan" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "för %d mÃ¥nader sedan" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "för ett Ã¥r sedan" diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index 72ed8daaf..d7ec8c7e5 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:06:12+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:42:37+0000\n" "Language-Team: Telugu\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: out-statusnet\n" @@ -33,7 +33,7 @@ msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ పేజీ లేదà±" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -145,7 +145,7 @@ msgstr "నిరà±à°§à°¾à°°à°£ సంకేతం కనబడలేదà±." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "" @@ -176,8 +176,9 @@ msgstr "à°ªà±à°°à±Šà°«à±ˆà°²à±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°²à±‡à°•à±à°¨à± #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -323,7 +324,8 @@ msgstr "à°† పేరà±à°¨à°¿ ఇపà±à°ªà°Ÿà°¿à°•à±‡ వాడà±à°¤à±à°¨à± msgid "Not a valid nickname." msgstr "సరైన పేరౠకాదà±." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -335,7 +337,8 @@ msgstr "హోమౠపేజీ URL సరైనది కాదà±." msgid "Full name is too long (max 255 chars)." msgstr "పూరà±à°¤à°¿ పేరౠచాలా పెదà±à°¦à°—à°¾ ఉంది (à°—à°°à°¿à°·à±à° à°‚à°—à°¾ 255 à°…à°•à±à°·à°°à°¾à°²à±)." -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "వివరణ చాలా పెదà±à°¦à°—à°¾ ఉంది (%d à°…à°•à±à°·à°°à°¾à°²à± à°—à°°à°¿à°·à±à° à°‚)." @@ -412,6 +415,101 @@ msgstr "%s à°—à±à°‚à°ªà±à°²à±" msgid "groups on %s" msgstr "%s పై à°—à±à°‚à°ªà±à°²à±" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "" + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "వాడà±à°•à°°à°¿à°ªà±‡à°°à± లేదా సంకేతపదం తపà±à°ªà±." + +#: actions/apioauthauthorize.php:170 +msgid "DB error deleting OAuth app user." +msgstr "" + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "అవతారానà±à°¨à°¿ పెటà±à°Ÿà°¡à°‚లో పొరపాటà±" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "" + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "ఖాతా" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "పేరà±" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "సంకేతపదం" + +#: actions/apioauthauthorize.php:338 +#, fuzzy +msgid "Deny" +msgstr "రూపà±à°°à±‡à°–à°²à±" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "à°…à°¨à±à°¨à±€" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "" @@ -443,17 +541,17 @@ msgstr "à°¸à±à°¥à°¿à°¤à°¿à°¨à°¿ తొలగించాం." msgid "No status with that ID found." msgstr "" -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "అది చాలా పొడవà±à°‚ది. à°—à°°à°¿à°·à±à°  నోటీసౠపరిమాణం %d à°…à°•à±à°·à°°à°¾à°²à±." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "దొరకలేదà±" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "à°—à°°à°¿à°·à±à°  నోటీసౠపొడవౠ%d à°…à°•à±à°·à°°à°¾à°²à±, జోడింపౠURLని à°•à°²à±à°ªà±à°•à±à°¨à°¿." @@ -598,29 +696,6 @@ msgstr "à°Žà°—à±à°®à°¤à°¿à°‚à°šà±" msgid "Crop" msgstr "à°•à°¤à±à°¤à°¿à°°à°¿à°‚à°šà±" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "" - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "" - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "మీ అవతారానికి గానూ à°ˆ à°šà°¿à°¤à±à°°à°‚ à°¨à±à°‚à°¡à°¿ à°’à°• à°šà°¤à±à°°à°¸à±à°°à°ªà± à°ªà±à°°à°¦à±‡à°¶à°¾à°¨à±à°¨à°¿ à°Žà°‚à°šà±à°•à±‹à°‚à°¡à°¿" @@ -756,7 +831,8 @@ msgid "Couldn't delete email confirmation." msgstr "ఈమెయిలౠనిరà±à°§à°¾à°°à°£à°¨à°¿ తొలగించలేకà±à°¨à±à°¨à°¾à°‚." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "à°šà°¿à°°à±à°¨à°¾à°®à°¾à°¨à°¿ నిరà±à°§à°¾à°°à°¿à°‚à°šà±" #: actions/confirmaddress.php:159 @@ -940,7 +1016,8 @@ msgstr "" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "à°­à°¦à±à°°à°ªà°°à°šà±" @@ -961,6 +1038,86 @@ msgstr "ఇషà±à°Ÿà°¾à°‚శాలకౠచేరà±à°šà±" msgid "No such document." msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ పతà±à°°à°®à±‡à°®à±€ లేదà±." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "à°—à±à°‚à°ªà±à°¨à°¿ మారà±à°šà°¡à°¾à°¨à°¿à°•à°¿ మీరౠపà±à°°à°µà±‡à°¶à°¿à°‚à°šà°¿ ఉండాలి." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "మీరౠఈ à°—à±à°‚à°ªà±à°²à±‹ సభà±à°¯à±à°²à± కాదà±." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ సందేశమేమీ లేదà±." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "à°—à±à°‚à°ªà±à°¨à°¿ మారà±à°šà°¡à°¾à°¨à°¿à°•à°¿ à°ˆ ఫారానà±à°¨à°¿ ఉపయోగించండి." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "పై సంకేతపదం మరోసారి. తపà±à°ªà°¨à°¿à°¸à°°à°¿." + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "పూరà±à°¤à°¿ పేరౠచాలా పెదà±à°¦à°—à°¾ ఉంది (à°—à°°à°¿à°·à±à° à°‚à°—à°¾ 255 à°…à°•à±à°·à°°à°¾à°²à±)." + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "వివరణ" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "హోమౠపేజీ URL సరైనది కాదà±." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "à°ªà±à°°à°¾à°‚తం పేరౠమరీ పెదà±à°¦à°—à°¾ ఉంది (255 à°…à°•à±à°·à°°à°¾à°²à± à°—à°°à°¿à°·à±à° à°‚)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "à°—à±à°‚à°ªà±à°¨à°¿ తాజాకరించలేకà±à°¨à±à°¨à°¾à°‚." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1027,7 +1184,8 @@ msgid "" msgstr "" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "à°°à°¦à±à°¦à±à°šà±‡à°¯à°¿" @@ -1669,7 +1827,7 @@ msgstr "à°µà±à°¯à°•à±à°¤à°¿à°—à°¤ సందేశం" msgid "Optionally add a personal message to the invitation." msgstr "à°à°šà±à°›à°¿à°•à°‚à°—à°¾ ఆహà±à°µà°¾à°¨à°¾à°¨à°¿à°•à°¿ à°µà±à°¯à°•à±à°¤à°¿à°—à°¤ సందేశం చేరà±à°šà°‚à°¡à°¿." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "పంపించà±" @@ -1752,17 +1910,6 @@ msgstr "à°ªà±à°°à°µà±‡à°¶à°¿à°‚à°šà°‚à°¡à°¿" msgid "Login to site" msgstr "సైటౠలోనికి à°ªà±à°°à°µà±‡à°¶à°¿à°‚à°šà±" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "పేరà±" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "సంకేతపదం" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "ననà±à°¨à± à°—à±à°°à±à°¤à±à°‚à°šà±à°•à±‹" @@ -1814,6 +1961,29 @@ msgstr "%s ఇపà±à°ªà°Ÿà°¿à°•à±‡ \"%s\" à°—à±à°‚పౠయొకà±à°• à°’ msgid "No current status" msgstr "à°ªà±à°°à°¸à±à°¤à±à°¤ à°¸à±à°¥à°¿à°¤à°¿ à°à°®à±€ లేదà±" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "à°—à±à°‚à°ªà±à°¨à°¿ సృషà±à°Ÿà°¿à°‚చడానికి మీరౠలోనికి à°ªà±à°°à°µà±‡à°¶à°¿à°‚చాలి." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "కొతà±à°¤ à°—à±à°‚à°ªà±à°¨à°¿ సృషà±à°Ÿà°¿à°‚డానికి à°ˆ ఫారానà±à°¨à°¿ ఉపయోగించండి." + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "మారà±à°ªà±‡à°°à±à°²à°¨à°¿ సృషà±à°Ÿà°¿à°‚చలేకపోయాం." + #: actions/newgroup.php:53 msgid "New group" msgstr "కొతà±à°¤ à°—à±à°‚à°ªà±" @@ -1921,6 +2091,51 @@ msgstr "" msgid "Nudge sent!" msgstr "" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "à°—à±à°‚à°ªà±à°¨à°¿ మారà±à°šà°¡à°¾à°¨à°¿à°•à°¿ మీరౠపà±à°°à°µà±‡à°¶à°¿à°‚à°šà°¿ ఉండాలి." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "ఇతర ఎంపికలà±" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "మీరౠఆ à°—à±à°‚à°ªà±à°²à±‹ సభà±à°¯à±à°²à± కాదà±." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "" @@ -1938,8 +2153,8 @@ msgstr "విషయ à°°à°•à°‚ " msgid "Only " msgstr "మాతà±à°°à°®à±‡ " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "" @@ -1952,7 +2167,8 @@ msgid "Notice Search" msgstr "నోటీసà±à°² à°…à°¨à±à°µà±‡à°·à°£" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "ఇతర అమరికలà±" #: actions/othersettings.php:71 @@ -2279,7 +2495,7 @@ msgid "Full name" msgstr "పూరà±à°¤à°¿ పేరà±" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "హోమౠపేజీ" @@ -2847,6 +3063,83 @@ msgstr "మీరౠఇపà±à°ªà°Ÿà°¿à°•à±‡ లోనికి à°ªà±à°°à°µà±‡ msgid "User is already sandboxed." msgstr "వాడà±à°•à°°à°¿à°¨à°¿ ఇపà±à°ªà°Ÿà°¿à°•à±‡ à°—à±à°‚à°ªà±à°¨à±à°‚à°¡à°¿ నిరోధించారà±." +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "à°—à±à°‚à°ªà±à°¨à°¿ వదిలివెళà±à°³à°¡à°¾à°¨à°¿à°•à°¿ మీరౠపà±à°°à°µà±‡à°¶à°¿à°‚à°šà°¿ ఉండాలి." + +#: actions/showapplication.php:158 +msgid "Application profile" +msgstr "" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +msgid "Name" +msgstr "పేరà±" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "పేజీకరణ" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "వివరణ" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "గణాంకాలà±" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +#, fuzzy +msgid "Authorize URL" +msgstr "రచయిత" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "" @@ -2952,10 +3245,6 @@ msgstr "(à°à°®à±€à°²à±‡à°¦à±)" msgid "All members" msgstr "అందరౠసభà±à°¯à±à°²à±‚" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "గణాంకాలà±" - #: actions/showgroup.php:432 msgid "Created" msgstr "సృషà±à°Ÿà°¿à°¤à°‚" @@ -3828,10 +4117,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -msgid "Name" -msgstr "పేరà±" - #: actions/version.php:196 lib/action.php:741 #, fuzzy msgid "Version" @@ -3841,10 +4126,6 @@ msgstr "à°µà±à°¯à°•à±à°¤à°¿à°—à°¤" msgid "Author(s)" msgstr "రచయిత(à°²à±)" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "వివరణ" - #: classes/File.php:144 #, php-format msgid "" @@ -4002,10 +4283,6 @@ msgstr "à°®à±à°‚గిలి" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 -msgid "Account" -msgstr "ఖాతా" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "మీ ఈమెయిలà±, అవతారం, సంకేతపదం మరియౠపà±à°°à±Œà°«à±ˆà°³à±à°³à°¨à± మారà±à°šà±à°•à±‹à°‚à°¡à°¿" @@ -4165,10 +4442,6 @@ msgstr "తరà±à°µà°¾à°¤" msgid "Before" msgstr "ఇంతకà±à°°à°¿à°¤à°‚" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "" - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "à°ˆ సైటà±à°•à°¿ మీరౠమారà±à°ªà±à°²à± చేయలేరà±." @@ -4203,6 +4476,72 @@ msgstr "SMS నిరà±à°§à°¾à°°à°£" msgid "Paths configuration" msgstr "SMS నిరà±à°§à°¾à°°à°£" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "మీ à°—à±à°°à°¿à°‚à°šà°¿ మరియౠమీ ఆసకà±à°¤à±à°² à°—à±à°°à°¿à°‚à°šà°¿ 140 à°…à°•à±à°·à°°à°¾à°²à±à°²à±‹ చెపà±à°ªà°‚à°¡à°¿" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "మీ à°—à±à°°à°¿à°‚à°šà°¿ మరియౠమీ ఆసకà±à°¤à±à°² à°—à±à°°à°¿à°‚à°šà°¿ 140 à°…à°•à±à°·à°°à°¾à°²à±à°²à±‹ చెపà±à°ªà°‚à°¡à°¿" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "మూలమà±" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "మీ హోమౠపేజీ, à°¬à±à°²à°¾à°—à±, లేదా వేరే సేటà±à°²à±‹à°¨à°¿ మీ à°ªà±à°°à±Šà°«à±ˆà°²à± యొకà±à°• à°šà°¿à°°à±à°¨à°¾à°®à°¾" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "మీ హోమౠపేజీ, à°¬à±à°²à°¾à°—à±, లేదా వేరే సేటà±à°²à±‹à°¨à°¿ మీ à°ªà±à°°à±Šà°«à±ˆà°²à± యొకà±à°• à°šà°¿à°°à±à°¨à°¾à°®à°¾" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "తొలగించà±" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "జోడింపà±à°²à±" @@ -4530,6 +4869,15 @@ msgstr "" msgid "Updates by SMS" msgstr "" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "à°…à°¨à±à°¸à°‚ధానించà±" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "" @@ -5041,10 +5389,6 @@ msgid "Do not share my location" msgstr "à°Ÿà±à°¯à°¾à°—à±à°²à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°²à±‡à°•à±à°¨à±à°¨à°¾à°‚." #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5412,47 +5756,47 @@ msgstr "సందేశం" msgid "Moderate" msgstr "" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "కొనà±à°¨à°¿ à°•à±à°·à°£à°¾à°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "à°“ నిమిషం à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "%d నిమిషాల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "à°’à°• à°—à°‚à°Ÿ à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "%d à°—à°‚à°Ÿà°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "à°“ రోజౠకà±à°°à°¿à°¤à°‚" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "%d రోజà±à°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "à°“ నెల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "%d నెలల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "à°’à°• సంవతà±à°¸à°°à°‚ à°•à±à°°à°¿à°¤à°‚" diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index c45612030..1fb38bde3 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:06:15+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:42:40+0000\n" "Language-Team: Turkish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: out-statusnet\n" @@ -34,7 +34,7 @@ msgstr "Böyle bir durum mesajı yok." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -147,7 +147,7 @@ msgstr "Onay kodu bulunamadı." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "" @@ -178,8 +178,9 @@ msgstr "Profil kaydedilemedi." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -329,7 +330,8 @@ msgstr "Takma ad kullanımda. BaÅŸka bir tane deneyin." msgid "Not a valid nickname." msgstr "Geçersiz bir takma ad." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -341,7 +343,8 @@ msgstr "BaÅŸlangıç sayfası adresi geçerli bir URL deÄŸil." msgid "Full name is too long (max 255 chars)." msgstr "Tam isim çok uzun (azm: 255 karakter)." -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "Hakkında bölümü çok uzun (azm 140 karakter)." @@ -421,6 +424,101 @@ msgstr "" msgid "groups on %s" msgstr "" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "" + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "Geçersiz kullanıcı adı veya parola." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "Kullanıcı ayarlamada hata oluÅŸtu." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "Cevap eklenirken veritabanı hatası: %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "BeklenmeÄŸen form girdisi." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +#, fuzzy +msgid "Account" +msgstr "Hakkında" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "Takma ad" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Parola" + +#: actions/apioauthauthorize.php:338 +msgid "Deny" +msgstr "" + +#: actions/apioauthauthorize.php:344 +msgid "Allow" +msgstr "" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "" @@ -453,18 +551,18 @@ msgstr "Avatar güncellendi." msgid "No status with that ID found." msgstr "" -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Max notice size is %d chars." msgstr "" "Ah, durumunuz biraz uzun kaçtı. Azami 180 karaktere sığdırmaya ne dersiniz?" -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -612,29 +710,6 @@ msgstr "Yükle" msgid "Crop" msgstr "" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "" - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "BeklenmeÄŸen form girdisi." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "" @@ -776,7 +851,8 @@ msgid "Couldn't delete email confirmation." msgstr "Eposta onayı silinemedi." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Adresi Onayla" #: actions/confirmaddress.php:159 @@ -973,7 +1049,8 @@ msgstr "" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "Kaydet" @@ -994,6 +1071,83 @@ msgstr "" msgid "No such document." msgstr "Böyle bir belge yok." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +msgid "You must be logged in to edit an application." +msgstr "" + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Bize o profili yollamadınız" + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "Böyle bir durum mesajı yok." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/editapplication.php:161 +msgid "Use this form to edit your application." +msgstr "" + +#: actions/editapplication.php:177 actions/newapplication.php:159 +msgid "Name is required." +msgstr "" + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "Tam isim çok uzun (azm: 255 karakter)." + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "Abonelikler" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "BaÅŸlangıç sayfası adresi geçerli bir URL deÄŸil." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "Yer bilgisi çok uzun (azm: 255 karakter)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "Kullanıcı güncellenemedi." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1064,7 +1218,8 @@ msgid "" msgstr "" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "Ä°ptal et" @@ -1740,7 +1895,7 @@ msgstr "" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "Gönder" @@ -1825,17 +1980,6 @@ msgstr "GiriÅŸ" msgid "Login to site" msgstr "" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "Takma ad" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Parola" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "Beni hatırla" @@ -1890,6 +2034,27 @@ msgstr "Kullanıcının profili yok." msgid "No current status" msgstr "" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +msgid "You must be logged in to register an application." +msgstr "" + +#: actions/newapplication.php:143 +msgid "Use this form to register a new application." +msgstr "" + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "Avatar bilgisi kaydedilemedi" + #: actions/newgroup.php:53 msgid "New group" msgstr "" @@ -1997,6 +2162,49 @@ msgstr "" msgid "Nudge sent!" msgstr "" +#: actions/oauthappssettings.php:59 +msgid "You must be logged in to list your applications." +msgstr "" + +#: actions/oauthappssettings.php:74 +msgid "OAuth applications" +msgstr "" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "Bize o profili yollamadınız" + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "Bu durum mesajının ait oldugu kullanıcı profili yok" @@ -2015,8 +2223,8 @@ msgstr "BaÄŸlan" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "" @@ -2030,7 +2238,7 @@ msgstr "" #: actions/othersettings.php:60 #, fuzzy -msgid "Other Settings" +msgid "Other settings" msgstr "Ayarlar" #: actions/othersettings.php:71 @@ -2367,7 +2575,7 @@ msgid "Full name" msgstr "Tam Ä°sim" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "BaÅŸlangıç Sayfası" @@ -2945,6 +3153,84 @@ msgstr "Bize o profili yollamadınız" msgid "User is already sandboxed." msgstr "Kullanıcının profili yok." +#: actions/showapplication.php:82 +msgid "You must be logged in to view an application." +msgstr "" + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "Bu durum mesajının ait oldugu kullanıcı profili yok" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +#, fuzzy +msgid "Name" +msgstr "Takma ad" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "Yer" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#, fuzzy +msgid "Description" +msgstr "Abonelikler" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "Ä°statistikler" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +msgid "Authorize URL" +msgstr "" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "" @@ -3053,10 +3339,6 @@ msgstr "" msgid "All members" msgstr "" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "Ä°statistikler" - #: actions/showgroup.php:432 #, fuzzy msgid "Created" @@ -3948,11 +4230,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -#, fuzzy -msgid "Name" -msgstr "Takma ad" - #: actions/version.php:196 lib/action.php:741 #, fuzzy msgid "Version" @@ -3962,11 +4239,6 @@ msgstr "KiÅŸisel" msgid "Author(s)" msgstr "" -#: actions/version.php:198 lib/groupeditform.php:172 -#, fuzzy -msgid "Description" -msgstr "Abonelikler" - #: classes/File.php:144 #, php-format msgid "" @@ -4126,11 +4398,6 @@ msgstr "BaÅŸlangıç" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 -#, fuzzy -msgid "Account" -msgstr "Hakkında" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "" @@ -4295,10 +4562,6 @@ msgstr "« Sonra" msgid "Before" msgstr "Önce »" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "" - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "" @@ -4334,6 +4597,74 @@ msgstr "Eposta adresi onayı" msgid "Paths configuration" msgstr "Eposta adresi onayı" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Kendinizi ve ilgi alanlarınızı 140 karakter ile anlatın" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "Kendinizi ve ilgi alanlarınızı 140 karakter ile anlatın" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "Kaynak" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "" +"Web Sitenizin, blogunuzun ya da varsa baÅŸka bir sitedeki profilinizin adresi" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "" +"Web Sitenizin, blogunuzun ya da varsa baÅŸka bir sitedeki profilinizin adresi" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "Kaldır" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "" @@ -4658,6 +4989,15 @@ msgstr "" msgid "Updates by SMS" msgstr "" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "BaÄŸlan" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "" @@ -5182,10 +5522,6 @@ msgid "Do not share my location" msgstr "Profil kaydedilemedi." #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5560,47 +5896,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "birkaç saniye önce" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "yaklaşık bir dakika önce" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "yaklaşık %d dakika önce" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "yaklaşık bir saat önce" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "yaklaşık %d saat önce" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "yaklaşık bir gün önce" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "yaklaşık %d gün önce" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "yaklaşık bir ay önce" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "yaklaşık %d ay önce" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "yaklaşık bir yıl önce" diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index 49e8ae309..051e89af5 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:06:18+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:42:43+0000\n" "Language-Team: Ukrainian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: out-statusnet\n" @@ -36,7 +36,7 @@ msgstr "Ðемає такої Ñторінки" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -153,7 +153,7 @@ msgstr "API метод не знайдено." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "Цей метод потребує POST." @@ -183,8 +183,9 @@ msgstr "Ðе вдалоÑÑ Ð·Ð±ÐµÑ€ÐµÐ³Ñ‚Ð¸ профіль." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -329,7 +330,8 @@ msgstr "Це Ñ–Ð¼â€™Ñ Ð²Ð¶Ðµ викориÑтовуєтьÑÑ. Спробуйт msgid "Not a valid nickname." msgstr "Це недійÑне Ñ–Ð¼â€™Ñ ÐºÐ¾Ñ€Ð¸Ñтувача." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -341,7 +343,8 @@ msgstr "Веб-Ñторінка має недійÑну URL-адреÑу." msgid "Full name is too long (max 255 chars)." msgstr "Повне Ñ–Ð¼â€™Ñ Ð·Ð°Ð´Ð¾Ð²Ð³Ðµ (255 знаків макÑимум)" -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." msgstr "ÐžÐ¿Ð¸Ñ Ð½Ð°Ð´Ñ‚Ð¾ довгий (%d знаків макÑимум)." @@ -418,6 +421,103 @@ msgstr "%s групи" msgid "groups on %s" msgstr "групи на %s" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "" +"Виникли певні проблеми з токеном поточної ÑеÑÑ–Ñ—. Спробуйте знов, будь лаÑка." + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "ÐедійÑне Ñ–Ð¼â€™Ñ Ð°Ð±Ð¾ пароль." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "Помилка в налаштуваннÑÑ… кориÑтувача." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "Помилка бази даних при додаванні теґу: %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "ÐеÑподіване предÑÑ‚Ð°Ð²Ð»ÐµÐ½Ð½Ñ Ñ„Ð¾Ñ€Ð¼Ð¸." + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "Ðкаунт" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "Ð†Ð¼â€™Ñ ÐºÐ¾Ñ€Ð¸Ñтувача" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Пароль" + +#: actions/apioauthauthorize.php:338 +#, fuzzy +msgid "Deny" +msgstr "Дизайн" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "Ð’ÑÑ–" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "Цей метод потребує або ÐÐПИСÐТИ, або ВИДÐЛИТИ." @@ -447,17 +547,17 @@ msgstr "Ð¡Ñ‚Ð°Ñ‚ÑƒÑ Ð²Ð¸Ð´Ð°Ð»ÐµÐ½Ð¾." msgid "No status with that ID found." msgstr "Ðе знайдено жодних ÑтатуÑів з таким ID." -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Ðадто довго. МакÑимальний розмір допиÑу — %d знаків." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "Ðе знайдено" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -603,30 +703,6 @@ msgstr "Завантажити" msgid "Crop" msgstr "Ð’Ñ‚Ñти" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "" -"Виникли певні проблеми з токеном поточної ÑеÑÑ–Ñ—. Спробуйте знов, будь лаÑка." - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "ÐеÑподіване предÑÑ‚Ð°Ð²Ð»ÐµÐ½Ð½Ñ Ñ„Ð¾Ñ€Ð¼Ð¸." - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "Оберіть квадратну ділÑнку зображеннÑ, Ñка й буде Вашою автарою." @@ -763,7 +839,8 @@ msgid "Couldn't delete email confirmation." msgstr "Ðе вдалоÑÑ Ð²Ð¸Ð´Ð°Ð»Ð¸Ñ‚Ð¸ Ð¿Ñ–Ð´Ñ‚Ð²ÐµÑ€Ð´Ð¶ÐµÐ½Ð½Ñ Ð¿Ð¾ÑˆÑ‚Ð¾Ð²Ð¾Ñ— адреÑи." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Підтвердити адреÑу" #: actions/confirmaddress.php:159 @@ -949,7 +1026,8 @@ msgstr "ПовернутиÑÑŒ до початкових налаштувань" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "Зберегти" @@ -970,6 +1048,87 @@ msgstr "Додати до обраних" msgid "No such document." msgstr "Такого документа немає." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "Ви маєте Ñпочатку увійти, аби мати змогу редагувати групу." + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Ви не Ñ” учаÑником цієї групи." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "Такого допиÑу немає." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "Виникли певні проблеми з токеном поточної ÑеÑÑ–Ñ—." + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "СкориÑтайтеÑÑŒ цією формою, щоб відредагувати групу." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "Такий Ñамо, Ñк Ñ– пароль вище. Ðеодмінно." + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "Повне Ñ–Ð¼â€™Ñ Ð·Ð°Ð´Ð¾Ð²Ð³Ðµ (255 знаків макÑимум)" + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "ОпиÑ" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "URL-адреÑа автари ‘%s’ помилкова." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "Ð›Ð¾ÐºÐ°Ñ†Ñ–Ñ Ð½Ð°Ð´Ñ‚Ð¾ довга (255 знаків макÑимум)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +#, fuzzy +msgid "Callback URL is not valid." +msgstr "URL-адреÑа автари ‘%s’ помилкова." + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "Ðе вдалоÑÑ Ð¾Ð½Ð¾Ð²Ð¸Ñ‚Ð¸ групу." + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1038,7 +1197,8 @@ msgstr "" "Ñпамом також!), там має бути Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ð· подальшими інÑтрукціÑми." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "СкаÑувати" @@ -1717,7 +1877,7 @@ msgstr "ОÑобиÑÑ‚Ñ– повідомленнÑ" msgid "Optionally add a personal message to the invitation." msgstr "Можна додати перÑональне Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ð´Ð¾ Ð·Ð°Ð¿Ñ€Ð¾ÑˆÐµÐ½Ð½Ñ (опціонально)." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "Так!" @@ -1827,17 +1987,6 @@ msgstr "Увійти" msgid "Login to site" msgstr "Вхід на Ñайт" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "Ð†Ð¼â€™Ñ ÐºÐ¾Ñ€Ð¸Ñтувача" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Пароль" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "Пам’Ñтати мене" @@ -1893,6 +2042,29 @@ msgstr "Ðе можна надати %1$s права адміна в групі msgid "No current status" msgstr "ÐÑ–Ñкого поточного ÑтатуÑу" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "Ви маєте Ñпочатку увійти, аби мати змогу Ñтворити групу." + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "СкориÑтайтеÑÑŒ цією формою Ð´Ð»Ñ ÑÑ‚Ð²Ð¾Ñ€ÐµÐ½Ð½Ñ Ð½Ð¾Ð²Ð¾Ñ— групи." + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "Ðеможна призначити додаткові імена." + #: actions/newgroup.php:53 msgid "New group" msgstr "Ðова група" @@ -2006,6 +2178,51 @@ msgstr "Спробу «розштовхати» зараховано" msgid "Nudge sent!" msgstr "Спробу «розштовхати» зараховано!" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "Ви маєте Ñпочатку увійти, аби мати змогу редагувати групу." + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "Інші опції" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "Ви не Ñ” учаÑником цієї групи." + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "Ð”Ð¾Ð¿Ð¸Ñ Ð½Ðµ має профілю" @@ -2023,8 +2240,8 @@ msgstr "тип зміÑту " msgid "Only " msgstr "Лише " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "Такий формат даних не підтримуєтьÑÑ." @@ -2037,7 +2254,8 @@ msgid "Notice Search" msgstr "Пошук допиÑів" #: actions/othersettings.php:60 -msgid "Other Settings" +#, fuzzy +msgid "Other settings" msgstr "Інші опції" #: actions/othersettings.php:71 @@ -2356,7 +2574,7 @@ msgid "Full name" msgstr "Повне ім’Ñ" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "Веб-Ñторінка" @@ -2964,6 +3182,84 @@ msgstr "Ви не можете нікого ізолювати на цьому msgid "User is already sandboxed." msgstr "КориÑтувача ізольовано доки наберетьÑÑ ÑƒÐ¼Ñƒ-розуму." +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "Ви повинні Ñпочатку увійти на Ñайт, аби залишити групу." + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "Ð”Ð¾Ð¿Ð¸Ñ Ð½Ðµ має профілю" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +msgid "Name" +msgstr "Ім’Ñ" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "ÐÑƒÐ¼ÐµÑ€Ð°Ñ†Ñ–Ñ Ñторінок" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "ОпиÑ" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "СтатиÑтика" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +#, fuzzy +msgid "Authorize URL" +msgstr "Ðвтор" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Ðе можна відновити обрані допиÑи." @@ -3077,10 +3373,6 @@ msgstr "(ПуÑто)" msgid "All members" msgstr "Ð’ÑÑ– учаÑники" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "СтатиÑтика" - #: actions/showgroup.php:432 msgid "Created" msgstr "Створено" @@ -4005,10 +4297,6 @@ msgstr "" msgid "Plugins" msgstr "Додатки" -#: actions/version.php:195 -msgid "Name" -msgstr "Ім’Ñ" - #: actions/version.php:196 lib/action.php:741 msgid "Version" msgstr "ВерÑÑ–Ñ" @@ -4017,10 +4305,6 @@ msgstr "ВерÑÑ–Ñ" msgid "Author(s)" msgstr "Ðвтор(и)" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "ОпиÑ" - #: classes/File.php:144 #, php-format msgid "" @@ -4041,19 +4325,16 @@ msgid "A file this large would exceed your monthly quota of %d bytes." msgstr "Розміри цього файлу перевищують Вашу міÑÑчну квоту на %d байтів." #: classes/Group_member.php:41 -#, fuzzy msgid "Group join failed." -msgstr "Профіль групи" +msgstr "Ðе вдалоÑÑ Ð¿Ñ€Ð¸Ñ”Ð´Ð½Ð°Ñ‚Ð¸ÑÑŒ до групи." #: classes/Group_member.php:53 -#, fuzzy msgid "Not part of group." -msgstr "Ðе вдалоÑÑ Ð¾Ð½Ð¾Ð²Ð¸Ñ‚Ð¸ групу." +msgstr "Ðе Ñ” чаÑтиною групи." #: classes/Group_member.php:60 -#, fuzzy msgid "Group leave failed." -msgstr "Профіль групи" +msgstr "Ðе вдалоÑÑ Ð·Ð°Ð»Ð¸ÑˆÐ¸Ñ‚Ð¸ групу." #: classes/Login_token.php:76 #, php-format @@ -4180,10 +4461,6 @@ msgstr "Дім" msgid "Personal profile and friends timeline" msgstr "ПерÑональний профіль Ñ– Ñтрічка друзів" -#: lib/action.php:435 -msgid "Account" -msgstr "Ðкаунт" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "Змінити електронну адреÑу, аватару, пароль, профіль" @@ -4338,10 +4615,6 @@ msgstr "Вперед" msgid "Before" msgstr "Ðазад" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "Виникли певні проблеми з токеном поточної ÑеÑÑ–Ñ—." - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "Ви не можете щоÑÑŒ змінювати на цьому Ñайті." @@ -4374,6 +4647,72 @@ msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ Ð´Ð¸Ð·Ð°Ð¹Ð½Ñƒ" msgid "Paths configuration" msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÑˆÐ»Ñху" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Опишіть групу або тему, вкладаючиÑÑŒ у %d знаків" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "Опишіть групу або тему" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "Джерело" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "URL-адреÑа веб-Ñторінки, блоґу групи, або тематичного блоґу" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "URL-адреÑа веб-Ñторінки, блоґу групи, або тематичного блоґу" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "Видалити" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "ВкладеннÑ" @@ -4730,6 +5069,15 @@ msgstr "ÐžÐ½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð·Ð° допомогою Ñлужби миттєвих msgid "Updates by SMS" msgstr "ÐžÐ½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ñ‡ÐµÑ€ÐµÐ· СМС" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "З’єднаннÑ" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "Помилка бази даних" @@ -4921,9 +5269,9 @@ msgid "[%s]" msgstr "[%s]" #: lib/jabber.php:385 -#, fuzzy, php-format +#, php-format msgid "Unknown inbox source %d." -msgstr "Ðевідома мова «%s»." +msgstr "Ðевідоме джерело вхідного Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ %d." #: lib/joinform.php:114 msgid "Join" @@ -5319,14 +5667,12 @@ msgid "Do not share my location" msgstr "Приховувати мою локацію" #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "Сховати інформацію" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" msgstr "" +"Ðа жаль, Ð¾Ñ‚Ñ€Ð¸Ð¼Ð°Ð½Ð½Ñ Ñ–Ð½Ñ„Ð¾Ñ€Ð¼Ð°Ñ†Ñ–Ñ— щодо Вашого міÑÑ†ÐµÐ·Ð½Ð°Ñ…Ð¾Ð´Ð¶ÐµÐ½Ð½Ñ Ð·Ð°Ð¹Ð¼Ðµ більше " +"чаÑу, ніж очікувалоÑÑŒ; будь лаÑка, Ñпробуйте пізніше" #: lib/noticelist.php:428 #, php-format @@ -5675,47 +6021,47 @@ msgstr "ПовідомленнÑ" msgid "Moderate" msgstr "Модерувати" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "мить тому" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "хвилину тому" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "близько %d хвилин тому" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "годину тому" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "близько %d годин тому" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "день тому" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "близько %d днів тому" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "міÑÑць тому" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "близько %d міÑÑців тому" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "рік тому" diff --git a/locale/vi/LC_MESSAGES/statusnet.po b/locale/vi/LC_MESSAGES/statusnet.po index 82d4d2037..f8fc1cae4 100644 --- a/locale/vi/LC_MESSAGES/statusnet.po +++ b/locale/vi/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:06:21+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:42:47+0000\n" "Language-Team: Vietnamese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: vi\n" "X-Message-Group: out-statusnet\n" @@ -33,7 +33,7 @@ msgstr "Không có tin nhắn nào." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -146,7 +146,7 @@ msgstr "PhÆ°Æ¡ng thức API không tìm thấy!" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "PhÆ°Æ¡ng thức này yêu cầu là POST." @@ -177,8 +177,9 @@ msgstr "Không thể lÆ°u hồ sÆ¡ cá nhân." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -331,7 +332,8 @@ msgstr "Biệt hiệu này đã dùng rồi. Hãy nhập biệt hiệu khác." msgid "Not a valid nickname." msgstr "Biệt hiệu không hợp lệ." -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -343,7 +345,8 @@ msgstr "Trang chủ không phải là URL" msgid "Full name is too long (max 255 chars)." msgstr "Tên đầy đủ quá dài (tối Ä‘a là 255 ký tá»±)." -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "Lý lịch quá dài (không quá 140 ký tá»±)" @@ -423,6 +426,101 @@ msgstr "%s và nhóm" msgid "groups on %s" msgstr "Mã nhóm" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "Có lá»—i xảy ra khi thao tác. Hãy thá»­ lại lần nữa." + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "Tên đăng nhập hoặc mật khẩu không hợp lệ." + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "Lá»—i xảy ra khi tạo thành viên." + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "Lá»—i cÆ¡ sở dữ liệu khi chèn trả lá»i: %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "Bất ngá» gá»­i mẫu thông tin. " + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +#, fuzzy +msgid "Account" +msgstr "Giá»›i thiệu" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "Biệt danh" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Mật khẩu" + +#: actions/apioauthauthorize.php:338 +msgid "Deny" +msgstr "" + +#: actions/apioauthauthorize.php:344 +msgid "Allow" +msgstr "" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "PhÆ°Æ¡ng thức này yêu cầu là POST hoặc DELETE" @@ -455,17 +553,17 @@ msgstr "Hình đại diện đã được cập nhật." msgid "No status with that ID found." msgstr "Không tìm thấy trạng thái nào tÆ°Æ¡ng ứng vá»›i ID đó." -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Quá dài. Tối Ä‘a là 140 ký tá»±." -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "Không tìm thấy" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -617,29 +715,6 @@ msgstr "Tải file" msgid "Crop" msgstr "Nhóm" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "Có lá»—i xảy ra khi thao tác. Hãy thá»­ lại lần nữa." - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "Bất ngá» gá»­i mẫu thông tin. " - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "" @@ -780,7 +855,8 @@ msgid "Couldn't delete email confirmation." msgstr "Không thể xóa email xác nhận." #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "Xác nhận địa chỉ" #: actions/confirmaddress.php:159 @@ -984,7 +1060,8 @@ msgstr "" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "LÆ°u" @@ -1008,6 +1085,86 @@ msgstr "Tìm kiếm các tin nhắn Æ°a thích của %s" msgid "No such document." msgstr "Không có tài liệu nào." +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "Bạn phải đăng nhập vào má»›i có thể gá»­i thÆ° má»i những " + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Bạn chÆ°a cập nhật thông tin riêng" + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "Không có tin nhắn nào." + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +#, fuzzy +msgid "There was a problem with your session token." +msgstr "Có lá»—i xảy ra khi thao tác. Hãy thá»­ lại lần nữa." + +#: actions/editapplication.php:161 +msgid "Use this form to edit your application." +msgstr "" + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "Cùng mật khẩu ở trên. Bắt buá»™c." + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "Tên đầy đủ quá dài (tối Ä‘a là 255 ký tá»±)." + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "Mô tả" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "Trang chủ không phải là URL" + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "Tên khu vá»±c quá dài (không quá 255 ký tá»±)." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "Không thể cập nhật thành viên." + #: actions/editgroup.php:56 #, fuzzy, php-format msgid "Edit %s group" @@ -1082,7 +1239,8 @@ msgstr "" "để nhận tin nhắn và lá»i hÆ°á»›ng dẫn." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "Hủy" @@ -1790,7 +1948,7 @@ msgstr "Tin nhắn cá nhân" msgid "Optionally add a personal message to the invitation." msgstr "Không bắt buá»™c phải thêm thông Ä‘iệp vào thÆ° má»i." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "Gá»­i" @@ -1903,17 +2061,6 @@ msgstr "Äăng nhập" msgid "Login to site" msgstr "" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "Biệt danh" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "Mật khẩu" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "Nhá»› tôi" @@ -1967,6 +2114,28 @@ msgstr "Bạn phải đăng nhập vào má»›i có thể gá»­i thÆ° má»i những msgid "No current status" msgstr "" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "Bạn phải đăng nhập vào má»›i có thể gá»­i thÆ° má»i những " + +#: actions/newapplication.php:143 +msgid "Use this form to register a new application." +msgstr "" + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "Không thể tạo favorite." + #: actions/newgroup.php:53 #, fuzzy msgid "New group" @@ -2081,6 +2250,50 @@ msgstr "Tin đã gá»­i" msgid "Nudge sent!" msgstr "Tin đã gá»­i" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "Bạn phải đăng nhập vào má»›i có thể gá»­i thÆ° má»i những " + +#: actions/oauthappssettings.php:74 +msgid "OAuth applications" +msgstr "" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "Bạn chÆ°a cập nhật thông tin riêng" + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "Tin nhắn không có hồ sÆ¡ cá nhân" @@ -2099,8 +2312,8 @@ msgstr "Kết nối" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "Không há»— trợ định dạng dữ liệu này." @@ -2115,7 +2328,7 @@ msgstr "Tìm kiếm thông báo" #: actions/othersettings.php:60 #, fuzzy -msgid "Other Settings" +msgid "Other settings" msgstr "Thiết lập tài khoản Twitter" #: actions/othersettings.php:71 @@ -2458,7 +2671,7 @@ msgid "Full name" msgstr "Tên đầy đủ" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "Trang chủ hoặc Blog" @@ -3058,6 +3271,84 @@ msgstr "Bạn đã theo những ngÆ°á»i này:" msgid "User is already sandboxed." msgstr "NgÆ°á»i dùng không có thông tin." +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "Bạn phải đăng nhập vào má»›i có thể gá»­i thÆ° má»i những " + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "Tin nhắn không có hồ sÆ¡ cá nhân" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +#, fuzzy +msgid "Name" +msgstr "Biệt danh" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "ThÆ° má»i đã gá»­i" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +msgid "Description" +msgstr "Mô tả" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "Số liệu thống kê" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +msgid "Authorize URL" +msgstr "" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Không thể lấy lại các tin nhắn Æ°a thích" @@ -3167,10 +3458,6 @@ msgstr "" msgid "All members" msgstr "Thành viên" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "Số liệu thống kê" - #: actions/showgroup.php:432 #, fuzzy msgid "Created" @@ -4091,11 +4378,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -#, fuzzy -msgid "Name" -msgstr "Biệt danh" - #: actions/version.php:196 lib/action.php:741 #, fuzzy msgid "Version" @@ -4105,10 +4387,6 @@ msgstr "Cá nhân" msgid "Author(s)" msgstr "" -#: actions/version.php:198 lib/groupeditform.php:172 -msgid "Description" -msgstr "Mô tả" - #: classes/File.php:144 #, php-format msgid "" @@ -4272,11 +4550,6 @@ msgstr "Trang chủ" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 -#, fuzzy -msgid "Account" -msgstr "Giá»›i thiệu" - #: lib/action.php:435 #, fuzzy msgid "Change your email, avatar, password, profile" @@ -4445,11 +4718,6 @@ msgstr "Sau" msgid "Before" msgstr "TrÆ°á»›c" -#: lib/action.php:1167 -#, fuzzy -msgid "There was a problem with your session token." -msgstr "Có lá»—i xảy ra khi thao tác. Hãy thá»­ lại lần nữa." - #: lib/adminpanelaction.php:96 #, fuzzy msgid "You cannot make changes to this site." @@ -4488,6 +4756,72 @@ msgstr "Xác nhận SMS" msgid "Paths configuration" msgstr "Xác nhận SMS" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "Nói vá» những sở thích của nhóm trong vòng 140 ký tá»±" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "Nói vá» những sở thích của nhóm trong vòng 140 ký tá»±" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "Nguồn" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "URL vá» Trang chính, Blog, hoặc hồ sÆ¡ cá nhân của bạn trên " + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "URL vá» Trang chính, Blog, hoặc hồ sÆ¡ cá nhân của bạn trên " + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "Xóa" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "" @@ -4819,6 +5153,15 @@ msgstr "Thay đổi bởi tin nhắn nhanh (IM)" msgid "Updates by SMS" msgstr "Thay đổi bởi SMS" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "Kết nối" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "" @@ -5403,10 +5746,6 @@ msgid "Do not share my location" msgstr "Không thể lÆ°u hồ sÆ¡ cá nhân." #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5798,47 +6137,47 @@ msgstr "Tin má»›i nhất" msgid "Moderate" msgstr "" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "vài giây trÆ°á»›c" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "1 phút trÆ°á»›c" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "%d phút trÆ°á»›c" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "1 giá» trÆ°á»›c" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "%d giá» trÆ°á»›c" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "1 ngày trÆ°á»›c" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "%d ngày trÆ°á»›c" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "1 tháng trÆ°á»›c" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "%d tháng trÆ°á»›c" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "1 năm trÆ°á»›c" diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index 32adff438..335a38a47 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:06:24+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:42:51+0000\n" "Language-Team: Simplified Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: out-statusnet\n" @@ -35,7 +35,7 @@ msgstr "没有该页é¢" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -148,7 +148,7 @@ msgstr "API 方法未实现ï¼" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "此方法接å—POST请求。" @@ -179,8 +179,9 @@ msgstr "无法ä¿å­˜ä¸ªäººä¿¡æ¯ã€‚" #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -329,7 +330,8 @@ msgstr "昵称已被使用,æ¢ä¸€ä¸ªå§ã€‚" msgid "Not a valid nickname." msgstr "ä¸æ˜¯æœ‰æ•ˆçš„昵称。" -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -341,7 +343,8 @@ msgstr "主页的URLä¸æ­£ç¡®ã€‚" msgid "Full name is too long (max 255 chars)." msgstr "å…¨å过长(ä¸èƒ½è¶…过 255 个字符)。" -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "æ述过长(ä¸èƒ½è¶…过140字符)。" @@ -421,6 +424,101 @@ msgstr "%s 群组" msgid "groups on %s" msgstr "组动作" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "会è¯æ ‡è¯†æœ‰é—®é¢˜ï¼Œè¯·é‡è¯•ã€‚" + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "用户å或密ç ä¸æ­£ç¡®ã€‚" + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "ä¿å­˜ç”¨æˆ·è®¾ç½®æ—¶å‡ºé”™ã€‚" + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "添加标签时数æ®åº“出错:%s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "未预料的表å•æ交。" + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +msgid "Account" +msgstr "å¸å·" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "昵称" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "密ç " + +#: actions/apioauthauthorize.php:338 +msgid "Deny" +msgstr "" + +#: actions/apioauthauthorize.php:344 +#, fuzzy +msgid "Allow" +msgstr "全部" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "此方法接å—POST或DELETE请求。" @@ -453,17 +551,17 @@ msgstr "头åƒå·²æ›´æ–°ã€‚" msgid "No status with that ID found." msgstr "没有找到此IDçš„ä¿¡æ¯ã€‚" -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Max notice size is %d chars." msgstr "超出长度é™åˆ¶ã€‚ä¸èƒ½è¶…过 140 个字符。" -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "未找到" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -611,29 +709,6 @@ msgstr "上传" msgid "Crop" msgstr "剪è£" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "会è¯æ ‡è¯†æœ‰é—®é¢˜ï¼Œè¯·é‡è¯•ã€‚" - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "未预料的表å•æ交。" - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "请选择一å—方形区域作为你的头åƒ" @@ -776,7 +851,8 @@ msgid "Couldn't delete email confirmation." msgstr "无法删除电å­é‚®ä»¶ç¡®è®¤ã€‚" #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "确认地å€" #: actions/confirmaddress.php:159 @@ -976,7 +1052,8 @@ msgstr "" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "ä¿å­˜" @@ -997,6 +1074,87 @@ msgstr "加入收è—" msgid "No such document." msgstr "没有这份文档。" +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +#, fuzzy +msgid "You must be logged in to edit an application." +msgstr "您必须登录æ‰èƒ½åˆ›å»ºå°ç»„。" + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "您未告知此个人信æ¯" + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "没有这份通告。" + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +#, fuzzy +msgid "There was a problem with your session token." +msgstr "会è¯æ ‡è¯†æœ‰é—®é¢˜ï¼Œè¯·é‡è¯•ã€‚" + +#: actions/editapplication.php:161 +#, fuzzy +msgid "Use this form to edit your application." +msgstr "使用这个表å•æ¥ç¼–辑组" + +#: actions/editapplication.php:177 actions/newapplication.php:159 +#, fuzzy +msgid "Name is required." +msgstr "相åŒçš„密ç ã€‚此项必填。" + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "å…¨å过长(ä¸èƒ½è¶…过 255 个字符)。" + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "æè¿°" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "主页的URLä¸æ­£ç¡®ã€‚" + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "ä½ç½®è¿‡é•¿(ä¸èƒ½è¶…过255个字符)。" + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "无法更新组" + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1068,7 +1226,8 @@ msgstr "" "指示。" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "å–消" @@ -1753,7 +1912,7 @@ msgstr "个人消æ¯" msgid "Optionally add a personal message to the invitation." msgstr "在邀请中加几å¥è¯(å¯é€‰)。" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "å‘é€" @@ -1860,17 +2019,6 @@ msgstr "登录" msgid "Login to site" msgstr "登录" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "昵称" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "密ç " - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "è®°ä½ç™»å½•çŠ¶æ€" @@ -1921,6 +2069,29 @@ msgstr "åªæœ‰adminæ‰èƒ½ç¼–辑这个组" msgid "No current status" msgstr "没有当å‰çŠ¶æ€" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +#, fuzzy +msgid "You must be logged in to register an application." +msgstr "您必须登录æ‰èƒ½åˆ›å»ºå°ç»„。" + +#: actions/newapplication.php:143 +#, fuzzy +msgid "Use this form to register a new application." +msgstr "使用此表格创建组。" + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "无法创建收è—。" + #: actions/newgroup.php:53 msgid "New group" msgstr "新组" @@ -2028,6 +2199,51 @@ msgstr "振铃呼å«å‘出。" msgid "Nudge sent!" msgstr "振铃呼å«å·²ç»å‘出ï¼" +#: actions/oauthappssettings.php:59 +#, fuzzy +msgid "You must be logged in to list your applications." +msgstr "您必须登录æ‰èƒ½åˆ›å»ºå°ç»„。" + +#: actions/oauthappssettings.php:74 +#, fuzzy +msgid "OAuth applications" +msgstr "其他选项" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "您未告知此个人信æ¯" + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "通告没有关è”个人信æ¯" @@ -2046,8 +2262,8 @@ msgstr "连接" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "ä¸æ”¯æŒçš„æ•°æ®æ ¼å¼ã€‚" @@ -2061,7 +2277,7 @@ msgstr "æœç´¢é€šå‘Š" #: actions/othersettings.php:60 #, fuzzy -msgid "Other Settings" +msgid "Other settings" msgstr "Twitter 设置" #: actions/othersettings.php:71 @@ -2396,7 +2612,7 @@ msgid "Full name" msgstr "å…¨å" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "主页" @@ -2989,6 +3205,85 @@ msgstr "无法å‘此用户å‘é€æ¶ˆæ¯ã€‚" msgid "User is already sandboxed." msgstr "用户没有个人信æ¯ã€‚" +#: actions/showapplication.php:82 +#, fuzzy +msgid "You must be logged in to view an application." +msgstr "您必须登录æ‰èƒ½é‚€è¯·å…¶ä»–人使用 %s" + +#: actions/showapplication.php:158 +#, fuzzy +msgid "Application profile" +msgstr "通告没有关è”个人信æ¯" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +#, fuzzy +msgid "Name" +msgstr "昵称" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "分页" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#, fuzzy +msgid "Description" +msgstr "æè¿°" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "统计" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +msgid "Authorize URL" +msgstr "" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "无法获å–收è—的通告。" @@ -3097,10 +3392,6 @@ msgstr "(没有)" msgid "All members" msgstr "所有æˆå‘˜" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "统计" - #: actions/showgroup.php:432 #, fuzzy msgid "Created" @@ -4015,11 +4306,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -#, fuzzy -msgid "Name" -msgstr "昵称" - #: actions/version.php:196 lib/action.php:741 #, fuzzy msgid "Version" @@ -4029,11 +4315,6 @@ msgstr "个人" msgid "Author(s)" msgstr "" -#: actions/version.php:198 lib/groupeditform.php:172 -#, fuzzy -msgid "Description" -msgstr "æè¿°" - #: classes/File.php:144 #, php-format msgid "" @@ -4193,10 +4474,6 @@ msgstr "主页" msgid "Personal profile and friends timeline" msgstr "个人资料åŠæœ‹å‹å¹´è¡¨" -#: lib/action.php:435 -msgid "Account" -msgstr "å¸å·" - #: lib/action.php:435 #, fuzzy msgid "Change your email, avatar, password, profile" @@ -4363,11 +4640,6 @@ msgstr "« 之åŽ" msgid "Before" msgstr "ä¹‹å‰ Â»" -#: lib/action.php:1167 -#, fuzzy -msgid "There was a problem with your session token." -msgstr "会è¯æ ‡è¯†æœ‰é—®é¢˜ï¼Œè¯·é‡è¯•ã€‚" - #: lib/adminpanelaction.php:96 #, fuzzy msgid "You cannot make changes to this site." @@ -4408,6 +4680,72 @@ msgstr "SMS短信确认" msgid "Paths configuration" msgstr "SMS短信确认" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "用ä¸è¶…过140个字符æ述您自己和您的爱好" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "用ä¸è¶…过140个字符æ述您自己和您的爱好" + +#: lib/applicationeditform.php:218 +#, fuzzy +msgid "Source URL" +msgstr "æ¥æº" + +#: lib/applicationeditform.php:220 +#, fuzzy +msgid "URL of the homepage of this application" +msgstr "您的主页ã€åšå®¢æˆ–在其他站点的URL" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +#, fuzzy +msgid "URL for the homepage of the organization" +msgstr "您的主页ã€åšå®¢æˆ–在其他站点的URL" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +#, fuzzy +msgid "Revoke" +msgstr "移除" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "" @@ -4732,6 +5070,15 @@ msgstr "使用å³æ—¶é€šè®¯å·¥å…·(IM)æ›´æ–°" msgid "Updates by SMS" msgstr "使用SMS短信更新" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "连接" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "" @@ -5267,10 +5614,6 @@ msgid "Do not share my location" msgstr "无法ä¿å­˜ä¸ªäººä¿¡æ¯ã€‚" #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5660,47 +6003,47 @@ msgstr "新消æ¯" msgid "Moderate" msgstr "" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "几秒å‰" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "一分钟å‰" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "%d 分钟å‰" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "一å°æ—¶å‰" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "%d å°æ—¶å‰" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "一天å‰" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "%d 天å‰" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "一个月å‰" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "%d 个月å‰" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "一年å‰" diff --git a/locale/zh_TW/LC_MESSAGES/statusnet.po b/locale/zh_TW/LC_MESSAGES/statusnet.po index 5a6552550..7233526d6 100644 --- a/locale/zh_TW/LC_MESSAGES/statusnet.po +++ b/locale/zh_TW/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-13 22:04+0000\n" -"PO-Revision-Date: 2010-01-13 22:06:27+0000\n" +"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"PO-Revision-Date: 2010-01-14 22:42:54+0000\n" "Language-Team: Traditional Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61027); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hant\n" "X-Message-Group: out-statusnet\n" @@ -33,7 +33,7 @@ msgstr "無此通知" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:144 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -146,7 +146,7 @@ msgstr "確èªç¢¼éºå¤±" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:114 +#: actions/apistatusesupdate.php:119 msgid "This method requires a POST." msgstr "" @@ -177,8 +177,9 @@ msgstr "無法儲存個人資料" #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:127 actions/avatarsettings.php:257 -#: actions/designadminpanel.php:122 actions/newnotice.php:94 +#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 #, php-format msgid "" @@ -324,7 +325,8 @@ msgstr "此暱稱已有人使用。å†è©¦è©¦çœ‹åˆ¥çš„å§ã€‚" msgid "Not a valid nickname." msgstr "" -#: actions/apigroupcreate.php:196 actions/editgroup.php:195 +#: actions/apigroupcreate.php:196 actions/editapplication.php:212 +#: actions/editgroup.php:195 actions/newapplication.php:200 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -336,7 +338,8 @@ msgstr "個人首é ä½å€éŒ¯èª¤" msgid "Full name is too long (max 255 chars)." msgstr "å…¨åéŽé•·ï¼ˆæœ€å¤š255字元)" -#: actions/apigroupcreate.php:213 +#: actions/apigroupcreate.php:213 actions/editapplication.php:187 +#: actions/newapplication.php:169 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "自我介紹éŽé•·(å…±140個字元)" @@ -415,6 +418,101 @@ msgstr "" msgid "groups on %s" msgstr "" +#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 +msgid "Bad request." +msgstr "" + +#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "" + +#: actions/apioauthauthorize.php:146 +#, fuzzy +msgid "Invalid nickname / password!" +msgstr "使用者å稱或密碼無效" + +#: actions/apioauthauthorize.php:170 +#, fuzzy +msgid "DB error deleting OAuth app user." +msgstr "使用者設定發生錯誤" + +#: actions/apioauthauthorize.php:196 +#, fuzzy +msgid "DB error inserting OAuth app user." +msgstr "增加回覆時,資料庫發生錯誤: %s" + +#: actions/apioauthauthorize.php:231 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:241 +#, php-format +msgid "The request token %s has been denied." +msgstr "" + +#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "" + +#: actions/apioauthauthorize.php:273 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:290 +msgid "Allow or deny access" +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:435 +#, fuzzy +msgid "Account" +msgstr "關於" + +#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "暱稱" + +#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "" + +#: actions/apioauthauthorize.php:338 +msgid "Deny" +msgstr "" + +#: actions/apioauthauthorize.php:344 +msgid "Allow" +msgstr "" + +#: actions/apioauthauthorize.php:361 +msgid "Allow or deny access to your account information." +msgstr "" + #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." msgstr "" @@ -447,17 +545,17 @@ msgstr "更新個人圖åƒ" msgid "No status with that ID found." msgstr "" -#: actions/apistatusesupdate.php:157 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "" -#: actions/apistatusesupdate.php:198 +#: actions/apistatusesupdate.php:203 msgid "Not found" msgstr "" -#: actions/apistatusesupdate.php:221 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -604,29 +702,6 @@ msgstr "" msgid "Crop" msgstr "" -#: actions/avatarsettings.php:268 actions/deletenotice.php:157 -#: actions/disfavor.php:74 actions/emailsettings.php:238 actions/favor.php:75 -#: actions/geocode.php:50 actions/groupblock.php:66 actions/grouplogo.php:309 -#: actions/groupunblock.php:66 actions/imsettings.php:206 -#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 -#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/profilesettings.php:194 actions/recoverpassword.php:337 -#: actions/register.php:165 actions/remotesubscribe.php:77 -#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 -#: actions/unsubscribe.php:69 actions/userauthorization.php:52 -#: lib/designsettings.php:294 -msgid "There was a problem with your session token. Try again, please." -msgstr "" - -#: actions/avatarsettings.php:281 actions/designadminpanel.php:103 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 -#: actions/imsettings.php:220 actions/recoverpassword.php:44 -#: actions/smssettings.php:248 lib/designsettings.php:304 -msgid "Unexpected form submission." -msgstr "" - #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" msgstr "" @@ -768,7 +843,8 @@ msgid "Couldn't delete email confirmation." msgstr "無法å–消信箱確èª" #: actions/confirmaddress.php:144 -msgid "Confirm Address" +#, fuzzy +msgid "Confirm address" msgstr "確èªä¿¡ç®±" #: actions/confirmaddress.php:159 @@ -963,7 +1039,8 @@ msgstr "" #: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 #: actions/siteadminpanel.php:388 actions/smssettings.php:181 #: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/designsettings.php:256 +#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 +#: lib/applicationeditform.php:336 lib/designsettings.php:256 #: lib/groupeditform.php:202 msgid "Save" msgstr "" @@ -984,6 +1061,83 @@ msgstr "" msgid "No such document." msgstr "無此文件" +#: actions/editapplication.php:54 lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + +#: actions/editapplication.php:66 +msgid "You must be logged in to edit an application." +msgstr "" + +#: actions/editapplication.php:77 actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/showapplication.php:87 +#, fuzzy +msgid "No such application." +msgstr "無此通知" + +#: actions/editapplication.php:127 actions/newapplication.php:110 +#: actions/showapplication.php:118 lib/action.php:1167 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/editapplication.php:161 +msgid "Use this form to edit your application." +msgstr "" + +#: actions/editapplication.php:177 actions/newapplication.php:159 +msgid "Name is required." +msgstr "" + +#: actions/editapplication.php:180 actions/newapplication.php:162 +#, fuzzy +msgid "Name is too long (max 255 chars)." +msgstr "å…¨åéŽé•·ï¼ˆæœ€å¤š255字元)" + +#: actions/editapplication.php:183 actions/newapplication.php:165 +#, fuzzy +msgid "Description is required." +msgstr "所有訂閱" + +#: actions/editapplication.php:191 +msgid "Source URL is too long." +msgstr "" + +#: actions/editapplication.php:197 actions/newapplication.php:182 +#, fuzzy +msgid "Source URL is not valid." +msgstr "個人首é ä½å€éŒ¯èª¤" + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Organization is required." +msgstr "" + +#: actions/editapplication.php:203 actions/newapplication.php:188 +#, fuzzy +msgid "Organization is too long (max 255 chars)." +msgstr "地點éŽé•·ï¼ˆå…±255個字)" + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization homepage is required." +msgstr "" + +#: actions/editapplication.php:215 actions/newapplication.php:203 +msgid "Callback is too long." +msgstr "" + +#: actions/editapplication.php:222 actions/newapplication.php:212 +msgid "Callback URL is not valid." +msgstr "" + +#: actions/editapplication.php:255 +#, fuzzy +msgid "Could not update application." +msgstr "無法更新使用者" + #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" @@ -1053,7 +1207,8 @@ msgid "" msgstr "" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 +#: actions/smssettings.php:126 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 msgid "Cancel" msgstr "å–消" @@ -1712,7 +1867,7 @@ msgstr "" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:237 +#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" msgstr "" @@ -1795,17 +1950,6 @@ msgstr "登入" msgid "Login to site" msgstr "" -#: actions/login.php:230 actions/profilesettings.php:106 -#: actions/register.php:424 actions/showgroup.php:236 actions/tagother.php:94 -#: lib/groupeditform.php:152 lib/userprofile.php:131 -msgid "Nickname" -msgstr "暱稱" - -#: actions/login.php:233 actions/register.php:429 -#: lib/accountsettingsaction.php:116 -msgid "Password" -msgstr "" - #: actions/login.php:236 actions/register.php:478 msgid "Remember me" msgstr "" @@ -1854,6 +1998,27 @@ msgstr "無法從 %s 建立OpenID" msgid "No current status" msgstr "" +#: actions/newapplication.php:52 +msgid "New application" +msgstr "" + +#: actions/newapplication.php:64 +msgid "You must be logged in to register an application." +msgstr "" + +#: actions/newapplication.php:143 +msgid "Use this form to register a new application." +msgstr "" + +#: actions/newapplication.php:173 +msgid "Source URL is required." +msgstr "" + +#: actions/newapplication.php:255 actions/newapplication.php:264 +#, fuzzy +msgid "Could not create application." +msgstr "無法存å–個人圖åƒè³‡æ–™" + #: actions/newgroup.php:53 msgid "New group" msgstr "" @@ -1958,6 +2123,49 @@ msgstr "" msgid "Nudge sent!" msgstr "" +#: actions/oauthappssettings.php:59 +msgid "You must be logged in to list your applications." +msgstr "" + +#: actions/oauthappssettings.php:74 +msgid "OAuth applications" +msgstr "" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "" + +#: actions/oauthconnectionssettings.php:71 +msgid "Connected applications" +msgstr "" + +#: actions/oauthconnectionssettings.php:87 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:170 +#, fuzzy +msgid "You are not a user of that application." +msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" + +#: actions/oauthconnectionssettings.php:180 +msgid "Unable to revoke access for app: " +msgstr "" + +#: actions/oauthconnectionssettings.php:192 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:205 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" msgstr "" @@ -1976,8 +2184,8 @@ msgstr "連çµ" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1033 -#: lib/api.php:1061 lib/api.php:1171 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 +#: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." msgstr "" @@ -1991,7 +2199,7 @@ msgstr "" #: actions/othersettings.php:60 #, fuzzy -msgid "Other Settings" +msgid "Other settings" msgstr "線上å³æ™‚通設定" #: actions/othersettings.php:71 @@ -2316,7 +2524,7 @@ msgid "Full name" msgstr "å…¨å" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/groupeditform.php:161 +#: lib/applicationeditform.php:230 lib/groupeditform.php:161 msgid "Homepage" msgstr "個人首é " @@ -2882,6 +3090,83 @@ msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" msgid "User is already sandboxed." msgstr "" +#: actions/showapplication.php:82 +msgid "You must be logged in to view an application." +msgstr "" + +#: actions/showapplication.php:158 +msgid "Application profile" +msgstr "" + +#: actions/showapplication.php:160 lib/applicationeditform.php:182 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:170 actions/version.php:195 +#: lib/applicationeditform.php:197 +#, fuzzy +msgid "Name" +msgstr "暱稱" + +#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#, fuzzy +msgid "Organization" +msgstr "地點" + +#: actions/showapplication.php:188 actions/version.php:198 +#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#, fuzzy +msgid "Description" +msgstr "所有訂閱" + +#: actions/showapplication.php:193 actions/showgroup.php:429 +#: lib/profileaction.php:174 +msgid "Statistics" +msgstr "" + +#: actions/showapplication.php:204 +#, php-format +msgid "created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:214 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:233 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:241 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:243 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:248 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:253 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:258 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:263 +msgid "Authorize URL" +msgstr "" + +#: actions/showapplication.php:268 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "" @@ -2989,10 +3274,6 @@ msgstr "" msgid "All members" msgstr "" -#: actions/showgroup.php:429 lib/profileaction.php:174 -msgid "Statistics" -msgstr "" - #: actions/showgroup.php:432 #, fuzzy msgid "Created" @@ -3871,11 +4152,6 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:195 -#, fuzzy -msgid "Name" -msgstr "暱稱" - #: actions/version.php:196 lib/action.php:741 #, fuzzy msgid "Version" @@ -3885,11 +4161,6 @@ msgstr "地點" msgid "Author(s)" msgstr "" -#: actions/version.php:198 lib/groupeditform.php:172 -#, fuzzy -msgid "Description" -msgstr "所有訂閱" - #: classes/File.php:144 #, php-format msgid "" @@ -4049,11 +4320,6 @@ msgstr "主é " msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 -#, fuzzy -msgid "Account" -msgstr "關於" - #: lib/action.php:435 msgid "Change your email, avatar, password, profile" msgstr "" @@ -4212,10 +4478,6 @@ msgstr "" msgid "Before" msgstr "之å‰çš„內容»" -#: lib/action.php:1167 -msgid "There was a problem with your session token." -msgstr "" - #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "" @@ -4251,6 +4513,68 @@ msgstr "確èªä¿¡ç®±" msgid "Paths configuration" msgstr "確èªä¿¡ç®±" +#: lib/applicationeditform.php:186 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:206 +#, fuzzy, php-format +msgid "Describe your application in %d characters" +msgstr "請在140個字以內æ述你自己與你的興趣" + +#: lib/applicationeditform.php:209 +#, fuzzy +msgid "Describe your application" +msgstr "請在140個字以內æ述你自己與你的興趣" + +#: lib/applicationeditform.php:218 +msgid "Source URL" +msgstr "" + +#: lib/applicationeditform.php:220 +msgid "URL of the homepage of this application" +msgstr "" + +#: lib/applicationeditform.php:226 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:232 +msgid "URL for the homepage of the organization" +msgstr "" + +#: lib/applicationeditform.php:238 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:260 +msgid "Browser" +msgstr "" + +#: lib/applicationeditform.php:276 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:277 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:299 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:317 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:318 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +msgid "Revoke" +msgstr "" + #: lib/attachmentlist.php:87 msgid "Attachments" msgstr "" @@ -4571,6 +4895,15 @@ msgstr "" msgid "Updates by SMS" msgstr "" +#: lib/connectsettingsaction.php:120 +#, fuzzy +msgid "Connections" +msgstr "連çµ" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + #: lib/dberroraction.php:60 msgid "Database error" msgstr "" @@ -5089,10 +5422,6 @@ msgid "Do not share my location" msgstr "無法儲存個人資料" #: lib/noticeform.php:216 -msgid "Hide this info" -msgstr "" - -#: lib/noticeform.php:217 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" @@ -5462,47 +5791,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:877 +#: lib/util.php:875 msgid "a few seconds ago" msgstr "" -#: lib/util.php:879 +#: lib/util.php:877 msgid "about a minute ago" msgstr "" -#: lib/util.php:881 +#: lib/util.php:879 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:883 +#: lib/util.php:881 msgid "about an hour ago" msgstr "" -#: lib/util.php:885 +#: lib/util.php:883 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:887 +#: lib/util.php:885 msgid "about a day ago" msgstr "" -#: lib/util.php:889 +#: lib/util.php:887 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:891 +#: lib/util.php:889 msgid "about a month ago" msgstr "" -#: lib/util.php:893 +#: lib/util.php:891 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:895 +#: lib/util.php:893 msgid "about a year ago" msgstr "" -- cgit v1.2.3-54-g00ecf From a27aef92060277120f8889136ed6972f5915709f Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Thu, 14 Jan 2010 19:43:03 -0500 Subject: Add nickname suggestion capability for use during autoregistration. --- lib/authenticationplugin.php | 56 +++++++++++++++++----- .../LdapAuthenticationPlugin.php | 16 +++++++ 2 files changed, 60 insertions(+), 12 deletions(-) diff --git a/lib/authenticationplugin.php b/lib/authenticationplugin.php index de479a576..17237086c 100644 --- a/lib/authenticationplugin.php +++ b/lib/authenticationplugin.php @@ -92,6 +92,19 @@ abstract class AuthenticationPlugin extends Plugin return false; } + /** + * Given a username, suggest what the nickname should be + * Used during autoregistration + * Useful if your usernames are ugly, and you want to suggest + * nice looking nicknames when users initially sign on + * @param username + * @return string nickname + */ + function suggestNicknameForUsername($username) + { + return $username; + } + //------------Below are the methods that connect StatusNet to the implementing Auth plugin------------\\ function onInitializePlugin(){ if(!isset($this->provider_name)){ @@ -108,10 +121,22 @@ abstract class AuthenticationPlugin extends Plugin function onAutoRegister($nickname, $provider_name, &$user) { if($provider_name == $this->provider_name && $this->autoregistration){ - $user = $this->autoregister($nickname); - if($user){ - User_username::register($user,$nickname,$this->provider_name); - return false; + $suggested_nickname = $this->suggestNicknameForUsername($nickname); + $test_user = User::staticGet('nickname', $suggested_nickname); + if($test_user) { + //someone already exists with the suggested nickname, so used the passed nickname + $suggested_nickname = $nickname; + } + $test_user = User::staticGet('nickname', $suggested_nickname); + if($test_user) { + //someone already exists with the suggested nickname + //not much else we can do + }else{ + $user = $this->autoregister($suggested_nickname); + if($user){ + User_username::register($user,$nickname,$this->provider_name); + return false; + } } } } @@ -122,23 +147,30 @@ abstract class AuthenticationPlugin extends Plugin $user_username->username=$nickname; $user_username->provider_name=$this->provider_name; if($user_username->find() && $user_username->fetch()){ - $username = $user_username->username; - $authenticated = $this->checkPassword($username, $password); + $authenticated = $this->checkPassword($user_username->username, $password); if($authenticated){ $authenticatedUser = User::staticGet('id', $user_username->user_id); return false; } }else{ - $user = User::staticGet('nickname', $nickname); + //$nickname is the username used to login + //$suggested_nickname is the nickname the auth provider suggests for that username + $suggested_nickname = $this->suggestNicknameForUsername($nickname); + $user = User::staticGet('nickname', $suggested_nickname); if($user){ - //make sure a different provider isn't handling this nickname + //make sure this user isn't claimed $user_username = new User_username(); - $user_username->username=$nickname; - if(!$user_username->find()){ - //no other provider claims this username, so it's safe for us to handle it + $user_username->user_id=$user->id; + $we_can_handle = false; + if($user_username->find()){ + //either this provider, or another one, has already claimed this user + //so we cannot. Let another plugin try. + return; + }else{ + //no other provider claims this user, so it's safe for us to handle it $authenticated = $this->checkPassword($nickname, $password); if($authenticated){ - $authenticatedUser = User::staticGet('nickname', $nickname); + $authenticatedUser = $user; User_username::register($authenticatedUser,$nickname,$this->provider_name); return false; } diff --git a/plugins/LdapAuthentication/LdapAuthenticationPlugin.php b/plugins/LdapAuthentication/LdapAuthenticationPlugin.php index eb3a05117..1755033f1 100644 --- a/plugins/LdapAuthentication/LdapAuthenticationPlugin.php +++ b/plugins/LdapAuthentication/LdapAuthenticationPlugin.php @@ -153,6 +153,22 @@ class LdapAuthenticationPlugin extends AuthenticationPlugin return false; } + + function suggestNicknameForUsername($username) + { + $entry = $this->ldap_get_user($username, $this->attributes); + if(!$entry){ + //this really shouldn't happen + return $username; + }else{ + $nickname = $entry->getValue($this->attributes['nickname'],'single'); + if($nickname){ + return $nickname; + }else{ + return $username; + } + } + } //---utility functions---// function ldap_get_config(){ -- cgit v1.2.3-54-g00ecf From 745d4283653caf06ede206f58fe0f96b4fdd2c5d Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Fri, 15 Jan 2010 10:01:50 -0800 Subject: Fix since_id and max_id API parameters for inbox-based loads; was failing if the exact id mentioned wasn't present in the inbox (or had been trimmed out) --- classes/Inbox.php | 18 ++++++++++++------ 1 file changed, 12 insertions(+), 6 deletions(-) diff --git a/classes/Inbox.php b/classes/Inbox.php index 312b4586b..086dba1c9 100644 --- a/classes/Inbox.php +++ b/classes/Inbox.php @@ -154,17 +154,23 @@ class Inbox extends Memcached_DataObject $ids = unpack('N*', $inbox->notice_ids); if (!empty($since_id)) { - $i = array_search($since_id, $ids); - if ($i !== false) { - $ids = array_slice($ids, 0, $i - 1); + $newids = array(); + foreach ($ids as $id) { + if ($id > $since_id) { + $newids[] = $id; + } } + $ids = $newids; } if (!empty($max_id)) { - $i = array_search($max_id, $ids); - if ($i !== false) { - $ids = array_slice($ids, $i - 1); + $newids = array(); + foreach ($ids as $id) { + if ($id <= $max_id) { + $newids[] = $id; + } } + $ids = $newids; } $ids = array_slice($ids, $offset, $limit); -- cgit v1.2.3-54-g00ecf From 1ef8efe4c5624e7df38ce66187719038594cd828 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Fri, 15 Jan 2010 20:20:18 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans --- locale/ar/LC_MESSAGES/statusnet.po | 23 ++-- locale/arz/LC_MESSAGES/statusnet.po | 23 ++-- locale/bg/LC_MESSAGES/statusnet.po | 23 ++-- locale/ca/LC_MESSAGES/statusnet.po | 23 ++-- locale/cs/LC_MESSAGES/statusnet.po | 23 ++-- locale/de/LC_MESSAGES/statusnet.po | 23 ++-- locale/el/LC_MESSAGES/statusnet.po | 23 ++-- locale/en_GB/LC_MESSAGES/statusnet.po | 23 ++-- locale/es/LC_MESSAGES/statusnet.po | 23 ++-- locale/fa/LC_MESSAGES/statusnet.po | 23 ++-- locale/fi/LC_MESSAGES/statusnet.po | 23 ++-- locale/fr/LC_MESSAGES/statusnet.po | 23 ++-- locale/ga/LC_MESSAGES/statusnet.po | 23 ++-- locale/he/LC_MESSAGES/statusnet.po | 23 ++-- locale/hsb/LC_MESSAGES/statusnet.po | 23 ++-- locale/ia/LC_MESSAGES/statusnet.po | 23 ++-- locale/is/LC_MESSAGES/statusnet.po | 23 ++-- locale/it/LC_MESSAGES/statusnet.po | 23 ++-- locale/ja/LC_MESSAGES/statusnet.po | 182 +++++++++++++--------------- locale/ko/LC_MESSAGES/statusnet.po | 23 ++-- locale/mk/LC_MESSAGES/statusnet.po | 217 +++++++++++++++------------------- locale/nb/LC_MESSAGES/statusnet.po | 23 ++-- locale/nl/LC_MESSAGES/statusnet.po | 202 +++++++++++++++---------------- locale/nn/LC_MESSAGES/statusnet.po | 23 ++-- locale/pl/LC_MESSAGES/statusnet.po | 202 ++++++++++++++----------------- locale/pt/LC_MESSAGES/statusnet.po | 23 ++-- locale/pt_BR/LC_MESSAGES/statusnet.po | 181 +++++++++++++--------------- locale/ru/LC_MESSAGES/statusnet.po | 56 ++++----- locale/statusnet.po | 19 +-- locale/sv/LC_MESSAGES/statusnet.po | 23 ++-- locale/te/LC_MESSAGES/statusnet.po | 23 ++-- locale/tr/LC_MESSAGES/statusnet.po | 23 ++-- locale/uk/LC_MESSAGES/statusnet.po | 23 ++-- locale/vi/LC_MESSAGES/statusnet.po | 23 ++-- locale/zh_CN/LC_MESSAGES/statusnet.po | 23 ++-- locale/zh_TW/LC_MESSAGES/statusnet.po | 23 ++-- 36 files changed, 887 insertions(+), 839 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index 4e20f533a..bc3226594 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:40:56+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:15:48+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" @@ -36,7 +36,7 @@ msgstr "لا صÙحة كهذه" #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -52,8 +52,13 @@ msgstr "لا صÙحة كهذه" msgid "No such user." msgstr "لا مستخدم كهذا." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%1$s ملÙات ممنوعة, الصÙحة %2$d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -105,7 +110,7 @@ msgstr "" msgid "You and friends" msgstr "أنت والأصدقاء" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -127,7 +132,7 @@ msgstr "" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4479,11 +4484,11 @@ msgstr "" msgid "Tags for this attachment" msgstr "وسوم هذا المرÙÙ‚" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 msgid "Password changing failed" msgstr "تغيير كلمة السر Ùشل" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 msgid "Password changing is not allowed" msgstr "تغيير كلمة السر غير مسموح به" diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index 6d510c739..087e09204 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:40:59+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:15:56+0000\n" "Language-Team: Egyptian Spoken Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: out-statusnet\n" @@ -35,7 +35,7 @@ msgstr "لا صÙحه كهذه" #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -51,8 +51,13 @@ msgstr "لا صÙحه كهذه" msgid "No such user." msgstr "لا مستخدم كهذا." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%1$s ملÙات ممنوعة, الصÙحه %2$d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -104,7 +109,7 @@ msgstr "" msgid "You and friends" msgstr "أنت والأصدقاء" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -126,7 +131,7 @@ msgstr "" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4478,11 +4483,11 @@ msgstr "" msgid "Tags for this attachment" msgstr "وسوم هذا المرÙÙ‚" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 msgid "Password changing failed" msgstr "تغيير كلمه السر Ùشل" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 msgid "Password changing is not allowed" msgstr "تغيير كلمه السر غير مسموح به" diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index 0ca7150cd..5bca81663 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:41:02+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:16:04+0000\n" "Language-Team: Bulgarian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: out-statusnet\n" @@ -35,7 +35,7 @@ msgstr "ÐÑма такака Ñтраница." #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -51,8 +51,13 @@ msgstr "ÐÑма такака Ñтраница." msgid "No such user." msgstr "ÐÑма такъв потребител" +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "Блокирани за %s, Ñтраница %d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -104,7 +109,7 @@ msgstr "" msgid "You and friends" msgstr "Вие и приÑтелите" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -126,7 +131,7 @@ msgstr "Бележки от %1$s и приÑтели в %2$s." #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4672,12 +4677,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 #, fuzzy msgid "Password changing failed" msgstr "Паролата е запиÑана." -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 #, fuzzy msgid "Password changing is not allowed" msgstr "Паролата е запиÑана." diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index 5c06a13a3..ce09f82d3 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:41:06+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:16:11+0000\n" "Language-Team: Catalan\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: out-statusnet\n" @@ -35,7 +35,7 @@ msgstr "No existeix la pàgina." #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -51,8 +51,13 @@ msgstr "No existeix la pàgina." msgid "No such user." msgstr "No existeix aquest usuari." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%s perfils blocats, pàgina %d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -106,7 +111,7 @@ msgstr "" msgid "You and friends" msgstr "Un mateix i amics" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -128,7 +133,7 @@ msgstr "Actualitzacions de %1$s i amics a %2$s!" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4722,11 +4727,11 @@ msgstr "" msgid "Tags for this attachment" msgstr "Etiquetes de l'adjunció" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 msgid "Password changing failed" msgstr "El canvi de contrasenya ha fallat" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 #, fuzzy msgid "Password changing is not allowed" msgstr "Contrasenya canviada." diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index 8282cf3be..53fd42feb 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:41:10+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:16:21+0000\n" "Language-Team: Czech\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: out-statusnet\n" @@ -36,7 +36,7 @@ msgstr "Žádné takové oznámení." #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -52,8 +52,13 @@ msgstr "Žádné takové oznámení." msgid "No such user." msgstr "Žádný takový uživatel." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%s a přátelé" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -106,7 +111,7 @@ msgstr "" msgid "You and friends" msgstr "%s a přátelé" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -128,7 +133,7 @@ msgstr "" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4674,12 +4679,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 #, fuzzy msgid "Password changing failed" msgstr "Heslo uloženo" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 #, fuzzy msgid "Password changing is not allowed" msgstr "Heslo uloženo" diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index 6e4f4d37b..3a06b9870 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:41:13+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:16:32+0000\n" "Language-Team: German\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: out-statusnet\n" @@ -38,7 +38,7 @@ msgstr "Seite nicht vorhanden" #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -54,8 +54,13 @@ msgstr "Seite nicht vorhanden" msgid "No such user." msgstr "Unbekannter Benutzer." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%s blockierte Benutzerprofile, Seite %d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -117,7 +122,7 @@ msgstr "" msgid "You and friends" msgstr "Du und Freunde" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -139,7 +144,7 @@ msgstr "Aktualisierungen von %1$s und Freunden auf %2$s!" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4745,12 +4750,12 @@ msgstr "Nachrichten in denen dieser Anhang erscheint" msgid "Tags for this attachment" msgstr "Tags für diesen Anhang" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 #, fuzzy msgid "Password changing failed" msgstr "Passwort geändert" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 #, fuzzy msgid "Password changing is not allowed" msgstr "Passwort geändert" diff --git a/locale/el/LC_MESSAGES/statusnet.po b/locale/el/LC_MESSAGES/statusnet.po index a5f4b3b01..6d333e39a 100644 --- a/locale/el/LC_MESSAGES/statusnet.po +++ b/locale/el/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:41:17+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:16:35+0000\n" "Language-Team: Greek\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: el\n" "X-Message-Group: out-statusnet\n" @@ -35,7 +35,7 @@ msgstr "Δεν υπάÏχει τέτοιο σελίδα." #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -51,8 +51,13 @@ msgstr "Δεν υπάÏχει τέτοιο σελίδα." msgid "No such user." msgstr "Κανένας τέτοιος χÏήστης." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%s και οι φίλοι του/της" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -104,7 +109,7 @@ msgstr "" msgid "You and friends" msgstr "Εσείς και οι φίλοι σας" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -126,7 +131,7 @@ msgstr "" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4585,12 +4590,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 #, fuzzy msgid "Password changing failed" msgstr "Ο κωδικός αποθηκεÏτηκε." -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 #, fuzzy msgid "Password changing is not allowed" msgstr "Ο κωδικός αποθηκεÏτηκε." diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index 47c40ae4c..6735bd23c 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:41:21+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:16:41+0000\n" "Language-Team: British English\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: out-statusnet\n" @@ -36,7 +36,7 @@ msgstr "No such page" #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -52,8 +52,13 @@ msgstr "No such page" msgid "No such user." msgstr "No such user." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%s blocked profiles, page %d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -112,7 +117,7 @@ msgstr "" msgid "You and friends" msgstr "You and friends" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -134,7 +139,7 @@ msgstr "Updates from %1$s and friends on %2$s!" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4726,12 +4731,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 #, fuzzy msgid "Password changing failed" msgstr "Password change" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 #, fuzzy msgid "Password changing is not allowed" msgstr "Password change" diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index 06f046568..c035fc281 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:41:24+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:16:44+0000\n" "Language-Team: Spanish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: out-statusnet\n" @@ -38,7 +38,7 @@ msgstr "No existe tal página" #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -54,8 +54,13 @@ msgstr "No existe tal página" msgid "No such user." msgstr "No existe ese usuario." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%s y amigos, página %d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -107,7 +112,7 @@ msgstr "" msgid "You and friends" msgstr "Tú y amigos" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -129,7 +134,7 @@ msgstr "¡Actualizaciones de %1$s y amigos en %2$s!" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4775,12 +4780,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 #, fuzzy msgid "Password changing failed" msgstr "Cambio de contraseña " -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 #, fuzzy msgid "Password changing is not allowed" msgstr "Cambio de contraseña " diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index 218243121..c5999c1e2 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:41:31+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:16:52+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian\n" "MIME-Version: 1.0\n" @@ -20,7 +20,7 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 @@ -38,7 +38,7 @@ msgstr "چنین صÙحه‌ای وجود ندارد" #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -54,8 +54,13 @@ msgstr "چنین صÙحه‌ای وجود ندارد" msgid "No such user." msgstr "چنین کاربری وجود ندارد." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%s کاربران مسدود شده، صÙحه‌ی %d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -113,7 +118,7 @@ msgstr "" msgid "You and friends" msgstr "شما Ùˆ دوستان" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -135,7 +140,7 @@ msgstr "به روز رسانی از %1$ Ùˆ دوستان در %2$" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4571,12 +4576,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 #, fuzzy msgid "Password changing failed" msgstr "تغییر گذرواژه" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 #, fuzzy msgid "Password changing is not allowed" msgstr "تغییر گذرواژه" diff --git a/locale/fi/LC_MESSAGES/statusnet.po b/locale/fi/LC_MESSAGES/statusnet.po index 0c5a7630a..d22532009 100644 --- a/locale/fi/LC_MESSAGES/statusnet.po +++ b/locale/fi/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:41:27+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:16:48+0000\n" "Language-Team: Finnish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: out-statusnet\n" @@ -36,7 +36,7 @@ msgstr "Sivua ei ole." #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -52,8 +52,13 @@ msgstr "Sivua ei ole." msgid "No such user." msgstr "Käyttäjää ei ole." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%s ja kaverit, sivu %d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -111,7 +116,7 @@ msgstr "" msgid "You and friends" msgstr "Sinä ja kaverit" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -133,7 +138,7 @@ msgstr "Käyttäjän %1$s ja kavereiden päivitykset palvelussa %2$s!" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4768,12 +4773,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 #, fuzzy msgid "Password changing failed" msgstr "Salasanan vaihto" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 #, fuzzy msgid "Password changing is not allowed" msgstr "Salasanan vaihto" diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index a14decaa8..811700f9a 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:41:34+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:16:56+0000\n" "Language-Team: French\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: out-statusnet\n" @@ -38,7 +38,7 @@ msgstr "Page non trouvée" #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -54,8 +54,13 @@ msgstr "Page non trouvée" msgid "No such user." msgstr "Utilisateur non trouvé." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%1$s profils bloqués, page %2$d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -116,7 +121,7 @@ msgstr "" msgid "You and friends" msgstr "Vous et vos amis" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -138,7 +143,7 @@ msgstr "Statuts de %1$s et ses amis dans %2$s!" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4781,11 +4786,11 @@ msgstr "Avis sur lesquels cette pièce jointe apparaît." msgid "Tags for this attachment" msgstr "Marques de cette pièce jointe" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 msgid "Password changing failed" msgstr "La modification du mot de passe a échoué" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 msgid "Password changing is not allowed" msgstr "La modification du mot de passe n’est pas autorisée" diff --git a/locale/ga/LC_MESSAGES/statusnet.po b/locale/ga/LC_MESSAGES/statusnet.po index 7bab054d4..9c98b889d 100644 --- a/locale/ga/LC_MESSAGES/statusnet.po +++ b/locale/ga/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:41:37+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:16:59+0000\n" "Language-Team: Irish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ga\n" "X-Message-Group: out-statusnet\n" @@ -36,7 +36,7 @@ msgstr "Non existe a etiqueta." #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -52,8 +52,13 @@ msgstr "Non existe a etiqueta." msgid "No such user." msgstr "Ningún usuario." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%s e amigos" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -106,7 +111,7 @@ msgstr "" msgid "You and friends" msgstr "%s e amigos" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -128,7 +133,7 @@ msgstr "Actualizacións dende %1$s e amigos en %2$s!" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4839,12 +4844,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 #, fuzzy msgid "Password changing failed" msgstr "Contrasinal gardada." -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 #, fuzzy msgid "Password changing is not allowed" msgstr "Contrasinal gardada." diff --git a/locale/he/LC_MESSAGES/statusnet.po b/locale/he/LC_MESSAGES/statusnet.po index 3d6267512..0d4564da3 100644 --- a/locale/he/LC_MESSAGES/statusnet.po +++ b/locale/he/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:41:41+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:17:03+0000\n" "Language-Team: Hebrew\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: he\n" "X-Message-Group: out-statusnet\n" @@ -34,7 +34,7 @@ msgstr "×ין הודעה כזו." #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -50,8 +50,13 @@ msgstr "×ין הודעה כזו." msgid "No such user." msgstr "×ין משתמש ×›×–×”." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%s וחברי×" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -104,7 +109,7 @@ msgstr "" msgid "You and friends" msgstr "%s וחברי×" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -126,7 +131,7 @@ msgstr "" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4675,12 +4680,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 #, fuzzy msgid "Password changing failed" msgstr "הסיסמה נשמרה." -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 #, fuzzy msgid "Password changing is not allowed" msgstr "הסיסמה נשמרה." diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index 0483cc49c..a0c1048ef 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:41:44+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:17:07+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: out-statusnet\n" @@ -36,7 +36,7 @@ msgstr "Strona njeeksistuje" #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -52,8 +52,13 @@ msgstr "Strona njeeksistuje" msgid "No such user." msgstr "Wužiwar njeeksistuje" +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%1$s zablokowa profile, stronu %2$d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -105,7 +110,7 @@ msgstr "" msgid "You and friends" msgstr "Ty a pÅ™ećeljo" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -127,7 +132,7 @@ msgstr "" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4478,11 +4483,11 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 msgid "Password changing failed" msgstr "ZmÄ›njenje hesÅ‚a je so njeporadźiÅ‚o" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 msgid "Password changing is not allowed" msgstr "ZmÄ›njenje hesÅ‚a njeje dowolene" diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index cff65012c..6e32e9680 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:41:47+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:17:11+0000\n" "Language-Team: Interlingua\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: out-statusnet\n" @@ -34,7 +34,7 @@ msgstr "Pagina non existe" #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -50,8 +50,13 @@ msgstr "Pagina non existe" msgid "No such user." msgstr "Usator non existe." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%s profilos blocate, pagina %d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -111,7 +116,7 @@ msgstr "" msgid "You and friends" msgstr "Tu e amicos" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -133,7 +138,7 @@ msgstr "Actualisationes de %1$s e su amicos in %2$s!" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4698,12 +4703,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 #, fuzzy msgid "Password changing failed" msgstr "Cambio del contrasigno" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 #, fuzzy msgid "Password changing is not allowed" msgstr "Cambio del contrasigno" diff --git a/locale/is/LC_MESSAGES/statusnet.po b/locale/is/LC_MESSAGES/statusnet.po index 68db86f45..6ef030c3f 100644 --- a/locale/is/LC_MESSAGES/statusnet.po +++ b/locale/is/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:41:51+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:17:14+0000\n" "Language-Team: Icelandic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: is\n" "X-Message-Group: out-statusnet\n" @@ -37,7 +37,7 @@ msgstr "Ekkert þannig merki." #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -53,8 +53,13 @@ msgstr "Ekkert þannig merki." msgid "No such user." msgstr "Enginn svoleiðis notandi." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%s og vinirnir, síða %d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -106,7 +111,7 @@ msgstr "" msgid "You and friends" msgstr "" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -128,7 +133,7 @@ msgstr "Færslur frá %1$s og vinum á %2$s!" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4718,12 +4723,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 #, fuzzy msgid "Password changing failed" msgstr "Lykilorðabreyting" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 #, fuzzy msgid "Password changing is not allowed" msgstr "Lykilorðabreyting" diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index 75bef5300..032a363f0 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:41:54+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:17:18+0000\n" "Language-Team: Italian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: out-statusnet\n" @@ -35,7 +35,7 @@ msgstr "Pagina inesistente." #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -51,8 +51,13 @@ msgstr "Pagina inesistente." msgid "No such user." msgstr "Utente inesistente." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "Profili bloccati di %1$s, pagina %2$d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -113,7 +118,7 @@ msgstr "" msgid "You and friends" msgstr "Tu e i tuoi amici" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -135,7 +140,7 @@ msgstr "Messaggi da %1$s e amici su %2$s!" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4745,11 +4750,11 @@ msgstr "Messaggi in cui appare questo allegato" msgid "Tags for this attachment" msgstr "Etichette per questo allegato" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 msgid "Password changing failed" msgstr "Modifica della password non riuscita" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 msgid "Password changing is not allowed" msgstr "La modifica della password non è permessa" diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index f5808159c..e3eb8b28f 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:41:58+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:17:22+0000\n" "Language-Team: Japanese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: out-statusnet\n" @@ -37,7 +37,7 @@ msgstr "ãã®ã‚ˆã†ãªãƒšãƒ¼ã‚¸ã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -53,8 +53,13 @@ msgstr "ãã®ã‚ˆã†ãªãƒšãƒ¼ã‚¸ã¯ã‚ã‚Šã¾ã›ã‚“。" msgid "No such user." msgstr "ãã®ã‚ˆã†ãªåˆ©ç”¨è€…ã¯ã„ã¾ã›ã‚“。" +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%1$s ブロックã•ã‚ŒãŸãƒ—ロファイルã€ãƒšãƒ¼ã‚¸ %2$d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -112,7 +117,7 @@ msgstr "" msgid "You and friends" msgstr "ã‚ãªãŸã¨å‹äºº" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -134,7 +139,7 @@ msgstr "%2$s ã« %1$s ã¨å‹äººã‹ã‚‰ã®æ›´æ–°ãŒã‚ã‚Šã¾ã™ï¼" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -424,7 +429,7 @@ msgstr "%s 上ã®ã‚°ãƒ«ãƒ¼ãƒ—" #: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 msgid "Bad request." -msgstr "" +msgstr "悪ã„è¦æ±‚。" #: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -445,19 +450,16 @@ msgid "There was a problem with your session token. Try again, please." msgstr "ã‚ãªãŸã®ã‚»ãƒƒã‚·ãƒ§ãƒ³ãƒˆãƒ¼ã‚¯ãƒ³ã«å•é¡ŒãŒã‚ã‚Šã¾ã—ãŸã€‚å†åº¦ãŠè©¦ã—ãã ã•ã„。" #: actions/apioauthauthorize.php:146 -#, fuzzy msgid "Invalid nickname / password!" msgstr "ä¸æ­£ãªãƒ¦ãƒ¼ã‚¶åã¾ãŸã¯ãƒ‘スワード。" #: actions/apioauthauthorize.php:170 -#, fuzzy msgid "DB error deleting OAuth app user." -msgstr "ユーザ設定エラー" +msgstr "OAuth アプリユーザã®å‰Šé™¤æ™‚DBエラー。" #: actions/apioauthauthorize.php:196 -#, fuzzy msgid "DB error inserting OAuth app user." -msgstr "ãƒãƒƒã‚·ãƒ¥ã‚¿ã‚°è¿½åŠ  DB エラー: %s" +msgstr "OAuth アプリユーザã®è¿½åŠ æ™‚DBエラー。" #: actions/apioauthauthorize.php:231 #, php-format @@ -465,11 +467,13 @@ msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" +"リクエストトークン %s ã¯æ‰¿èªã•ã‚Œã¾ã—ãŸã€‚ アクセストークンã¨ãれを交æ›ã—ã¦ãã " +"ã•ã„。" #: actions/apioauthauthorize.php:241 #, php-format msgid "The request token %s has been denied." -msgstr "" +msgstr "リクエストトークン%sã¯å¦å®šã•ã‚Œã¾ã—ãŸã€‚" #: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -482,11 +486,11 @@ msgstr "予期ã›ã¬ãƒ•ã‚©ãƒ¼ãƒ é€ä¿¡ã§ã™ã€‚" #: actions/apioauthauthorize.php:273 msgid "An application would like to connect to your account" -msgstr "" +msgstr "アプリケーションã¯ã‚ãªãŸã®ã‚¢ã‚«ã‚¦ãƒ³ãƒˆã«æŽ¥ç¶šã—ãŸã„ã§ã™" #: actions/apioauthauthorize.php:290 msgid "Allow or deny access" -msgstr "" +msgstr "アクセスを許å¯ã¾ãŸã¯æ‹’絶" #: actions/apioauthauthorize.php:320 lib/action.php:435 msgid "Account" @@ -505,18 +509,16 @@ msgid "Password" msgstr "パスワード" #: actions/apioauthauthorize.php:338 -#, fuzzy msgid "Deny" -msgstr "デザイン" +msgstr "拒絶" #: actions/apioauthauthorize.php:344 -#, fuzzy msgid "Allow" -msgstr "å…¨ã¦" +msgstr "許å¯" #: actions/apioauthauthorize.php:361 msgid "Allow or deny access to your account information." -msgstr "" +msgstr "アカウント情報ã¸ã®ã‚¢ã‚¯ã‚»ã‚¹ã‚’許å¯ã™ã‚‹ã‹ã€ã¾ãŸã¯æ‹’絶ã—ã¦ãã ã•ã„。" #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." @@ -838,7 +840,6 @@ msgid "Couldn't delete email confirmation." msgstr "メール承èªã‚’削除ã§ãã¾ã›ã‚“" #: actions/confirmaddress.php:144 -#, fuzzy msgid "Confirm address" msgstr "アドレスã®ç¢ºèª" @@ -1051,23 +1052,20 @@ msgstr "ãã®ã‚ˆã†ãªãƒ‰ã‚­ãƒ¥ãƒ¡ãƒ³ãƒˆã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/editapplication.php:54 lib/applicationeditform.php:136 msgid "Edit application" -msgstr "" +msgstr "アプリケーション編集" #: actions/editapplication.php:66 -#, fuzzy msgid "You must be logged in to edit an application." -msgstr "グループを編集ã™ã‚‹ã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ã„ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" +msgstr "アプリケーションを編集ã™ã‚‹ã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ã„ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" #: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy msgid "You are not the owner of this application." -msgstr "ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¡ãƒ³ãƒãƒ¼ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" +msgstr "ã“ã®ã‚¢ãƒ—リケーションã®ã‚ªãƒ¼ãƒŠãƒ¼ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 #: actions/showapplication.php:87 -#, fuzzy msgid "No such application." -msgstr "ãã®ã‚ˆã†ãªã¤ã¶ã‚„ãã¯ã‚ã‚Šã¾ã›ã‚“。" +msgstr "ãã®ã‚ˆã†ãªã‚¢ãƒ—リケーションã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/editapplication.php:127 actions/newapplication.php:110 #: actions/showapplication.php:118 lib/action.php:1167 @@ -1075,60 +1073,52 @@ msgid "There was a problem with your session token." msgstr "ã‚ãªãŸã®ã‚»ãƒƒã‚·ãƒ§ãƒ³ãƒˆãƒ¼ã‚¯ãƒ³ã«é–¢ã™ã‚‹å•é¡ŒãŒã‚ã‚Šã¾ã—ãŸã€‚" #: actions/editapplication.php:161 -#, fuzzy msgid "Use this form to edit your application." -msgstr "ã“ã®ãƒ•ã‚©ãƒ¼ãƒ ã‚’使ã£ã¦ã‚°ãƒ«ãƒ¼ãƒ—を編集ã—ã¾ã™ã€‚" +msgstr "ã“ã®ãƒ•ã‚©ãƒ¼ãƒ ã‚’使ã£ã¦ã‚¢ãƒ—リケーションを編集ã—ã¾ã™ã€‚" #: actions/editapplication.php:177 actions/newapplication.php:159 -#, fuzzy msgid "Name is required." -msgstr "上ã®ãƒ‘スワードã¨åŒã˜ã§ã™ã€‚ 必須。" +msgstr "åå‰ã¯å¿…é ˆã§ã™ã€‚" #: actions/editapplication.php:180 actions/newapplication.php:162 -#, fuzzy msgid "Name is too long (max 255 chars)." -msgstr "フルãƒãƒ¼ãƒ ãŒé•·ã™ãŽã¾ã™ã€‚(255å­—ã¾ã§ï¼‰" +msgstr "åå‰ãŒé•·ã™ãŽã¾ã™ã€‚(最大255å­—ã¾ã§ï¼‰" #: actions/editapplication.php:183 actions/newapplication.php:165 -#, fuzzy msgid "Description is required." -msgstr "概è¦" +msgstr "概è¦ãŒå¿…è¦ã§ã™ã€‚" #: actions/editapplication.php:191 msgid "Source URL is too long." -msgstr "" +msgstr "ソースURLãŒé•·ã™ãŽã¾ã™ã€‚" #: actions/editapplication.php:197 actions/newapplication.php:182 -#, fuzzy msgid "Source URL is not valid." -msgstr "ã‚¢ãƒã‚¿ãƒ¼ URL ‘%s’ ãŒæ­£ã—ãã‚ã‚Šã¾ã›ã‚“。" +msgstr "ソースURLãŒä¸æ­£ã§ã™ã€‚" #: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Organization is required." -msgstr "" +msgstr "組織ãŒå¿…è¦ã§ã™ã€‚" #: actions/editapplication.php:203 actions/newapplication.php:188 -#, fuzzy msgid "Organization is too long (max 255 chars)." -msgstr "場所ãŒé•·ã™ãŽã¾ã™ã€‚(255å­—ã¾ã§ï¼‰" +msgstr "組織ãŒé•·ã™ãŽã¾ã™ã€‚(最大255字)" #: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization homepage is required." -msgstr "" +msgstr "組織ã®ãƒ›ãƒ¼ãƒ ãƒšãƒ¼ã‚¸ãŒå¿…è¦ã§ã™ã€‚" #: actions/editapplication.php:215 actions/newapplication.php:203 msgid "Callback is too long." -msgstr "" +msgstr "コールãƒãƒƒã‚¯ãŒé•·ã™ãŽã¾ã™ã€‚" #: actions/editapplication.php:222 actions/newapplication.php:212 -#, fuzzy msgid "Callback URL is not valid." -msgstr "ã‚¢ãƒã‚¿ãƒ¼ URL ‘%s’ ãŒæ­£ã—ãã‚ã‚Šã¾ã›ã‚“。" +msgstr "コールãƒãƒƒã‚¯URLãŒä¸æ­£ã§ã™ã€‚" #: actions/editapplication.php:255 -#, fuzzy msgid "Could not update application." -msgstr "グループを更新ã§ãã¾ã›ã‚“。" +msgstr "アプリケーションを更新ã§ãã¾ã›ã‚“。" #: actions/editgroup.php:56 #, php-format @@ -2043,26 +2033,23 @@ msgstr "ç¾åœ¨ã®ã‚¹ãƒ†ãƒ¼ã‚¿ã‚¹ã¯ã‚ã‚Šã¾ã›ã‚“" #: actions/newapplication.php:52 msgid "New application" -msgstr "" +msgstr "æ–°ã—ã„アプリケーション" #: actions/newapplication.php:64 -#, fuzzy msgid "You must be logged in to register an application." -msgstr "グループを作るã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ã„ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" +msgstr "アプリケーションを登録ã™ã‚‹ã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ã„ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" #: actions/newapplication.php:143 -#, fuzzy msgid "Use this form to register a new application." -msgstr "ã“ã®ãƒ•ã‚©ãƒ¼ãƒ ã‚’使ã£ã¦æ–°ã—ã„グループを作æˆã—ã¾ã™ã€‚" +msgstr "ã“ã®ãƒ•ã‚©ãƒ¼ãƒ ã‚’使ã£ã¦æ–°ã—ã„アプリケーションを登録ã—ã¾ã™ã€‚" #: actions/newapplication.php:173 msgid "Source URL is required." -msgstr "" +msgstr "ソースURLãŒå¿…è¦ã§ã™ã€‚" #: actions/newapplication.php:255 actions/newapplication.php:264 -#, fuzzy msgid "Could not create application." -msgstr "別åを作æˆã§ãã¾ã›ã‚“。" +msgstr "アプリケーションを作æˆã§ãã¾ã›ã‚“。" #: actions/newgroup.php:53 msgid "New group" @@ -2177,49 +2164,48 @@ msgid "Nudge sent!" msgstr "åˆå›³ã‚’é€ã£ãŸ!" #: actions/oauthappssettings.php:59 -#, fuzzy msgid "You must be logged in to list your applications." -msgstr "グループを編集ã™ã‚‹ã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ã„ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" +msgstr "アプリケーションをリストã™ã‚‹ã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ã„ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" #: actions/oauthappssettings.php:74 -#, fuzzy msgid "OAuth applications" -msgstr "ãã®ä»–ã®ã‚ªãƒ—ション" +msgstr "OAuth アプリケーション" #: actions/oauthappssettings.php:85 msgid "Applications you have registered" -msgstr "" +msgstr "ã‚ãªãŸãŒç™»éŒ²ã—ãŸã‚¢ãƒ—リケーション" #: actions/oauthappssettings.php:135 #, php-format msgid "You have not registered any applications yet." -msgstr "" +msgstr "ã‚ãªãŸã¯ã¾ã ãªã‚“ã®ã‚¢ãƒ—リケーションも登録ã—ã¦ã„ã¾ã›ã‚“。" #: actions/oauthconnectionssettings.php:71 msgid "Connected applications" -msgstr "" +msgstr "接続ã•ã‚ŒãŸã‚¢ãƒ—リケーション" #: actions/oauthconnectionssettings.php:87 msgid "You have allowed the following applications to access you account." -msgstr "" +msgstr "ã‚ãªãŸã®ã‚¢ã‚«ã‚¦ãƒ³ãƒˆã«ã‚¢ã‚¯ã‚»ã‚¹ã™ã‚‹ä»¥ä¸‹ã®ã‚¢ãƒ—リケーションを許å¯ã—ã¾ã—ãŸã€‚" #: actions/oauthconnectionssettings.php:170 -#, fuzzy msgid "You are not a user of that application." -msgstr "ã‚ãªãŸã¯ãã®ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¡ãƒ³ãƒãƒ¼ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" +msgstr "ã‚ãªãŸã¯ãã®ã‚¢ãƒ—リケーションã®åˆ©ç”¨è€…ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/oauthconnectionssettings.php:180 msgid "Unable to revoke access for app: " -msgstr "" +msgstr "アプリケーションã®ãŸã‚ã®å–消ã—アクセスãŒã§ãã¾ã›ã‚“: " #: actions/oauthconnectionssettings.php:192 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" +"ã‚ãªãŸã¯ã€ã©ã‚“ãªã‚¢ãƒ—リケーションもã‚ãªãŸã®ã‚¢ã‚«ã‚¦ãƒ³ãƒˆã‚’使用ã™ã‚‹ã®ã‚’èªå¯ã—ã¦ã„" +"ã¾ã›ã‚“。" #: actions/oauthconnectionssettings.php:205 msgid "Developers can edit the registration settings for their applications " -msgstr "" +msgstr "開発者ã¯å½¼ã‚‰ã®ã‚¢ãƒ—リケーションã®ãŸã‚ã«ç™»éŒ²è¨­å®šã‚’編集ã§ãã¾ã™ " #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" @@ -2252,7 +2238,6 @@ msgid "Notice Search" msgstr "ã¤ã¶ã‚„ã検索" #: actions/othersettings.php:60 -#, fuzzy msgid "Other settings" msgstr "ãã®ä»–ã®è¨­å®š" @@ -3178,18 +3163,16 @@ msgid "User is already sandboxed." msgstr "利用者ã¯ã™ã§ã«ã‚µãƒ³ãƒ‰ãƒœãƒƒã‚¯ã‚¹ã§ã™ã€‚" #: actions/showapplication.php:82 -#, fuzzy msgid "You must be logged in to view an application." -msgstr "グループã‹ã‚‰é›¢ã‚Œã‚‹ã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ã„ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" +msgstr "!!アプリケーションを見るãŸã‚ã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ã„ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" #: actions/showapplication.php:158 -#, fuzzy msgid "Application profile" -msgstr "ã¤ã¶ã‚„ãã«ã¯ãƒ—ロファイルã¯ã‚ã‚Šã¾ã›ã‚“。" +msgstr "アプリケーションプロファイル" #: actions/showapplication.php:160 lib/applicationeditform.php:182 msgid "Icon" -msgstr "" +msgstr "アイコン" #: actions/showapplication.php:170 actions/version.php:195 #: lib/applicationeditform.php:197 @@ -3197,9 +3180,8 @@ msgid "Name" msgstr "åå‰" #: actions/showapplication.php:179 lib/applicationeditform.php:224 -#, fuzzy msgid "Organization" -msgstr "ページ化" +msgstr "組織" #: actions/showapplication.php:188 actions/version.php:198 #: lib/applicationeditform.php:211 lib/groupeditform.php:172 @@ -3218,15 +3200,15 @@ msgstr "" #: actions/showapplication.php:214 msgid "Application actions" -msgstr "" +msgstr "アプリケーションアクション" #: actions/showapplication.php:233 msgid "Reset key & secret" -msgstr "" +msgstr "key 㨠secret ã®ãƒªã‚»ãƒƒãƒˆ" #: actions/showapplication.php:241 msgid "Application info" -msgstr "" +msgstr "アプリケーション情報" #: actions/showapplication.php:243 msgid "Consumer key" @@ -3238,22 +3220,23 @@ msgstr "" #: actions/showapplication.php:253 msgid "Request token URL" -msgstr "" +msgstr "リクエストトークンURL" #: actions/showapplication.php:258 msgid "Access token URL" -msgstr "" +msgstr "アクセストークンURL" #: actions/showapplication.php:263 -#, fuzzy msgid "Authorize URL" -msgstr "作者" +msgstr "承èªURL" #: actions/showapplication.php:268 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +"注æ„: ç§ãŸã¡ã¯HMAC-SHA1ç½²åをサãƒãƒ¼ãƒˆã—ã¾ã™ã€‚ ç§ãŸã¡ã¯å¹³æ–‡ç½²åメソッドをサ" +"ãƒãƒ¼ãƒˆã—ã¾ã›ã‚“。" #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." @@ -4635,7 +4618,7 @@ msgstr "パス設定" #: lib/applicationeditform.php:186 msgid "Icon for this application" -msgstr "" +msgstr "ã“ã®ã‚¢ãƒ—リケーションã®ã‚¢ã‚¤ã‚³ãƒ³" #: lib/applicationeditform.php:206 #, fuzzy, php-format @@ -4659,45 +4642,45 @@ msgstr "グループやトピックã®ãƒ›ãƒ¼ãƒ ãƒšãƒ¼ã‚¸ã‚„ブログ㮠URL" #: lib/applicationeditform.php:226 msgid "Organization responsible for this application" -msgstr "" +msgstr "ã“ã®ã‚¢ãƒ—リケーションã«è²¬ä»»ãŒã‚る組織" #: lib/applicationeditform.php:232 -#, fuzzy msgid "URL for the homepage of the organization" -msgstr "グループやトピックã®ãƒ›ãƒ¼ãƒ ãƒšãƒ¼ã‚¸ã‚„ブログ㮠URL" +msgstr "組織ã®ãƒ›ãƒ¼ãƒ ãƒšãƒ¼ã‚¸ã®URL" #: lib/applicationeditform.php:238 msgid "URL to redirect to after authentication" -msgstr "" +msgstr "èªè¨¼ã®å¾Œã«ãƒªãƒ€ã‚¤ãƒ¬ã‚¯ãƒˆã™ã‚‹URL" #: lib/applicationeditform.php:260 msgid "Browser" -msgstr "" +msgstr "ブラウザ" #: lib/applicationeditform.php:276 msgid "Desktop" -msgstr "" +msgstr "デスクトップ" #: lib/applicationeditform.php:277 msgid "Type of application, browser or desktop" -msgstr "" +msgstr "アプリケーションã€ãƒ–ラウザã€ã¾ãŸã¯ãƒ‡ã‚¹ã‚¯ãƒˆãƒƒãƒ—ã®ã‚¿ã‚¤ãƒ—" #: lib/applicationeditform.php:299 msgid "Read-only" -msgstr "" +msgstr "リードオンリー" #: lib/applicationeditform.php:317 msgid "Read-write" -msgstr "" +msgstr "リードライト" #: lib/applicationeditform.php:318 msgid "Default access for this application: read-only, or read-write" msgstr "" +"ã“ã®ã‚¢ãƒ—リケーションã®ãŸã‚ã®ãƒ‡ãƒ•ã‚©ãƒ«ãƒˆã‚¢ã‚¯ã‚»ã‚¹: リードオンリーã€ã¾ãŸã¯ãƒªãƒ¼ãƒ‰" +"ライト" #: lib/applicationlist.php:154 -#, fuzzy msgid "Revoke" -msgstr "削除" +msgstr "å–消ã—" #: lib/attachmentlist.php:87 msgid "Attachments" @@ -4719,11 +4702,11 @@ msgstr "ã“ã®æ·»ä»˜ãŒç¾ã‚Œã‚‹ã¤ã¶ã‚„ã" msgid "Tags for this attachment" msgstr "ã“ã®æ·»ä»˜ã®ã‚¿ã‚°" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 msgid "Password changing failed" msgstr "パスワード変更ã«å¤±æ•—ã—ã¾ã—ãŸ" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 msgid "Password changing is not allowed" msgstr "パスワード変更ã¯è¨±å¯ã•ã‚Œã¦ã„ã¾ã›ã‚“" @@ -5016,13 +4999,12 @@ msgid "Updates by SMS" msgstr "SMSã§ã®æ›´æ–°" #: lib/connectsettingsaction.php:120 -#, fuzzy msgid "Connections" msgstr "接続" #: lib/connectsettingsaction.php:121 msgid "Authorized connected applications" -msgstr "" +msgstr "承èªã•ã‚ŒãŸæŽ¥ç¶šã‚¢ãƒ—リケーション" #: lib/dberroraction.php:60 msgid "Database error" diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index f8eb3def8..9c5c45352 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:42:02+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:17:27+0000\n" "Language-Team: Korean\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: out-statusnet\n" @@ -34,7 +34,7 @@ msgstr "그러한 태그가 없습니다." #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -50,8 +50,13 @@ msgstr "그러한 태그가 없습니다." msgid "No such user." msgstr "그러한 사용ìžëŠ” 없습니다." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%s 와 친구들, %d 페ì´ì§€" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -104,7 +109,7 @@ msgstr "" msgid "You and friends" msgstr "%s ë° ì¹œêµ¬ë“¤" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -126,7 +131,7 @@ msgstr "%1$s ë° %2$sì— ìžˆëŠ” ì¹œêµ¬ë“¤ì˜ ì—…ë°ì´íŠ¸!" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4745,12 +4750,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 #, fuzzy msgid "Password changing failed" msgstr "비밀번호 변경" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 #, fuzzy msgid "Password changing is not allowed" msgstr "비밀번호 변경" diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index ecb3c09e5..b9b98498a 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:42:05+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:17:31+0000\n" "Language-Team: Macedonian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: out-statusnet\n" @@ -35,7 +35,7 @@ msgstr "Ðема таква Ñтраница" #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -51,8 +51,13 @@ msgstr "Ðема таква Ñтраница" msgid "No such user." msgstr "Ðема таков кориÑник." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%1$s блокирани профили, ÑÑ‚Ñ€. %2$d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -113,7 +118,7 @@ msgstr "" msgid "You and friends" msgstr "Вие и пријателите" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -135,7 +140,7 @@ msgstr "Подновувања од %1$s и пријатели на %2$s!" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -425,7 +430,7 @@ msgstr "групи на %s" #: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 msgid "Bad request." -msgstr "" +msgstr "Лошо барање." #: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -446,31 +451,30 @@ msgid "There was a problem with your session token. Try again, please." msgstr "Се поајви проблем Ñо Вашиот ÑеÑиÑки жетон. Обидете Ñе повторно." #: actions/apioauthauthorize.php:146 -#, fuzzy msgid "Invalid nickname / password!" -msgstr "Погрешно име или лозинка." +msgstr "Погрешен прекар / лозинка!" #: actions/apioauthauthorize.php:170 -#, fuzzy msgid "DB error deleting OAuth app user." -msgstr "Грешка во поÑтавувањето на кориÑникот." +msgstr "Грешка при бришењето на кориÑникот на OAuth-програмот." #: actions/apioauthauthorize.php:196 -#, fuzzy msgid "DB error inserting OAuth app user." -msgstr "Грешка во базата на податоци при вметнувањето на хеш-ознака: %s" +msgstr "" +"Грешка во базата на податоци при вметнувањето на кориÑникот на OAuth-" +"програмот." #: actions/apioauthauthorize.php:231 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." -msgstr "" +msgstr "Жетонот на барањето %s е одобрен. Заменете го Ñо жетон за приÑтап." #: actions/apioauthauthorize.php:241 #, php-format msgid "The request token %s has been denied." -msgstr "" +msgstr "Жетонот на барањето %s е одбиен." #: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -483,11 +487,11 @@ msgstr "Ðеочекувано поднеÑување на образец." #: actions/apioauthauthorize.php:273 msgid "An application would like to connect to your account" -msgstr "" +msgstr "Има програм кој Ñака да Ñе поврзе Ñо Вашата Ñметка" #: actions/apioauthauthorize.php:290 msgid "Allow or deny access" -msgstr "" +msgstr "Дозволи или одбиј приÑтап" #: actions/apioauthauthorize.php:320 lib/action.php:435 msgid "Account" @@ -506,18 +510,16 @@ msgid "Password" msgstr "Лозинка" #: actions/apioauthauthorize.php:338 -#, fuzzy msgid "Deny" -msgstr "Изглед" +msgstr "Одбиј" #: actions/apioauthauthorize.php:344 -#, fuzzy msgid "Allow" -msgstr "Сè" +msgstr "Дозволи" #: actions/apioauthauthorize.php:361 msgid "Allow or deny access to your account information." -msgstr "" +msgstr "Дозволете или одбијте приÑтап до податоците за Вашата Ñметка." #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." @@ -843,9 +845,8 @@ msgid "Couldn't delete email confirmation." msgstr "Ðе можев да ја избришам потврдата по е-пошта." #: actions/confirmaddress.php:144 -#, fuzzy msgid "Confirm address" -msgstr "Потврди ја адреÑата" +msgstr "Потврди адреÑа" #: actions/confirmaddress.php:159 #, php-format @@ -1056,23 +1057,20 @@ msgstr "Ðема таков документ." #: actions/editapplication.php:54 lib/applicationeditform.php:136 msgid "Edit application" -msgstr "" +msgstr "Уреди програм" #: actions/editapplication.php:66 -#, fuzzy msgid "You must be logged in to edit an application." -msgstr "Мора да Ñте најавени за да можете да уредувате група." +msgstr "Мора да Ñте најавени за да можете да уредувате програми." #: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy msgid "You are not the owner of this application." -msgstr "Ðе членувате во оваа група." +msgstr "Ðе Ñте ÑопÑтвеник на овој програм." #: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 #: actions/showapplication.php:87 -#, fuzzy msgid "No such application." -msgstr "Ðема таква забелешка." +msgstr "Ðема таков програм." #: actions/editapplication.php:127 actions/newapplication.php:110 #: actions/showapplication.php:118 lib/action.php:1167 @@ -1080,60 +1078,52 @@ msgid "There was a problem with your session token." msgstr "Се појави проблем Ñо Вашиот ÑеÑиÑки жетон." #: actions/editapplication.php:161 -#, fuzzy msgid "Use this form to edit your application." -msgstr "ОБразецов Ñлужи за уредување на групата." +msgstr "Образецов Ñлужи за уредување на програмот." #: actions/editapplication.php:177 actions/newapplication.php:159 -#, fuzzy msgid "Name is required." -msgstr "ИÑто што и лозинката погоре. Задолжително поле." +msgstr "Треба име." #: actions/editapplication.php:180 actions/newapplication.php:162 -#, fuzzy msgid "Name is too long (max 255 chars)." -msgstr "Целото име е предолго (макÑимум 255 знаци)" +msgstr "Името е предолго (макÑимум 255 знаци)." #: actions/editapplication.php:183 actions/newapplication.php:165 -#, fuzzy msgid "Description is required." -msgstr "ОпиÑ" +msgstr "Треба опиÑ." #: actions/editapplication.php:191 msgid "Source URL is too long." -msgstr "" +msgstr "Изворната URL-адреÑа е предолга." #: actions/editapplication.php:197 actions/newapplication.php:182 -#, fuzzy msgid "Source URL is not valid." -msgstr "URL-адреÑата „%s“ за аватар е неважечка." +msgstr "Изворната URL-адреÑа е неважечка." #: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Organization is required." -msgstr "" +msgstr "Треба организација." #: actions/editapplication.php:203 actions/newapplication.php:188 -#, fuzzy msgid "Organization is too long (max 255 chars)." -msgstr "Локацијата е предолга (макÑимумот е 255 знаци)." +msgstr "Организацијата е предолга (макÑимумот е 255 знаци)." #: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization homepage is required." -msgstr "" +msgstr "Треба домашна Ñтраница на организацијата." #: actions/editapplication.php:215 actions/newapplication.php:203 msgid "Callback is too long." -msgstr "" +msgstr "Повикувањето е предолго." #: actions/editapplication.php:222 actions/newapplication.php:212 -#, fuzzy msgid "Callback URL is not valid." -msgstr "URL-адреÑата „%s“ за аватар е неважечка." +msgstr "URL-адреÑата за повикување е неважечка." #: actions/editapplication.php:255 -#, fuzzy msgid "Could not update application." -msgstr "Ðе можев да ја подновам групата." +msgstr "Ðе можев да го подновам програмот." #: actions/editgroup.php:56 #, php-format @@ -2054,26 +2044,23 @@ msgstr "Ðема тековен ÑтатуÑ" #: actions/newapplication.php:52 msgid "New application" -msgstr "" +msgstr "Ðов програм" #: actions/newapplication.php:64 -#, fuzzy msgid "You must be logged in to register an application." -msgstr "Мора да Ñте најавени за да можете да Ñоздавате групи." +msgstr "Мора да Ñте најавени за да можете да региÑтрирате програм." #: actions/newapplication.php:143 -#, fuzzy msgid "Use this form to register a new application." -msgstr "Овој образец Ñлужи за Ñоздавање нова група." +msgstr "Овој образец Ñлужи за региÑтрирање на нов програм." #: actions/newapplication.php:173 msgid "Source URL is required." -msgstr "" +msgstr "Треба изворна URL-адреÑа." #: actions/newapplication.php:255 actions/newapplication.php:264 -#, fuzzy msgid "Could not create application." -msgstr "Ðе можеше да Ñе Ñоздадат алијаÑи." +msgstr "Ðе можеше да Ñе Ñоздаде програмот." #: actions/newgroup.php:53 msgid "New group" @@ -2191,49 +2178,47 @@ msgid "Nudge sent!" msgstr "Подбуцнувањето е иÑпратено!" #: actions/oauthappssettings.php:59 -#, fuzzy msgid "You must be logged in to list your applications." -msgstr "Мора да Ñте најавени за да можете да уредувате група." +msgstr "Мора да Ñте најавени за да можете да ги наведете програмите." #: actions/oauthappssettings.php:74 -#, fuzzy msgid "OAuth applications" -msgstr "Други нагодувања" +msgstr "OAuth програми" #: actions/oauthappssettings.php:85 msgid "Applications you have registered" -msgstr "" +msgstr "Програми што ги имате региÑтрирано" #: actions/oauthappssettings.php:135 #, php-format msgid "You have not registered any applications yet." -msgstr "" +msgstr "Сè уште немате региÑтрирано ниеден програм," #: actions/oauthconnectionssettings.php:71 msgid "Connected applications" -msgstr "" +msgstr "Поврзани програми" #: actions/oauthconnectionssettings.php:87 msgid "You have allowed the following applications to access you account." -msgstr "" +msgstr "Им имате дозволено приÑтап до Вашата Ñметка на Ñледните програми." #: actions/oauthconnectionssettings.php:170 -#, fuzzy msgid "You are not a user of that application." -msgstr "Ðе членувате во таа група." +msgstr "Ðе Ñте кориÑник на тој програм." #: actions/oauthconnectionssettings.php:180 msgid "Unable to revoke access for app: " -msgstr "" +msgstr "Ðе можам да му го одземам приÑтапот на програмот: " #: actions/oauthconnectionssettings.php:192 #, php-format msgid "You have not authorized any applications to use your account." -msgstr "" +msgstr "Му немате дозволено приÑтап до Вашата Ñметка на ниеден програм." #: actions/oauthconnectionssettings.php:205 msgid "Developers can edit the registration settings for their applications " msgstr "" +"Развивачите можат да ги нагодат региÑтрациÑките поÑтавки за нивните програми " #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" @@ -2266,7 +2251,6 @@ msgid "Notice Search" msgstr "Пребарување на забелешки" #: actions/othersettings.php:60 -#, fuzzy msgid "Other settings" msgstr "Други нагодувања" @@ -2326,7 +2310,7 @@ msgstr "Излезно Ñандаче за %s" #: actions/outbox.php:116 msgid "This is your outbox, which lists private messages you have sent." msgstr "" -"Ова е вашето излезно Ñандче, во кое Ñе наведени приватните пораки кои ги " +"Ова е Вашето излезно Ñандче, во кое Ñе наведени приватните пораки кои ги " "имате иÑпратено." #: actions/passwordsettings.php:58 @@ -3201,18 +3185,16 @@ msgid "User is already sandboxed." msgstr "КориÑникот е веќе во пеÑочен режим." #: actions/showapplication.php:82 -#, fuzzy msgid "You must be logged in to view an application." -msgstr "Мора да Ñте најавени за да можете да ја напуштите групата." +msgstr "Мора да Ñте најавени за да можете да го видите програмот." #: actions/showapplication.php:158 -#, fuzzy msgid "Application profile" -msgstr "Забелешката нема профил" +msgstr "Профил на програмот" #: actions/showapplication.php:160 lib/applicationeditform.php:182 msgid "Icon" -msgstr "" +msgstr "Икона" #: actions/showapplication.php:170 actions/version.php:195 #: lib/applicationeditform.php:197 @@ -3220,9 +3202,8 @@ msgid "Name" msgstr "Име" #: actions/showapplication.php:179 lib/applicationeditform.php:224 -#, fuzzy msgid "Organization" -msgstr "Прелом на Ñтраници" +msgstr "Организација" #: actions/showapplication.php:188 actions/version.php:198 #: lib/applicationeditform.php:211 lib/groupeditform.php:172 @@ -3237,46 +3218,47 @@ msgstr "СтатиÑтики" #: actions/showapplication.php:204 #, php-format msgid "created by %1$s - %2$s access by default - %3$d users" -msgstr "" +msgstr "Ñоздал: %1$s - оÑновен приÑтап: %2$s - %3$d кориÑници" #: actions/showapplication.php:214 msgid "Application actions" -msgstr "" +msgstr "ДејÑтва на програмот" #: actions/showapplication.php:233 msgid "Reset key & secret" -msgstr "" +msgstr "Клуч за промена и тајна" #: actions/showapplication.php:241 msgid "Application info" -msgstr "" +msgstr "Инфо за програмот" #: actions/showapplication.php:243 msgid "Consumer key" -msgstr "" +msgstr "Потрошувачки клуч" #: actions/showapplication.php:248 msgid "Consumer secret" -msgstr "" +msgstr "Потрошувачка тајна" #: actions/showapplication.php:253 msgid "Request token URL" -msgstr "" +msgstr "URL на жетонот на барањето" #: actions/showapplication.php:258 msgid "Access token URL" -msgstr "" +msgstr "URL на приÑтапниот жетон" #: actions/showapplication.php:263 -#, fuzzy msgid "Authorize URL" -msgstr "Ðвтор" +msgstr "Одобри URL" #: actions/showapplication.php:268 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +"Ðапомена: Поддржуваме HMAC-SHA1 потпиÑи. Ðе поддржуваме потпишување Ñо проÑÑ‚ " +"текÑÑ‚." #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." @@ -3793,11 +3775,11 @@ msgstr "Ðема телефонÑки број." #: actions/smssettings.php:311 msgid "No carrier selected." -msgstr "Ðема избрано оператор." +msgstr "Ðемате избрано оператор." #: actions/smssettings.php:318 msgid "That is already your phone number." -msgstr "Ова и Ñега е вашиот телефонÑки број." +msgstr "Ова и Ñега е Вашиот телефонÑки број." #: actions/smssettings.php:321 msgid "That phone number already belongs to another user." @@ -3817,7 +3799,7 @@ msgstr "Ова е погрешен потврден број." #: actions/smssettings.php:405 msgid "That is not your phone number." -msgstr "Тоа не е вашиот телефонÑки број." +msgstr "Тоа не е Вашиот телефонÑки број." #: actions/smssettings.php:465 msgid "Mobile carrier" @@ -4672,69 +4654,65 @@ msgstr "Конфигурација на патеки" #: lib/applicationeditform.php:186 msgid "Icon for this application" -msgstr "" +msgstr "Икона за овој програм" #: lib/applicationeditform.php:206 -#, fuzzy, php-format +#, php-format msgid "Describe your application in %d characters" -msgstr "Опишете ја групата или темата Ñо %d знаци" +msgstr "Опишете го програмот Ñо %d знаци" #: lib/applicationeditform.php:209 -#, fuzzy msgid "Describe your application" -msgstr "Опишете ја групата или темата" +msgstr "Опишете го Вашиот програм" #: lib/applicationeditform.php:218 -#, fuzzy msgid "Source URL" -msgstr "Изворен код" +msgstr "Изворна URL-адреÑа" #: lib/applicationeditform.php:220 -#, fuzzy msgid "URL of the homepage of this application" -msgstr "URL на Ñтраницата или блогот на групата или темата" +msgstr "URL на Ñтраницата на програмот" #: lib/applicationeditform.php:226 msgid "Organization responsible for this application" -msgstr "" +msgstr "Организацијата одговорна за овој програм" #: lib/applicationeditform.php:232 -#, fuzzy msgid "URL for the homepage of the organization" -msgstr "URL на Ñтраницата или блогот на групата или темата" +msgstr "URL на Ñтраницата на организацијата" #: lib/applicationeditform.php:238 msgid "URL to redirect to after authentication" -msgstr "" +msgstr "URL за пренаÑочување по заверката" #: lib/applicationeditform.php:260 msgid "Browser" -msgstr "" +msgstr "ПрелиÑтувач" #: lib/applicationeditform.php:276 msgid "Desktop" -msgstr "" +msgstr "Работна површина" #: lib/applicationeditform.php:277 msgid "Type of application, browser or desktop" -msgstr "" +msgstr "Тип на програм, прелиÑтувач или работна површина" #: lib/applicationeditform.php:299 msgid "Read-only" -msgstr "" +msgstr "Само читање" #: lib/applicationeditform.php:317 msgid "Read-write" -msgstr "" +msgstr "Читање-пишување" #: lib/applicationeditform.php:318 msgid "Default access for this application: read-only, or read-write" msgstr "" +"ОÑновно-зададен приÑтап за овој програм: Ñамо читање, или читање-пишување" #: lib/applicationlist.php:154 -#, fuzzy msgid "Revoke" -msgstr "ОтÑтрани" +msgstr "Одземи" #: lib/attachmentlist.php:87 msgid "Attachments" @@ -4756,11 +4734,11 @@ msgstr "Забелешки кадешто Ñе јавува овој прило msgid "Tags for this attachment" msgstr "Ознаки за овој прилог" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 msgid "Password changing failed" msgstr "Менувањето на лозинката не уÑпеа" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 msgid "Password changing is not allowed" msgstr "Менувањето на лозинка не е дозволено" @@ -5094,13 +5072,12 @@ msgid "Updates by SMS" msgstr "Подновувања по СМС" #: lib/connectsettingsaction.php:120 -#, fuzzy msgid "Connections" -msgstr "Поврзи Ñе" +msgstr "Сврзувања" #: lib/connectsettingsaction.php:121 msgid "Authorized connected applications" -msgstr "" +msgstr "ОвлаÑтени поврзани програми" #: lib/dberroraction.php:60 msgid "Database error" @@ -5701,7 +5678,7 @@ msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" msgstr "" -"Жалиме, но добивањето на вашата меÑтоположба трае подолго од очекуваното. " +"Жалиме, но добивањето на Вашата меÑтоположба трае подолго од очекуваното. " "Обидете Ñе подоцна." #: lib/noticelist.php:428 diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index 7cafbc5f0..a0e92f8fd 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:42:09+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:17:35+0000\n" "Language-Team: Norwegian (bokmÃ¥l)‬\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: out-statusnet\n" @@ -34,7 +34,7 @@ msgstr "Ingen slik side" #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -50,8 +50,13 @@ msgstr "Ingen slik side" msgid "No such user." msgstr "Ingen slik bruker" +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%s og venner" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -110,7 +115,7 @@ msgstr "" msgid "You and friends" msgstr "Du og venner" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -132,7 +137,7 @@ msgstr "Oppdateringer fra %1$s og venner pÃ¥ %2$s!" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4638,12 +4643,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 #, fuzzy msgid "Password changing failed" msgstr "Passordet ble lagret" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 #, fuzzy msgid "Password changing is not allowed" msgstr "Passordet ble lagret" diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index 441d61ad0..c616a3c41 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:42:16+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:17:42+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: out-statusnet\n" @@ -36,7 +36,7 @@ msgstr "Deze pagina bestaat niet" #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -52,8 +52,13 @@ msgstr "Deze pagina bestaat niet" msgid "No such user." msgstr "Onbekende gebruiker." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%1$s geblokkeerde profielen, pagina %2$d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -114,7 +119,7 @@ msgstr "" msgid "You and friends" msgstr "U en vrienden" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -136,7 +141,7 @@ msgstr "Updates van %1$s en vrienden op %2$s." #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -431,7 +436,7 @@ msgstr "groepen op %s" #: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 msgid "Bad request." -msgstr "" +msgstr "Ongeldig verzoek." #: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -454,19 +459,20 @@ msgstr "" "alstublieft." #: actions/apioauthauthorize.php:146 -#, fuzzy msgid "Invalid nickname / password!" msgstr "Ongeldige gebruikersnaam of wachtwoord." #: actions/apioauthauthorize.php:170 -#, fuzzy msgid "DB error deleting OAuth app user." -msgstr "Er is een fout opgetreden tijdens het instellen van de gebruiker." +msgstr "" +"Er is een databasefout opgetreden tijdens het verwijderen van de OAuth " +"applicatiegebruiker." #: actions/apioauthauthorize.php:196 -#, fuzzy msgid "DB error inserting OAuth app user." -msgstr "Er is een databasefout opgetreden bij de invoer van de hashtag: %s" +msgstr "" +"Er is een databasefout opgetreden tijdens het toevoegen van de OAuth " +"applicatiegebruiker." #: actions/apioauthauthorize.php:231 #, php-format @@ -474,11 +480,13 @@ msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" +"Het verzoektoken %s is geautoriseerd. Wissel het alstublieft uit voor een " +"toegangstoken." #: actions/apioauthauthorize.php:241 #, php-format msgid "The request token %s has been denied." -msgstr "" +msgstr "Het verzoektoken %s is geweigerd." #: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -491,11 +499,11 @@ msgstr "Het formulier is onverwacht ingezonden." #: actions/apioauthauthorize.php:273 msgid "An application would like to connect to your account" -msgstr "" +msgstr "Een applicatie vraagt toegang tot uw gebruikersgegevens" #: actions/apioauthauthorize.php:290 msgid "Allow or deny access" -msgstr "" +msgstr "Toegang toestaan of ontzeggen" #: actions/apioauthauthorize.php:320 lib/action.php:435 msgid "Account" @@ -514,18 +522,16 @@ msgid "Password" msgstr "Wachtwoord" #: actions/apioauthauthorize.php:338 -#, fuzzy msgid "Deny" -msgstr "Uiterlijk" +msgstr "Ontzeggen" #: actions/apioauthauthorize.php:344 -#, fuzzy msgid "Allow" -msgstr "Alle" +msgstr "Toestaan" #: actions/apioauthauthorize.php:361 msgid "Allow or deny access to your account information." -msgstr "" +msgstr "Toegang tot uw gebruikersgegevens toestaan of ontzeggen." #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." @@ -850,7 +856,6 @@ msgid "Couldn't delete email confirmation." msgstr "De e-mailbevestiging kon niet verwijderd worden." #: actions/confirmaddress.php:144 -#, fuzzy msgid "Confirm address" msgstr "Adres bevestigen" @@ -1064,23 +1069,20 @@ msgstr "Onbekend document." #: actions/editapplication.php:54 lib/applicationeditform.php:136 msgid "Edit application" -msgstr "" +msgstr "Applicatie bewerken" #: actions/editapplication.php:66 -#, fuzzy msgid "You must be logged in to edit an application." -msgstr "U moet aangemeld zijn om een groep te kunnen bewerken." +msgstr "U moet aangemeld zijn om een applicatie te kunnen bewerken." #: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy msgid "You are not the owner of this application." -msgstr "U bent geen lid van deze groep." +msgstr "U bent niet de eigenaar van deze applicatie." #: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 #: actions/showapplication.php:87 -#, fuzzy msgid "No such application." -msgstr "De mededeling bestaat niet." +msgstr "De applicatie bestaat niet." #: actions/editapplication.php:127 actions/newapplication.php:110 #: actions/showapplication.php:118 lib/action.php:1167 @@ -1088,60 +1090,52 @@ msgid "There was a problem with your session token." msgstr "Er is een probleem met uw sessietoken." #: actions/editapplication.php:161 -#, fuzzy msgid "Use this form to edit your application." -msgstr "Gebruik dit formulier om de groep te bewerken." +msgstr "Gebruik dit formulier om uw applicatiegegevens te bewerken." #: actions/editapplication.php:177 actions/newapplication.php:159 -#, fuzzy msgid "Name is required." -msgstr "Gelijk aan het wachtwoord hierboven. Verplicht" +msgstr "Een naam is verplicht." #: actions/editapplication.php:180 actions/newapplication.php:162 -#, fuzzy msgid "Name is too long (max 255 chars)." -msgstr "De volledige naam is te lang (maximaal 255 tekens)." +msgstr "De naam is te lang (maximaal 255 tekens)." #: actions/editapplication.php:183 actions/newapplication.php:165 -#, fuzzy msgid "Description is required." -msgstr "Beschrijving" +msgstr "Een beschrijving is verplicht" #: actions/editapplication.php:191 msgid "Source URL is too long." -msgstr "" +msgstr "De bron-URL is te lang." #: actions/editapplication.php:197 actions/newapplication.php:182 -#, fuzzy msgid "Source URL is not valid." -msgstr "De avatar-URL \"%s\" is niet geldig." +msgstr "De bron-URL is niet geldig." #: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Organization is required." -msgstr "" +msgstr "Organisatie is verplicht." #: actions/editapplication.php:203 actions/newapplication.php:188 -#, fuzzy msgid "Organization is too long (max 255 chars)." -msgstr "Locatie is te lang (maximaal 255 tekens)." +msgstr "De organisatienaam is te lang (maximaal 255 tekens)." #: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization homepage is required." -msgstr "" +msgstr "De homepage voor een organisatie is verplicht." #: actions/editapplication.php:215 actions/newapplication.php:203 msgid "Callback is too long." -msgstr "" +msgstr "De callback is te lang." #: actions/editapplication.php:222 actions/newapplication.php:212 -#, fuzzy msgid "Callback URL is not valid." -msgstr "De avatar-URL \"%s\" is niet geldig." +msgstr "De callback-URL is niet geldig." #: actions/editapplication.php:255 -#, fuzzy msgid "Could not update application." -msgstr "Het was niet mogelijk de groep bij te werken." +msgstr "Het was niet mogelijk de applicatie bij te werken." #: actions/editgroup.php:56 #, php-format @@ -2069,26 +2063,23 @@ msgstr "Geen huidige status" #: actions/newapplication.php:52 msgid "New application" -msgstr "" +msgstr "Nieuwe applicatie" #: actions/newapplication.php:64 -#, fuzzy msgid "You must be logged in to register an application." -msgstr "U moet aangemeld zijn om een groep aan te kunnen maken." +msgstr "U moet aangemeld zijn om een applicatie te kunnen registreren." #: actions/newapplication.php:143 -#, fuzzy msgid "Use this form to register a new application." -msgstr "Gebruik dit formulier om een nieuwe groep aan te maken." +msgstr "Gebruik dit formulier om een nieuwe applicatie te registreren." #: actions/newapplication.php:173 msgid "Source URL is required." -msgstr "" +msgstr "Een bron-URL is verplicht." #: actions/newapplication.php:255 actions/newapplication.php:264 -#, fuzzy msgid "Could not create application." -msgstr "Het was niet mogelijk de aliassen aan te maken." +msgstr "Het was niet mogelijk de applicatie aan te maken." #: actions/newgroup.php:53 msgid "New group" @@ -2204,49 +2195,52 @@ msgid "Nudge sent!" msgstr "De por is verzonden!" #: actions/oauthappssettings.php:59 -#, fuzzy msgid "You must be logged in to list your applications." -msgstr "U moet aangemeld zijn om een groep te kunnen bewerken." +msgstr "" +"U moet aangemeld zijn om een lijst met uw applicaties te kunnen bekijken." #: actions/oauthappssettings.php:74 -#, fuzzy msgid "OAuth applications" msgstr "Overige instellingen" #: actions/oauthappssettings.php:85 msgid "Applications you have registered" -msgstr "" +msgstr "Door u geregistreerde applicaties" #: actions/oauthappssettings.php:135 #, php-format msgid "You have not registered any applications yet." -msgstr "" +msgstr "U hebt nog geen applicaties geregistreerd." #: actions/oauthconnectionssettings.php:71 msgid "Connected applications" -msgstr "" +msgstr "Verbonden applicaties" #: actions/oauthconnectionssettings.php:87 msgid "You have allowed the following applications to access you account." msgstr "" +"U hebt de volgende applicaties toegang gegeven tot uw gebruikersgegevens." #: actions/oauthconnectionssettings.php:170 -#, fuzzy msgid "You are not a user of that application." -msgstr "U bent geen lid van deze groep" +msgstr "U bent geen gebruiker van die applicatie." #: actions/oauthconnectionssettings.php:180 msgid "Unable to revoke access for app: " msgstr "" +"Het was niet mogelijk de toegang te ontzeggen voor de volgende applicatie: " #: actions/oauthconnectionssettings.php:192 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" +"U hebt geen enkele applicatie geautoriseerd voor toegang tot uw " +"gebruikersgegevens." #: actions/oauthconnectionssettings.php:205 msgid "Developers can edit the registration settings for their applications " msgstr "" +"Ontwikkelaars kunnen de registratiegegevens voor hun applicaties bewerken " #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" @@ -2279,7 +2273,6 @@ msgid "Notice Search" msgstr "Mededeling zoeken" #: actions/othersettings.php:60 -#, fuzzy msgid "Other settings" msgstr "Overige instellingen" @@ -3216,18 +3209,16 @@ msgid "User is already sandboxed." msgstr "Deze gebruiker is al in de zandbak geplaatst." #: actions/showapplication.php:82 -#, fuzzy msgid "You must be logged in to view an application." -msgstr "U moet aangemeld zijn om een groep te kunnen verlaten." +msgstr "U moet aangemeld zijn om een applicatie te kunnen bekijken." #: actions/showapplication.php:158 -#, fuzzy msgid "Application profile" -msgstr "Mededeling heeft geen profiel" +msgstr "Applicatieprofiel" #: actions/showapplication.php:160 lib/applicationeditform.php:182 msgid "Icon" -msgstr "" +msgstr "Icoon" #: actions/showapplication.php:170 actions/version.php:195 #: lib/applicationeditform.php:197 @@ -3235,9 +3226,8 @@ msgid "Name" msgstr "Naam" #: actions/showapplication.php:179 lib/applicationeditform.php:224 -#, fuzzy msgid "Organization" -msgstr "Paginering" +msgstr "Organisatie" #: actions/showapplication.php:188 actions/version.php:198 #: lib/applicationeditform.php:211 lib/groupeditform.php:172 @@ -3252,46 +3242,47 @@ msgstr "Statistieken" #: actions/showapplication.php:204 #, php-format msgid "created by %1$s - %2$s access by default - %3$d users" -msgstr "" +msgstr "aangemaakt door %1$s - standaardtoegang \"%2$s\" - %3$d gebruikers" #: actions/showapplication.php:214 msgid "Application actions" -msgstr "" +msgstr "Applicatiehandelingen" #: actions/showapplication.php:233 msgid "Reset key & secret" -msgstr "" +msgstr "Sleutel en wachtwoord op nieuw instellen" #: actions/showapplication.php:241 msgid "Application info" -msgstr "" +msgstr "Applicatieinformatie" #: actions/showapplication.php:243 msgid "Consumer key" -msgstr "" +msgstr "Gebruikerssleutel" #: actions/showapplication.php:248 msgid "Consumer secret" -msgstr "" +msgstr "Gebruikerswachtwoord" #: actions/showapplication.php:253 msgid "Request token URL" -msgstr "" +msgstr "URL voor verzoektoken" #: actions/showapplication.php:258 msgid "Access token URL" -msgstr "" +msgstr "URL voor toegangstoken" #: actions/showapplication.php:263 -#, fuzzy msgid "Authorize URL" -msgstr "Auteur" +msgstr "Autorisatie-URL" #: actions/showapplication.php:268 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +"Opmerking: HMAC-SHA1 ondertekening wordt ondersteund. Ondertekening in " +"platte tekst is niet mogelijk." #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." @@ -4699,69 +4690,65 @@ msgstr "Padinstellingen" #: lib/applicationeditform.php:186 msgid "Icon for this application" -msgstr "" +msgstr "Icoon voor deze applicatie" #: lib/applicationeditform.php:206 -#, fuzzy, php-format +#, php-format msgid "Describe your application in %d characters" -msgstr "Beschrijf de groep of het onderwerp in %d tekens" +msgstr "Beschrijf uw applicatie in %d tekens" #: lib/applicationeditform.php:209 -#, fuzzy msgid "Describe your application" -msgstr "Beschrijf de groep of het onderwerp" +msgstr "Beschrijf uw applicatie" #: lib/applicationeditform.php:218 -#, fuzzy msgid "Source URL" -msgstr "Broncode" +msgstr "Bron-URL" #: lib/applicationeditform.php:220 -#, fuzzy msgid "URL of the homepage of this application" -msgstr "De URL van de thuispagina of de blog van de groep of het onderwerp" +msgstr "De URL van de homepage van deze applicatie" #: lib/applicationeditform.php:226 msgid "Organization responsible for this application" -msgstr "" +msgstr "Organisatie verantwoordelijk voor deze applicatie" #: lib/applicationeditform.php:232 -#, fuzzy msgid "URL for the homepage of the organization" -msgstr "De URL van de thuispagina of de blog van de groep of het onderwerp" +msgstr "De URL van de homepage van de organisatie" #: lib/applicationeditform.php:238 msgid "URL to redirect to after authentication" -msgstr "" +msgstr "URL om naar door te verwijzen na authenticatie" #: lib/applicationeditform.php:260 msgid "Browser" -msgstr "" +msgstr "Browser" #: lib/applicationeditform.php:276 msgid "Desktop" -msgstr "" +msgstr "Desktop" #: lib/applicationeditform.php:277 msgid "Type of application, browser or desktop" -msgstr "" +msgstr "Type applicatie; browser of desktop" #: lib/applicationeditform.php:299 msgid "Read-only" -msgstr "" +msgstr "Alleen-lezen" #: lib/applicationeditform.php:317 msgid "Read-write" -msgstr "" +msgstr "Lezen en schrijven" #: lib/applicationeditform.php:318 msgid "Default access for this application: read-only, or read-write" msgstr "" +"Standaardtoegang voor deze applicatie: alleen-lezen of lezen en schrijven" #: lib/applicationlist.php:154 -#, fuzzy msgid "Revoke" -msgstr "Verwijderen" +msgstr "Intrekken" #: lib/attachmentlist.php:87 msgid "Attachments" @@ -4783,11 +4770,11 @@ msgstr "Mededelingen die deze bijlage bevatten" msgid "Tags for this attachment" msgstr "Labels voor deze bijlage" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 msgid "Password changing failed" msgstr "Wachtwoord wijzigen is mislukt" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 msgid "Password changing is not allowed" msgstr "Wachtwoord wijzigen is niet toegestaan" @@ -5128,13 +5115,12 @@ msgid "Updates by SMS" msgstr "Updates via SMS" #: lib/connectsettingsaction.php:120 -#, fuzzy msgid "Connections" -msgstr "Koppelen" +msgstr "Verbindingen" #: lib/connectsettingsaction.php:121 msgid "Authorized connected applications" -msgstr "" +msgstr "Geautoriseerde verbonden applicaties" #: lib/dberroraction.php:60 msgid "Database error" diff --git a/locale/nn/LC_MESSAGES/statusnet.po b/locale/nn/LC_MESSAGES/statusnet.po index fb31a6c8c..6ea81a38e 100644 --- a/locale/nn/LC_MESSAGES/statusnet.po +++ b/locale/nn/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:42:12+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:17:38+0000\n" "Language-Team: Norwegian Nynorsk\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nn\n" "X-Message-Group: out-statusnet\n" @@ -34,7 +34,7 @@ msgstr "Dette emneord finst ikkje." #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -50,8 +50,13 @@ msgstr "Dette emneord finst ikkje." msgid "No such user." msgstr "Brukaren finst ikkje." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%s med vener, side %d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -104,7 +109,7 @@ msgstr "" msgid "You and friends" msgstr "%s med vener" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -126,7 +131,7 @@ msgstr "Oppdateringar frÃ¥ %1$s og vener pÃ¥ %2$s!" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4762,12 +4767,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 #, fuzzy msgid "Password changing failed" msgstr "Endra passord" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 #, fuzzy msgid "Password changing is not allowed" msgstr "Endra passord" diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index 901b1d822..7c0fc0a6e 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:42:19+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:17:45+0000\n" "Last-Translator: Piotr DrÄ…g \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -19,7 +19,7 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: out-statusnet\n" @@ -39,7 +39,7 @@ msgstr "Nie ma takiej strony" #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -55,8 +55,13 @@ msgstr "Nie ma takiej strony" msgid "No such user." msgstr "Brak takiego użytkownika." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%1$s zablokowane profile, strona %2$d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -117,7 +122,7 @@ msgstr "" msgid "You and friends" msgstr "Ty i przyjaciele" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -139,7 +144,7 @@ msgstr "Aktualizacje z %1$s i przyjaciół na %2$s." #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -428,7 +433,7 @@ msgstr "grupy na %s" #: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 msgid "Bad request." -msgstr "" +msgstr "BÅ‚Ä™dne żądanie." #: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -449,19 +454,16 @@ msgid "There was a problem with your session token. Try again, please." msgstr "WystÄ…piÅ‚ problem z tokenem sesji. Spróbuj ponownie." #: actions/apioauthauthorize.php:146 -#, fuzzy msgid "Invalid nickname / password!" -msgstr "NieprawidÅ‚owa nazwa użytkownika lub hasÅ‚o." +msgstr "NieprawidÅ‚owy pseudonim/hasÅ‚o." #: actions/apioauthauthorize.php:170 -#, fuzzy msgid "DB error deleting OAuth app user." -msgstr "BÅ‚Ä…d podczas ustawiania użytkownika." +msgstr "BÅ‚Ä…d bazy danych podczas usuwania użytkownika aplikacji OAuth." #: actions/apioauthauthorize.php:196 -#, fuzzy msgid "DB error inserting OAuth app user." -msgstr "BÅ‚Ä…d bazy danych podczas wprowadzania znacznika mieszania: %s" +msgstr "BÅ‚Ä…d bazy danych podczas wprowadzania użytkownika aplikacji OAuth." #: actions/apioauthauthorize.php:231 #, php-format @@ -469,11 +471,12 @@ msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" +"Token żądania %s zostaÅ‚ upoważniony. ProszÄ™ wymienić go na token dostÄ™pu." #: actions/apioauthauthorize.php:241 #, php-format msgid "The request token %s has been denied." -msgstr "" +msgstr "Token żądania %s zostaÅ‚ odrzucony." #: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -486,11 +489,11 @@ msgstr "Nieoczekiwane wysÅ‚anie formularza." #: actions/apioauthauthorize.php:273 msgid "An application would like to connect to your account" -msgstr "" +msgstr "Aplikacja chce poÅ‚Ä…czyć siÄ™ z kontem użytkownika" #: actions/apioauthauthorize.php:290 msgid "Allow or deny access" -msgstr "" +msgstr "Zezwolić czy odmówić dostÄ™p" #: actions/apioauthauthorize.php:320 lib/action.php:435 msgid "Account" @@ -509,18 +512,16 @@ msgid "Password" msgstr "HasÅ‚o" #: actions/apioauthauthorize.php:338 -#, fuzzy msgid "Deny" -msgstr "WyglÄ…d" +msgstr "Odrzuć" #: actions/apioauthauthorize.php:344 -#, fuzzy msgid "Allow" -msgstr "Wszystko" +msgstr "Zezwól" #: actions/apioauthauthorize.php:361 msgid "Allow or deny access to your account information." -msgstr "" +msgstr "Zezwól lub odmów dostÄ™p do informacji konta." #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." @@ -841,7 +842,6 @@ msgid "Couldn't delete email confirmation." msgstr "Nie można usunąć potwierdzenia adresu e-mail." #: actions/confirmaddress.php:144 -#, fuzzy msgid "Confirm address" msgstr "Potwierdź adres" @@ -1052,23 +1052,20 @@ msgstr "Nie ma takiego dokumentu." #: actions/editapplication.php:54 lib/applicationeditform.php:136 msgid "Edit application" -msgstr "" +msgstr "Zmodyfikuj aplikacjÄ™" #: actions/editapplication.php:66 -#, fuzzy msgid "You must be logged in to edit an application." -msgstr "Musisz być zalogowany, aby zmodyfikować grupÄ™." +msgstr "Musisz być zalogowany, aby zmodyfikować aplikacjÄ™." #: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy msgid "You are not the owner of this application." -msgstr "Nie jesteÅ› czÅ‚onkiem tej grupy." +msgstr "Nie jesteÅ› wÅ‚aÅ›cicielem tej aplikacji." #: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 #: actions/showapplication.php:87 -#, fuzzy msgid "No such application." -msgstr "Nie ma takiego wpisu." +msgstr "Nie ma takiej aplikacji." #: actions/editapplication.php:127 actions/newapplication.php:110 #: actions/showapplication.php:118 lib/action.php:1167 @@ -1076,60 +1073,52 @@ msgid "There was a problem with your session token." msgstr "WystÄ…piÅ‚ problem z tokenem sesji." #: actions/editapplication.php:161 -#, fuzzy msgid "Use this form to edit your application." -msgstr "Użyj tego formularza, aby zmodyfikować grupÄ™." +msgstr "Użyj tego formularza, aby zmodyfikować aplikacjÄ™." #: actions/editapplication.php:177 actions/newapplication.php:159 -#, fuzzy msgid "Name is required." -msgstr "Takie samo jak powyższe hasÅ‚o. Wymagane." +msgstr "Nazwa jest wymagana." #: actions/editapplication.php:180 actions/newapplication.php:162 -#, fuzzy msgid "Name is too long (max 255 chars)." -msgstr "ImiÄ™ i nazwisko jest za dÅ‚ugie (maksymalnie 255 znaków)." +msgstr "Nazwa jest za dÅ‚uga (maksymalnie 255 znaków)." #: actions/editapplication.php:183 actions/newapplication.php:165 -#, fuzzy msgid "Description is required." -msgstr "Opis" +msgstr "Opis jest wymagany." #: actions/editapplication.php:191 msgid "Source URL is too long." -msgstr "" +msgstr "ŹródÅ‚owy adres URL jest za dÅ‚ugi." #: actions/editapplication.php:197 actions/newapplication.php:182 -#, fuzzy msgid "Source URL is not valid." -msgstr "Adres URL \"%s\" jest nieprawidÅ‚owy." +msgstr "ŹródÅ‚owy adres URL jest nieprawidÅ‚owy." #: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Organization is required." -msgstr "" +msgstr "Organizacja jest wymagana." #: actions/editapplication.php:203 actions/newapplication.php:188 -#, fuzzy msgid "Organization is too long (max 255 chars)." -msgstr "PoÅ‚ożenie jest za dÅ‚ugie (maksymalnie 255 znaków)." +msgstr "Organizacja jest za dÅ‚uga (maksymalnie 255 znaków)." #: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization homepage is required." -msgstr "" +msgstr "Strona domowa organizacji jest wymagana." #: actions/editapplication.php:215 actions/newapplication.php:203 msgid "Callback is too long." -msgstr "" +msgstr "Adres zwrotny jest za dÅ‚ugi." #: actions/editapplication.php:222 actions/newapplication.php:212 -#, fuzzy msgid "Callback URL is not valid." -msgstr "Adres URL \"%s\" jest nieprawidÅ‚owy." +msgstr "Adres zwrotny URL jest nieprawidÅ‚owy." #: actions/editapplication.php:255 -#, fuzzy msgid "Could not update application." -msgstr "Nie można zaktualizować grupy." +msgstr "Nie można zaktualizować aplikacji." #: actions/editgroup.php:56 #, php-format @@ -2041,26 +2030,23 @@ msgstr "Brak obecnego stanu" #: actions/newapplication.php:52 msgid "New application" -msgstr "" +msgstr "Nowa aplikacja" #: actions/newapplication.php:64 -#, fuzzy msgid "You must be logged in to register an application." -msgstr "Musisz być zalogowany, aby utworzyć grupÄ™." +msgstr "Musisz być zalogowany, aby zarejestrować aplikacjÄ™." #: actions/newapplication.php:143 -#, fuzzy msgid "Use this form to register a new application." -msgstr "Użyj tego formularza, aby utworzyć nowÄ… grupÄ™." +msgstr "Użyj tego formularza, aby zarejestrować aplikacjÄ™." #: actions/newapplication.php:173 msgid "Source URL is required." -msgstr "" +msgstr "ŹródÅ‚owy adres URL jest wymagany." #: actions/newapplication.php:255 actions/newapplication.php:264 -#, fuzzy msgid "Could not create application." -msgstr "Nie można utworzyć aliasów." +msgstr "Nie można utworzyć aplikacji." #: actions/newgroup.php:53 msgid "New group" @@ -2176,49 +2162,46 @@ msgid "Nudge sent!" msgstr "WysÅ‚ano szturchniÄ™cie." #: actions/oauthappssettings.php:59 -#, fuzzy msgid "You must be logged in to list your applications." -msgstr "Musisz być zalogowany, aby zmodyfikować grupÄ™." +msgstr "Musisz być zalogowany, aby wyÅ›wietlić listÄ™ aplikacji." #: actions/oauthappssettings.php:74 -#, fuzzy msgid "OAuth applications" -msgstr "Inne opcje" +msgstr "Aplikacje OAuth" #: actions/oauthappssettings.php:85 msgid "Applications you have registered" -msgstr "" +msgstr "Zarejestrowane aplikacje" #: actions/oauthappssettings.php:135 #, php-format msgid "You have not registered any applications yet." -msgstr "" +msgstr "Nie zarejestrowano jeszcze żadnych aplikacji." #: actions/oauthconnectionssettings.php:71 msgid "Connected applications" -msgstr "" +msgstr "PoÅ‚Ä…czone aplikacje" #: actions/oauthconnectionssettings.php:87 msgid "You have allowed the following applications to access you account." -msgstr "" +msgstr "Zezwolono nastÄ™pujÄ…cym aplikacjom na dostÄ™p do konta." #: actions/oauthconnectionssettings.php:170 -#, fuzzy msgid "You are not a user of that application." -msgstr "Nie jesteÅ› czÅ‚onkiem tej grupy." +msgstr "Nie jesteÅ› użytkownikiem tej aplikacji." #: actions/oauthconnectionssettings.php:180 msgid "Unable to revoke access for app: " -msgstr "" +msgstr "Nie można unieważnić dostÄ™pu dla aplikacji: " #: actions/oauthconnectionssettings.php:192 #, php-format msgid "You have not authorized any applications to use your account." -msgstr "" +msgstr "Nie upoważniono żadnych aplikacji do używania konta." #: actions/oauthconnectionssettings.php:205 msgid "Developers can edit the registration settings for their applications " -msgstr "" +msgstr "ProgramiÅ›ci mogÄ… zmodyfikować ustawienia rejestracji swoich aplikacji " #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" @@ -2251,7 +2234,6 @@ msgid "Notice Search" msgstr "Wyszukiwanie wpisów" #: actions/othersettings.php:60 -#, fuzzy msgid "Other settings" msgstr "Inne ustawienia" @@ -3178,18 +3160,16 @@ msgid "User is already sandboxed." msgstr "Użytkownik jest już ograniczony." #: actions/showapplication.php:82 -#, fuzzy msgid "You must be logged in to view an application." -msgstr "Musisz być zalogowany, aby opuÅ›cić grupÄ™." +msgstr "Musisz być zalogowany, aby wyÅ›wietlić aplikacjÄ™." #: actions/showapplication.php:158 -#, fuzzy msgid "Application profile" -msgstr "Wpis nie posiada profilu" +msgstr "Profil aplikacji" #: actions/showapplication.php:160 lib/applicationeditform.php:182 msgid "Icon" -msgstr "" +msgstr "Ikona" #: actions/showapplication.php:170 actions/version.php:195 #: lib/applicationeditform.php:197 @@ -3197,9 +3177,8 @@ msgid "Name" msgstr "Nazwa" #: actions/showapplication.php:179 lib/applicationeditform.php:224 -#, fuzzy msgid "Organization" -msgstr "Paginacja" +msgstr "Organizacja" #: actions/showapplication.php:188 actions/version.php:198 #: lib/applicationeditform.php:211 lib/groupeditform.php:172 @@ -3214,46 +3193,47 @@ msgstr "Statystyki" #: actions/showapplication.php:204 #, php-format msgid "created by %1$s - %2$s access by default - %3$d users" -msgstr "" +msgstr "utworzona przez %1$s - domyÅ›lny dostÄ™p: %2$s - %3$d użytkowników" #: actions/showapplication.php:214 msgid "Application actions" -msgstr "" +msgstr "CzynnoÅ›ci aplikacji" #: actions/showapplication.php:233 msgid "Reset key & secret" -msgstr "" +msgstr "Przywrócenie klucza i sekretu" #: actions/showapplication.php:241 msgid "Application info" -msgstr "" +msgstr "Informacje o aplikacji" #: actions/showapplication.php:243 msgid "Consumer key" -msgstr "" +msgstr "Klucz klienta" #: actions/showapplication.php:248 msgid "Consumer secret" -msgstr "" +msgstr "Sekret klienta" #: actions/showapplication.php:253 msgid "Request token URL" -msgstr "" +msgstr "Adres URL tokenu żądania" #: actions/showapplication.php:258 msgid "Access token URL" -msgstr "" +msgstr "Adres URL tokenu żądania" #: actions/showapplication.php:263 -#, fuzzy msgid "Authorize URL" -msgstr "Autor" +msgstr "Adres URL upoważnienia" #: actions/showapplication.php:268 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +"Uwaga: obsÅ‚ugiwane sÄ… podpisy HMAC-SHA1. Metoda podpisu w zwykÅ‚ym tekÅ›cie " +"nie jest obsÅ‚ugiwana." #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." @@ -4647,69 +4627,66 @@ msgstr "Konfiguracja Å›cieżek" #: lib/applicationeditform.php:186 msgid "Icon for this application" -msgstr "" +msgstr "Ikona tej aplikacji" #: lib/applicationeditform.php:206 -#, fuzzy, php-format +#, php-format msgid "Describe your application in %d characters" -msgstr "Opisz grupÄ™ lub temat w %d znakach" +msgstr "Opisz aplikacjÄ™ w %d znakach" #: lib/applicationeditform.php:209 -#, fuzzy msgid "Describe your application" -msgstr "Opisz grupÄ™ lub temat" +msgstr "Opisz aplikacjÄ™" #: lib/applicationeditform.php:218 -#, fuzzy msgid "Source URL" -msgstr "Kod źródÅ‚owy" +msgstr "ŹródÅ‚owy adres URL" #: lib/applicationeditform.php:220 -#, fuzzy msgid "URL of the homepage of this application" -msgstr "Adres URL strony domowej lub bloga grupy, albo temat" +msgstr "Adres URL strony domowej tej aplikacji" #: lib/applicationeditform.php:226 msgid "Organization responsible for this application" -msgstr "" +msgstr "Organizacja odpowiedzialna za tÄ™ aplikacjÄ™" #: lib/applicationeditform.php:232 -#, fuzzy msgid "URL for the homepage of the organization" -msgstr "Adres URL strony domowej lub bloga grupy, albo temat" +msgstr "Adres URL strony domowej organizacji" #: lib/applicationeditform.php:238 msgid "URL to redirect to after authentication" -msgstr "" +msgstr "Adres URL do przekierowania po uwierzytelnieniu" #: lib/applicationeditform.php:260 msgid "Browser" -msgstr "" +msgstr "PrzeglÄ…darka" #: lib/applicationeditform.php:276 msgid "Desktop" -msgstr "" +msgstr "Pulpit" #: lib/applicationeditform.php:277 msgid "Type of application, browser or desktop" -msgstr "" +msgstr "Typ aplikacji, przeglÄ…darka lub pulpit" #: lib/applicationeditform.php:299 msgid "Read-only" -msgstr "" +msgstr "Tylko do odczytu" #: lib/applicationeditform.php:317 msgid "Read-write" -msgstr "" +msgstr "Odczyt i zapis" #: lib/applicationeditform.php:318 msgid "Default access for this application: read-only, or read-write" msgstr "" +"DomyÅ›lny dostÄ™p do tej aplikacji: tylko do odczytu lub do odczytu i zapisu" #: lib/applicationlist.php:154 #, fuzzy msgid "Revoke" -msgstr "UsuÅ„" +msgstr "Unieważnij" #: lib/attachmentlist.php:87 msgid "Attachments" @@ -4731,11 +4708,11 @@ msgstr "Powiadamia, kiedy pojawia siÄ™ ten zaÅ‚Ä…cznik" msgid "Tags for this attachment" msgstr "Znaczniki dla tego zaÅ‚Ä…cznika" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 msgid "Password changing failed" msgstr "Zmiana hasÅ‚a nie powiodÅ‚a siÄ™" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 msgid "Password changing is not allowed" msgstr "Zmiana hasÅ‚a nie jest dozwolona" @@ -5073,13 +5050,12 @@ msgid "Updates by SMS" msgstr "Aktualizacje przez wiadomoÅ›ci SMS" #: lib/connectsettingsaction.php:120 -#, fuzzy msgid "Connections" -msgstr "PoÅ‚Ä…cz" +msgstr "PoÅ‚Ä…czenia" #: lib/connectsettingsaction.php:121 msgid "Authorized connected applications" -msgstr "" +msgstr "Upoważnione poÅ‚Ä…czone aplikacje" #: lib/dberroraction.php:60 msgid "Database error" diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index 6f6a76f4f..a7e2b9e33 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:42:23+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:17:49+0000\n" "Language-Team: Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: out-statusnet\n" @@ -35,7 +35,7 @@ msgstr "Página não encontrada." #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -51,8 +51,13 @@ msgstr "Página não encontrada." msgid "No such user." msgstr "Utilizador não encontrado." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "Perfis bloqueados de %1$s, página %2$d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -111,7 +116,7 @@ msgstr "" msgid "You and friends" msgstr "Você e seus amigos" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -133,7 +138,7 @@ msgstr "Actualizações de %1$s e amigos no %2$s!" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4739,11 +4744,11 @@ msgstr "Notas em que este anexo aparece" msgid "Tags for this attachment" msgstr "Categorias para este anexo" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 msgid "Password changing failed" msgstr "Não foi possível mudar a palavra-chave" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 msgid "Password changing is not allowed" msgstr "Não é permitido mudar a palavra-chave" diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index caa1dd7a6..fe73d3089 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:42:27+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:17:53+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" @@ -36,7 +36,7 @@ msgstr "Esta página não existe." #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -52,8 +52,13 @@ msgstr "Esta página não existe." msgid "No such user." msgstr "Este usuário não existe." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "Perfis bloqueados no %1$s, pág. %2$d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -92,14 +97,14 @@ msgstr "" "publicar algo." #: actions/all.php:134 -#, fuzzy, php-format +#, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -"Você pode tentar [chamar a atenção de %s](../%s) em seu perfil ou [publicar " -"alguma coisa que desperte seu interesse](%%%%action.newnotice%%%%?" -"status_textarea=%s)." +"Você pode tentar [chamar a atenção de %1$s](../%2$s) em seu perfil ou " +"[publicar alguma coisa que desperte seu interesse](%%%%action.newnotice%%%%?" +"status_textarea=%3$s)." #: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 #, php-format @@ -114,7 +119,7 @@ msgstr "" msgid "You and friends" msgstr "Você e amigos" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -136,7 +141,7 @@ msgstr "Atualizações de %1$s e amigos no %2$s!" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -270,7 +275,6 @@ msgid "No status found with that ID." msgstr "Não foi encontrado nenhum status com esse ID." #: actions/apifavoritecreate.php:119 -#, fuzzy msgid "This status is already a favorite." msgstr "Esta mensagem já é favorita!" @@ -279,7 +283,6 @@ msgid "Could not create favorite." msgstr "Não foi possível criar a favorita." #: actions/apifavoritedestroy.php:122 -#, fuzzy msgid "That status is not a favorite." msgstr "Essa mensagem não é favorita!" @@ -301,7 +304,6 @@ msgid "Could not unfollow user: User not found." msgstr "Não é possível deixar de seguir o usuário: Usuário não encontrado." #: actions/apifriendshipsdestroy.php:120 -#, fuzzy msgid "You cannot unfollow yourself." msgstr "Você não pode deixar de seguir você mesmo!" @@ -400,18 +402,18 @@ msgid "You have been blocked from that group by the admin." msgstr "O administrador desse grupo bloqueou sua inscrição." #: actions/apigroupjoin.php:138 actions/joingroup.php:124 -#, fuzzy, php-format +#, php-format msgid "Could not join user %1$s to group %2$s." -msgstr "Não foi possível associar o usuário %s ao grupo %s." +msgstr "Não foi possível associar o usuário %1$s ao grupo %2$s." #: actions/apigroupleave.php:114 msgid "You are not a member of this group." msgstr "Você não é membro deste grupo." #: actions/apigroupleave.php:124 actions/leavegroup.php:119 -#, fuzzy, php-format +#, php-format msgid "Could not remove user %1$s from group %2$s." -msgstr "Não foi possível remover o usuário %s do grupo %s." +msgstr "Não foi possível remover o usuário %1$s do grupo %2$s." #: actions/apigrouplist.php:95 #, php-format @@ -430,7 +432,7 @@ msgstr "grupos no %s" #: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 msgid "Bad request." -msgstr "" +msgstr "Requisição errada." #: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -452,19 +454,18 @@ msgstr "" "Ocorreu um problema com o seu token de sessão. Tente novamente, por favor." #: actions/apioauthauthorize.php:146 -#, fuzzy msgid "Invalid nickname / password!" -msgstr "Nome de usuário e/ou senha inválido(s)" +msgstr "Nome de usuário e/ou senha inválido(s)!" #: actions/apioauthauthorize.php:170 -#, fuzzy msgid "DB error deleting OAuth app user." -msgstr "Erro na configuração do usuário." +msgstr "" +"Erro no banco de dados durante a exclusão do aplicativo OAuth do usuário." #: actions/apioauthauthorize.php:196 -#, fuzzy msgid "DB error inserting OAuth app user." -msgstr "Erro no banco de dados durante a inserção da hashtag: %s" +msgstr "" +"Erro no banco de dados durante a inserção do aplicativo OAuth do usuário." #: actions/apioauthauthorize.php:231 #, php-format @@ -472,11 +473,13 @@ msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" +"O token de requisição %s foi autorizado. Por favor, troque-o por um token de " +"acesso." #: actions/apioauthauthorize.php:241 #, php-format msgid "The request token %s has been denied." -msgstr "" +msgstr "O token de requisição %s foi negado." #: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -489,11 +492,11 @@ msgstr "Submissão inesperada de formulário." #: actions/apioauthauthorize.php:273 msgid "An application would like to connect to your account" -msgstr "" +msgstr "Uma aplicação gostaria de se conectar à sua conta" #: actions/apioauthauthorize.php:290 msgid "Allow or deny access" -msgstr "" +msgstr "Permitir ou negar o acesso" #: actions/apioauthauthorize.php:320 lib/action.php:435 msgid "Account" @@ -512,18 +515,16 @@ msgid "Password" msgstr "Senha" #: actions/apioauthauthorize.php:338 -#, fuzzy msgid "Deny" -msgstr "Aparência" +msgstr "Negar" #: actions/apioauthauthorize.php:344 -#, fuzzy msgid "Allow" -msgstr "Todas" +msgstr "Permitir" #: actions/apioauthauthorize.php:361 msgid "Allow or deny access to your account information." -msgstr "" +msgstr "Permitir ou negar o acesso às informações da sua conta." #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." @@ -574,14 +575,14 @@ msgid "Unsupported format." msgstr "Formato não suportado." #: actions/apitimelinefavorites.php:108 -#, fuzzy, php-format +#, php-format msgid "%1$s / Favorites from %2$s" -msgstr "%s / Favoritas de %s" +msgstr "%1$s / Favoritas de %2$s" #: actions/apitimelinefavorites.php:120 -#, fuzzy, php-format +#, php-format msgid "%1$s updates favorited by %2$s / %2$s." -msgstr "%s marcadas como favoritas por %s / %s." +msgstr "%1$s marcadas como favoritas por %2$s / %2$s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 #: actions/grouprss.php:131 actions/userrss.php:90 @@ -787,9 +788,9 @@ msgid "%s blocked profiles" msgstr "Perfis bloqueados no %s" #: actions/blockedfromgroup.php:93 -#, fuzzy, php-format +#, php-format msgid "%1$s blocked profiles, page %2$d" -msgstr "Perfis bloqueados no %s, página %d" +msgstr "Perfis bloqueados no %1$s, pág. %2$d" #: actions/blockedfromgroup.php:108 msgid "A list of the users blocked from joining this group." @@ -846,7 +847,6 @@ msgid "Couldn't delete email confirmation." msgstr "Não foi possível excluir a confirmação de e-mail." #: actions/confirmaddress.php:144 -#, fuzzy msgid "Confirm address" msgstr "Confirme o endereço" @@ -1059,23 +1059,20 @@ msgstr "Esse documento não existe." #: actions/editapplication.php:54 lib/applicationeditform.php:136 msgid "Edit application" -msgstr "" +msgstr "Editar a aplicação" #: actions/editapplication.php:66 -#, fuzzy msgid "You must be logged in to edit an application." -msgstr "Você precisa estar autenticado para editar um grupo." +msgstr "Você precisa estar autenticado para editar uma aplicação." #: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy msgid "You are not the owner of this application." -msgstr "Você não é membro deste grupo." +msgstr "Você não é o dono desta aplicação." #: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 #: actions/showapplication.php:87 -#, fuzzy msgid "No such application." -msgstr "Essa mensagem não existe." +msgstr "Essa aplicação não existe." #: actions/editapplication.php:127 actions/newapplication.php:110 #: actions/showapplication.php:118 lib/action.php:1167 @@ -1083,60 +1080,52 @@ msgid "There was a problem with your session token." msgstr "Ocorreu um problema com o seu token de sessão." #: actions/editapplication.php:161 -#, fuzzy msgid "Use this form to edit your application." -msgstr "Use esse formulário para editar o grupo." +msgstr "Use este formulário para editar a sua aplicação." #: actions/editapplication.php:177 actions/newapplication.php:159 -#, fuzzy msgid "Name is required." -msgstr "Igual à senha acima. Obrigatório." +msgstr "O nome é obrigatório." #: actions/editapplication.php:180 actions/newapplication.php:162 -#, fuzzy msgid "Name is too long (max 255 chars)." -msgstr "Nome completo muito extenso (máx. 255 caracteres)" +msgstr "O nome é muito extenso (máx. 255 caracteres)." #: actions/editapplication.php:183 actions/newapplication.php:165 -#, fuzzy msgid "Description is required." -msgstr "Descrição" +msgstr "A descrição é obrigatória." #: actions/editapplication.php:191 msgid "Source URL is too long." -msgstr "" +msgstr "A URL da fonte é muito extensa." #: actions/editapplication.php:197 actions/newapplication.php:182 -#, fuzzy msgid "Source URL is not valid." -msgstr "A URL ‘%s’ do avatar não é válida." +msgstr "A URL da fonte não é válida." #: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Organization is required." -msgstr "" +msgstr "A organização é obrigatória." #: actions/editapplication.php:203 actions/newapplication.php:188 -#, fuzzy msgid "Organization is too long (max 255 chars)." -msgstr "Localização muito extensa (máx. 255 caracteres)." +msgstr "A organização é muito extensa (máx. 255 caracteres)." #: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization homepage is required." -msgstr "" +msgstr "O site da organização é obrigatório." #: actions/editapplication.php:215 actions/newapplication.php:203 msgid "Callback is too long." -msgstr "" +msgstr "O retorno é muito extenso." #: actions/editapplication.php:222 actions/newapplication.php:212 -#, fuzzy msgid "Callback URL is not valid." -msgstr "A URL ‘%s’ do avatar não é válida." +msgstr "A URL de retorno não é válida." #: actions/editapplication.php:255 -#, fuzzy msgid "Could not update application." -msgstr "Não foi possível atualizar o grupo." +msgstr "Não foi possível atualizar a aplicação." #: actions/editgroup.php:56 #, php-format @@ -1151,7 +1140,7 @@ msgstr "Você deve estar autenticado para criar um grupo." #: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 #, fuzzy msgid "You must be an admin to edit the group." -msgstr "Você deve ser o administrador do grupo para editá-lo" +msgstr "Você deve ser um administrador para editar o grupo." #: actions/editgroup.php:154 msgid "Use this form to edit the group." @@ -1175,7 +1164,6 @@ msgid "Options saved." msgstr "As configurações foram salvas." #: actions/emailsettings.php:60 -#, fuzzy msgid "Email settings" msgstr "Configurações do e-mail" @@ -1214,9 +1202,8 @@ msgid "Cancel" msgstr "Cancelar" #: actions/emailsettings.php:121 -#, fuzzy msgid "Email address" -msgstr "Endereços de e-mail" +msgstr "Endereço de e-mail" #: actions/emailsettings.php:123 msgid "Email address, like \"UserName@example.org\"" @@ -1528,8 +1515,8 @@ msgid "" "will be removed from the group, unable to post, and unable to subscribe to " "the group in the future." msgstr "" -"Tem certeza que deseja bloquear o usuário \"%s\" no grupo \"%s\"? Ele será " -"removido do grupo e impossibilitado de publicar e de se juntar ao grupo " +"Tem certeza que deseja bloquear o usuário \"%1$s\" no grupo \"%2$s\"? Ele " +"será removido do grupo e impossibilitado de publicar e de se juntar ao grupo " "futuramente." #: actions/groupblock.php:178 @@ -1587,7 +1574,6 @@ msgstr "" "arquivo é %s." #: actions/grouplogo.php:178 -#, fuzzy msgid "User without matching profile." msgstr "Usuário sem um perfil correspondente" @@ -1609,9 +1595,9 @@ msgid "%s group members" msgstr "Membros do grupo %s" #: actions/groupmembers.php:96 -#, fuzzy, php-format +#, php-format msgid "%1$s group members, page %2$d" -msgstr "Membros do grupo %s, pág. %d" +msgstr "Membros do grupo %1$s, pág. %2$d" #: actions/groupmembers.php:111 msgid "A list of the users in this group." @@ -1720,7 +1706,6 @@ msgid "Error removing the block." msgstr "Erro na remoção do bloqueio." #: actions/imsettings.php:59 -#, fuzzy msgid "IM settings" msgstr "Configurações do MI" @@ -1752,7 +1737,6 @@ msgstr "" "contatos?)" #: actions/imsettings.php:124 -#, fuzzy msgid "IM address" msgstr "Endereço do MI" @@ -1971,9 +1955,9 @@ msgid "You must be logged in to join a group." msgstr "Você deve estar autenticado para se associar a um grupo." #: actions/joingroup.php:131 -#, fuzzy, php-format +#, php-format msgid "%1$s joined group %2$s" -msgstr "%s associou-se ao grupo %s" +msgstr "%1$s associou-se ao grupo %2$s" #: actions/leavegroup.php:60 msgid "You must be logged in to leave a group." @@ -1984,9 +1968,9 @@ msgid "You are not a member of that group." msgstr "Você não é um membro desse grupo." #: actions/leavegroup.php:127 -#, fuzzy, php-format +#, php-format msgid "%1$s left group %2$s" -msgstr "%s deixou o grupo %s" +msgstr "%1$s deixou o grupo %2$s" #: actions/login.php:80 actions/otp.php:62 actions/register.php:137 msgid "Already logged in." @@ -2048,19 +2032,19 @@ msgstr "" "usuário." #: actions/makeadmin.php:95 -#, fuzzy, php-format +#, php-format msgid "%1$s is already an admin for group \"%2$s\"." -msgstr "%s já é um administrador do grupo \"%s\"." +msgstr "%1$s já é um administrador do grupo \"%2$s\"." #: actions/makeadmin.php:132 -#, fuzzy, php-format +#, php-format msgid "Can't get membership record for %1$s in group %2$s." -msgstr "Não foi possível obter o registro de membro de %s no grupo %s" +msgstr "Não foi possível obter o registro de membro de %1$s no grupo %2$s." #: actions/makeadmin.php:145 -#, fuzzy, php-format +#, php-format msgid "Can't make %1$s an admin for group %2$s." -msgstr "Não foi possível tornar %s um administrador do grupo %s" +msgstr "Não foi possível tornar %1$s um administrador do grupo %2$s." #: actions/microsummary.php:69 msgid "No current status" @@ -2068,26 +2052,23 @@ msgstr "Nenhuma mensagem atual" #: actions/newapplication.php:52 msgid "New application" -msgstr "" +msgstr "Nova aplicação" #: actions/newapplication.php:64 -#, fuzzy msgid "You must be logged in to register an application." -msgstr "Você deve estar autenticado para criar um grupo." +msgstr "Você deve estar autenticado para registrar uma aplicação." #: actions/newapplication.php:143 -#, fuzzy msgid "Use this form to register a new application." -msgstr "Utilize este formulário para criar um novo grupo." +msgstr "Utilize este formulário para registrar uma nova aplicação." #: actions/newapplication.php:173 msgid "Source URL is required." -msgstr "" +msgstr "A URL da fonte é obrigatória." #: actions/newapplication.php:255 actions/newapplication.php:264 -#, fuzzy msgid "Could not create application." -msgstr "Não foi possível criar os apelidos." +msgstr "Não foi possível criar a aplicação." #: actions/newgroup.php:53 msgid "New group" @@ -2126,9 +2107,9 @@ msgid "Message sent" msgstr "A mensagem foi enviada" #: actions/newmessage.php:185 -#, fuzzy, php-format +#, php-format msgid "Direct message to %s sent." -msgstr "A mensagem direta para %s foi enviada" +msgstr "A mensagem direta para %s foi enviada." #: actions/newmessage.php:210 actions/newnotice.php:245 lib/channel.php:170 msgid "Ajax Error" @@ -4768,12 +4749,12 @@ msgstr "Mensagens onde este anexo aparece" msgid "Tags for this attachment" msgstr "Etiquetas para este anexo" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 #, fuzzy msgid "Password changing failed" msgstr "Alterar a senha" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 #, fuzzy msgid "Password changing is not allowed" msgstr "Alterar a senha" diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index 8c129b287..19868d34b 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:42:30+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:17:57+0000\n" "Language-Team: Russian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: out-statusnet\n" @@ -37,7 +37,7 @@ msgstr "Ðет такой Ñтраницы" #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -53,8 +53,13 @@ msgstr "Ðет такой Ñтраницы" msgid "No such user." msgstr "Ðет такого пользователÑ." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "Заблокированные профили %1$s, Ñтраница %2$d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -113,7 +118,7 @@ msgstr "" msgid "You and friends" msgstr "Ð’Ñ‹ и друзьÑ" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -135,7 +140,7 @@ msgstr "Обновлено от %1$s и его друзей на %2$s!" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -489,7 +494,7 @@ msgstr "" #: actions/apioauthauthorize.php:290 msgid "Allow or deny access" -msgstr "" +msgstr "Разрешить или запретить доÑтуп" #: actions/apioauthauthorize.php:320 lib/action.php:435 msgid "Account" @@ -508,18 +513,16 @@ msgid "Password" msgstr "Пароль" #: actions/apioauthauthorize.php:338 -#, fuzzy msgid "Deny" -msgstr "Оформление" +msgstr "Запретить" #: actions/apioauthauthorize.php:344 -#, fuzzy msgid "Allow" -msgstr "Ð’Ñе" +msgstr "Разрешить" #: actions/apioauthauthorize.php:361 msgid "Allow or deny access to your account information." -msgstr "" +msgstr "Разрешить или запретить доÑтуп к информации вашей учётной запиÑи." #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." @@ -841,7 +844,6 @@ msgid "Couldn't delete email confirmation." msgstr "Ðе удаётÑÑ ÑƒÐ´Ð°Ð»Ð¸Ñ‚ÑŒ подверждение по Ñлектронному адреÑу." #: actions/confirmaddress.php:144 -#, fuzzy msgid "Confirm address" msgstr "Подтвердить адреÑ" @@ -1083,19 +1085,16 @@ msgid "Use this form to edit your application." msgstr "Заполните информацию о группе в Ñледующие полÑ" #: actions/editapplication.php:177 actions/newapplication.php:159 -#, fuzzy msgid "Name is required." -msgstr "Тот же пароль что и Ñверху. ОбÑзательное поле." +msgstr "Ð˜Ð¼Ñ Ð¾Ð±Ñзательно." #: actions/editapplication.php:180 actions/newapplication.php:162 -#, fuzzy msgid "Name is too long (max 255 chars)." -msgstr "Полное Ð¸Ð¼Ñ Ñлишком длинное (не больше 255 знаков)." +msgstr "Ð˜Ð¼Ñ Ñлишком длинное (не больше 255 знаков)." #: actions/editapplication.php:183 actions/newapplication.php:165 -#, fuzzy msgid "Description is required." -msgstr "ОпиÑание" +msgstr "ОпиÑание обÑзательно." #: actions/editapplication.php:191 msgid "Source URL is too long." @@ -1117,7 +1116,7 @@ msgstr "Слишком длинное меÑтораÑположение (мак #: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization homepage is required." -msgstr "" +msgstr "ДомашнÑÑ Ñтраница организации обÑзательна." #: actions/editapplication.php:215 actions/newapplication.php:203 msgid "Callback is too long." @@ -2070,7 +2069,7 @@ msgstr "ИÑпользуйте Ñту форму Ð´Ð»Ñ ÑÐ¾Ð·Ð´Ð°Ð½Ð¸Ñ Ð½Ð¾Ð² #: actions/newapplication.php:173 msgid "Source URL is required." -msgstr "" +msgstr "URL иÑточника обÑзателен." #: actions/newapplication.php:255 actions/newapplication.php:264 #, fuzzy @@ -2298,9 +2297,8 @@ msgid "URL shortening service is too long (max 50 chars)." msgstr "Ð¡ÐµÑ€Ð²Ð¸Ñ ÑÐ¾ÐºÑ€Ð°Ñ‰ÐµÐ½Ð¸Ñ URL Ñлишком длинный (макÑимум 50 Ñимволов)." #: actions/otp.php:69 -#, fuzzy msgid "No user ID specified." -msgstr "Группа не определена." +msgstr "Ðе указан идентификатор пользователÑ." #: actions/otp.php:83 #, fuzzy @@ -3216,9 +3214,8 @@ msgid "Name" msgstr "ИмÑ" #: actions/showapplication.php:179 lib/applicationeditform.php:224 -#, fuzzy msgid "Organization" -msgstr "Разбиение на Ñтраницы" +msgstr "ОрганизациÑ" #: actions/showapplication.php:188 actions/version.php:198 #: lib/applicationeditform.php:211 lib/groupeditform.php:172 @@ -4754,11 +4751,11 @@ msgstr "Сообщает, где поÑвлÑетÑÑ Ñто вложение" msgid "Tags for this attachment" msgstr "Теги Ð´Ð»Ñ Ñтого вложениÑ" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 msgid "Password changing failed" msgstr "Изменение Ð¿Ð°Ñ€Ð¾Ð»Ñ Ð½Ðµ удалоÑÑŒ" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 msgid "Password changing is not allowed" msgstr "Смена Ð¿Ð°Ñ€Ð¾Ð»Ñ Ð½Ðµ разрешена" @@ -5686,9 +5683,8 @@ msgid "Share my location" msgstr "ПоделитьÑÑ Ñвоим меÑтоположением." #: lib/noticeform.php:215 -#, fuzzy msgid "Do not share my location" -msgstr "Ðе публиковать Ñвоё меÑтоположение." +msgstr "Ðе публиковать Ñвоё меÑтоположение" #: lib/noticeform.php:216 msgid "" diff --git a/locale/statusnet.po b/locale/statusnet.po index f08704a5e..390461a17 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -32,7 +32,7 @@ msgstr "" #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -48,8 +48,13 @@ msgstr "" msgid "No such user." msgstr "" +#: actions/all.php:84 +#, php-format +msgid "%1$s and friends, page %2$d" +msgstr "" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -101,7 +106,7 @@ msgstr "" msgid "You and friends" msgstr "" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -123,7 +128,7 @@ msgstr "" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4431,11 +4436,11 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 msgid "Password changing failed" msgstr "" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 msgid "Password changing is not allowed" msgstr "" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index f10b77ea8..8d093bc49 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:42:34+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:18:00+0000\n" "Language-Team: Swedish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: out-statusnet\n" @@ -35,7 +35,7 @@ msgstr "Ingen sÃ¥dan sida" #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -51,8 +51,13 @@ msgstr "Ingen sÃ¥dan sida" msgid "No such user." msgstr "Ingen sÃ¥dan användare." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%s blockerade profiler, sida %d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -111,7 +116,7 @@ msgstr "" msgid "You and friends" msgstr "Du och vänner" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -133,7 +138,7 @@ msgstr "Uppdateringar frÃ¥n %1$s och vänner pÃ¥ %2$s!" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4687,11 +4692,11 @@ msgstr "Notiser där denna bilaga förekommer" msgid "Tags for this attachment" msgstr "Taggar för denna billaga" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 msgid "Password changing failed" msgstr "Byte av lösenord misslyckades" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 msgid "Password changing is not allowed" msgstr "Byte av lösenord är inte tillÃ¥tet" diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index d7ec8c7e5..cb5165558 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:42:37+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:18:04+0000\n" "Language-Team: Telugu\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: out-statusnet\n" @@ -34,7 +34,7 @@ msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ పేజీ లేదà±" #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -50,8 +50,13 @@ msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ పేజీ లేదà±" msgid "No such user." msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ వాడà±à°•à°°à°¿ లేరà±." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%s మరియౠమితà±à°°à±à°²à±" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -103,7 +108,7 @@ msgstr "" msgid "You and friends" msgstr "మీరౠమరియౠమీ à°¸à±à°¨à±‡à°¹à°¿à°¤à±à°²à±" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -125,7 +130,7 @@ msgstr "" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4563,12 +4568,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 #, fuzzy msgid "Password changing failed" msgstr "సంకేతపదం మారà±à°ªà±" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 #, fuzzy msgid "Password changing is not allowed" msgstr "సంకేతపదం మారà±à°ªà±" diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index 1fb38bde3..99c424388 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:42:40+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:18:07+0000\n" "Language-Team: Turkish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: out-statusnet\n" @@ -35,7 +35,7 @@ msgstr "Böyle bir durum mesajı yok." #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -51,8 +51,13 @@ msgstr "Böyle bir durum mesajı yok." msgid "No such user." msgstr "Böyle bir kullanıcı yok." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%s ve arkadaÅŸları" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -105,7 +110,7 @@ msgstr "" msgid "You and friends" msgstr "%s ve arkadaÅŸları" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -127,7 +132,7 @@ msgstr "" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4686,12 +4691,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 #, fuzzy msgid "Password changing failed" msgstr "Parola kaydedildi." -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 #, fuzzy msgid "Password changing is not allowed" msgstr "Parola kaydedildi." diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index 051e89af5..96d64efef 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:42:43+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:18:11+0000\n" "Language-Team: Ukrainian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: out-statusnet\n" @@ -37,7 +37,7 @@ msgstr "Ðемає такої Ñторінки" #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -53,8 +53,13 @@ msgstr "Ðемає такої Ñторінки" msgid "No such user." msgstr "Такого кориÑтувача немає." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "Заблоковані профілі %1$s, Ñторінка %2$d" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -112,7 +117,7 @@ msgstr "" msgid "You and friends" msgstr "Ви з друзÑми" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -134,7 +139,7 @@ msgstr "ÐžÐ½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð²Ñ–Ð´ %1$s та друзів на %2$s!" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4733,11 +4738,11 @@ msgstr "ДопиÑи, до Ñких прикріплено це вкладенн msgid "Tags for this attachment" msgstr "Теґи Ð´Ð»Ñ Ñ†ÑŒÐ¾Ð³Ð¾ вкладеннÑ" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 msgid "Password changing failed" msgstr "Ðе вдалоÑÑ Ð·Ð¼Ñ–Ð½Ð¸Ñ‚Ð¸ пароль" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 msgid "Password changing is not allowed" msgstr "Змінювати пароль не дозволено" diff --git a/locale/vi/LC_MESSAGES/statusnet.po b/locale/vi/LC_MESSAGES/statusnet.po index f8fc1cae4..1d889777d 100644 --- a/locale/vi/LC_MESSAGES/statusnet.po +++ b/locale/vi/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:42:47+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:18:14+0000\n" "Language-Team: Vietnamese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: vi\n" "X-Message-Group: out-statusnet\n" @@ -34,7 +34,7 @@ msgstr "Không có tin nhắn nào." #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -50,8 +50,13 @@ msgstr "Không có tin nhắn nào." msgid "No such user." msgstr "Không có user nào." +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%s và bạn bè" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -104,7 +109,7 @@ msgstr "" msgid "You and friends" msgstr "%s và bạn bè" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -126,7 +131,7 @@ msgstr "" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4843,12 +4848,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 #, fuzzy msgid "Password changing failed" msgstr "Äã lÆ°u mật khẩu." -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 #, fuzzy msgid "Password changing is not allowed" msgstr "Äã lÆ°u mật khẩu." diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index 335a38a47..ec2e005d1 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:42:51+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:18:17+0000\n" "Language-Team: Simplified Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: out-statusnet\n" @@ -36,7 +36,7 @@ msgstr "没有该页é¢" #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -52,8 +52,13 @@ msgstr "没有该页é¢" msgid "No such user." msgstr "没有这个用户。" +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%s åŠå¥½å‹" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -106,7 +111,7 @@ msgstr "" msgid "You and friends" msgstr "%s åŠå¥½å‹" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -128,7 +133,7 @@ msgstr "æ¥è‡ª%2$s 上 %1$s 和好å‹çš„æ›´æ–°ï¼" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4767,12 +4772,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 #, fuzzy msgid "Password changing failed" msgstr "密ç å·²ä¿å­˜ã€‚" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 #, fuzzy msgid "Password changing is not allowed" msgstr "密ç å·²ä¿å­˜ã€‚" diff --git a/locale/zh_TW/LC_MESSAGES/statusnet.po b/locale/zh_TW/LC_MESSAGES/statusnet.po index 7233526d6..2fdb74d71 100644 --- a/locale/zh_TW/LC_MESSAGES/statusnet.po +++ b/locale/zh_TW/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-14 22:40+0000\n" -"PO-Revision-Date: 2010-01-14 22:42:54+0000\n" +"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"PO-Revision-Date: 2010-01-15 19:18:21+0000\n" "Language-Team: Traditional Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61064); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hant\n" "X-Message-Group: out-statusnet\n" @@ -34,7 +34,7 @@ msgstr "無此通知" #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 #: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 -#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:79 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 @@ -50,8 +50,13 @@ msgstr "無此通知" msgid "No such user." msgstr "無此使用者" +#: actions/all.php:84 +#, fuzzy, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%s與好å‹" + #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 -#: actions/apitimelinefriends.php:115 actions/apitimelinehome.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" @@ -104,7 +109,7 @@ msgstr "" msgid "You and friends" msgstr "%s與好å‹" -#: actions/allrss.php:119 actions/apitimelinefriends.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:121 #: actions/apitimelinehome.php:122 #, php-format msgid "Updates from %1$s and friends on %2$s!" @@ -126,7 +131,7 @@ msgstr "" #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:156 actions/apitimelinegroup.php:150 +#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 #: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 #: actions/apitimelineretweetedtome.php:121 @@ -4595,11 +4600,11 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:182 lib/authenticationplugin.php:187 +#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 msgid "Password changing failed" msgstr "" -#: lib/authenticationplugin.php:197 +#: lib/authenticationplugin.php:229 msgid "Password changing is not allowed" msgstr "" -- cgit v1.2.3-54-g00ecf From 5fd8e331f3db997df202b031d46539b748861db5 Mon Sep 17 00:00:00 2001 From: Eric Helgeson Date: Sat, 16 Jan 2010 11:56:07 -0500 Subject: Missed change when refactoring groups. Thanks macno --- actions/apigroupjoin.php | 2 +- actions/apigroupleave.php | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/actions/apigroupjoin.php b/actions/apigroupjoin.php index 3309d63e7..374cf83df 100644 --- a/actions/apigroupjoin.php +++ b/actions/apigroupjoin.php @@ -145,7 +145,7 @@ class ApiGroupJoinAction extends ApiAuthAction switch($this->format) { case 'xml': - $this->show_single_xml_group($this->group); + $this->showSingleXmlGroup($this->group); break; case 'json': $this->showSingleJsonGroup($this->group); diff --git a/actions/apigroupleave.php b/actions/apigroupleave.php index 6f8d40527..9848ece05 100644 --- a/actions/apigroupleave.php +++ b/actions/apigroupleave.php @@ -131,7 +131,7 @@ class ApiGroupLeaveAction extends ApiAuthAction switch($this->format) { case 'xml': - $this->show_single_xml_group($this->group); + $this->showSingleXmlGroup($this->group); break; case 'json': $this->showSingleJsonGroup($this->group); -- cgit v1.2.3-54-g00ecf From e8ba2794e7856015fe7b8830bd4ebabb78aaca3c Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Sat, 16 Jan 2010 18:57:34 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans --- locale/ar/LC_MESSAGES/statusnet.po | 96 ++++-------- locale/arz/LC_MESSAGES/statusnet.po | 104 +++++-------- locale/fr/LC_MESSAGES/statusnet.po | 15 +- locale/hsb/LC_MESSAGES/statusnet.po | 167 ++++++++------------ locale/mk/LC_MESSAGES/statusnet.po | 8 +- locale/nl/LC_MESSAGES/statusnet.po | 8 +- locale/pl/LC_MESSAGES/statusnet.po | 9 +- locale/pt_BR/LC_MESSAGES/statusnet.po | 284 ++++++++++++++++------------------ locale/statusnet.po | 2 +- locale/te/LC_MESSAGES/statusnet.po | 99 +++++------- locale/uk/LC_MESSAGES/statusnet.po | 186 ++++++++++------------ 11 files changed, 405 insertions(+), 573 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index bc3226594..456587040 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -10,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:15:48+0000\n" +"PO-Revision-Date: 2010-01-16 17:51:26+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61138); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" @@ -53,9 +53,9 @@ msgid "No such user." msgstr "لا مستخدم كهذا." #: actions/all.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s and friends, page %2$d" -msgstr "%1$s ملÙات ممنوعة, الصÙحة %2$d" +msgstr "%1$s والأصدقاء, الصÙحة %2$d" #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 @@ -436,19 +436,16 @@ msgid "There was a problem with your session token. Try again, please." msgstr "" #: actions/apioauthauthorize.php:146 -#, fuzzy msgid "Invalid nickname / password!" -msgstr "اسم مستخدم أو كلمة سر غير صالحة." +msgstr "اسم/كلمة سر غير صحيحة!" #: actions/apioauthauthorize.php:170 -#, fuzzy msgid "DB error deleting OAuth app user." -msgstr "خطأ أثناء ضبط المستخدم." +msgstr "خطأ قاعدة البيانات أثناء حذ٠المستخدم OAuth app" #: actions/apioauthauthorize.php:196 -#, fuzzy msgid "DB error inserting OAuth app user." -msgstr "خطأ ÙÙŠ إدراج الأÙتار" +msgstr "خطأ قاعدة البيانات أثناء إدخال المستخدم OAuth app" #: actions/apioauthauthorize.php:231 #, php-format @@ -496,14 +493,12 @@ msgid "Password" msgstr "كلمة السر" #: actions/apioauthauthorize.php:338 -#, fuzzy msgid "Deny" -msgstr "التصميم" +msgstr "ارÙض" #: actions/apioauthauthorize.php:344 -#, fuzzy msgid "Allow" -msgstr "الكل" +msgstr "اسمح" #: actions/apioauthauthorize.php:361 msgid "Allow or deny access to your account information." @@ -825,9 +820,8 @@ msgid "Couldn't delete email confirmation." msgstr "تعذّر حذ٠تأكيد البريد الإلكتروني." #: actions/confirmaddress.php:144 -#, fuzzy msgid "Confirm address" -msgstr "عنوان التأكيد" +msgstr "أكد العنوان" #: actions/confirmaddress.php:159 #, php-format @@ -1035,20 +1029,17 @@ msgid "Edit application" msgstr "" #: actions/editapplication.php:66 -#, fuzzy msgid "You must be logged in to edit an application." -msgstr "يجب أن تلج لتÙعدّل المجموعات." +msgstr "يجب أن تكون مسجل الدخول لتعدل تطبيقا." #: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy msgid "You are not the owner of this application." -msgstr "لست عضوا ÙÙŠ تلك المجموعة." +msgstr "أنت لست مالك هذا التطبيق." #: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 #: actions/showapplication.php:87 -#, fuzzy msgid "No such application." -msgstr "لا إشعار كهذا." +msgstr "لا تطبيق كهذا." #: actions/editapplication.php:127 actions/newapplication.php:110 #: actions/showapplication.php:118 lib/action.php:1167 @@ -1056,42 +1047,36 @@ msgid "There was a problem with your session token." msgstr "" #: actions/editapplication.php:161 -#, fuzzy msgid "Use this form to edit your application." -msgstr "استخدم هذا النموذج لتعديل المجموعة." +msgstr "استخدم هذا النموذج لتعدل تطبيقك." #: actions/editapplication.php:177 actions/newapplication.php:159 -#, fuzzy msgid "Name is required." -msgstr "Ù†Ùس كلمة السر أعلاه. مطلوب." +msgstr "الاسم مطلوب." #: actions/editapplication.php:180 actions/newapplication.php:162 -#, fuzzy msgid "Name is too long (max 255 chars)." -msgstr "الاسم الكامل طويل جدا (الأقصى 255 حرÙًا)" +msgstr "الاسم طويل جدا (الأقصى 255 حرÙا)." #: actions/editapplication.php:183 actions/newapplication.php:165 -#, fuzzy msgid "Description is required." -msgstr "الوصÙ" +msgstr "الوص٠مطلوب." #: actions/editapplication.php:191 msgid "Source URL is too long." msgstr "" #: actions/editapplication.php:197 actions/newapplication.php:182 -#, fuzzy msgid "Source URL is not valid." -msgstr "الصÙحة الرئيسية ليست عنونًا صالحًا." +msgstr "مسار المصدر ليس صحيحا." #: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Organization is required." msgstr "" #: actions/editapplication.php:203 actions/newapplication.php:188 -#, fuzzy msgid "Organization is too long (max 255 chars)." -msgstr "الاسم الكامل طويل جدا (الأقصى 255 حرÙًا)" +msgstr "المنظمة طويلة جدا (الأقصى 255 حرÙا)." #: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization homepage is required." @@ -1106,9 +1091,8 @@ msgid "Callback URL is not valid." msgstr "" #: actions/editapplication.php:255 -#, fuzzy msgid "Could not update application." -msgstr "تعذر تحديث المجموعة." +msgstr "لم يمكن تحديث التطبيق." #: actions/editgroup.php:56 #, php-format @@ -1948,23 +1932,20 @@ msgid "New application" msgstr "" #: actions/newapplication.php:64 -#, fuzzy msgid "You must be logged in to register an application." -msgstr "يجب أن تكون والجًا لتنشئ مجموعة." +msgstr "يجب أن تكون مسجل الدخول لتسجل تطبيقا." #: actions/newapplication.php:143 -#, fuzzy msgid "Use this form to register a new application." -msgstr "استخدم هذا النموذج لإنشاء مجموعة جديدة." +msgstr "استخدم هذا النموذج لتسجل تطبيقا جديدا." #: actions/newapplication.php:173 msgid "Source URL is required." msgstr "" #: actions/newapplication.php:255 actions/newapplication.php:264 -#, fuzzy msgid "Could not create application." -msgstr "تعذّر إنشاء الكنى." +msgstr "لم يمكن إنشاء التطبيق." #: actions/newgroup.php:53 msgid "New group" @@ -2071,14 +2052,12 @@ msgid "Nudge sent!" msgstr "Ø£Ùرسل التنبيه!" #: actions/oauthappssettings.php:59 -#, fuzzy msgid "You must be logged in to list your applications." -msgstr "يجب أن تلج لتÙعدّل المجموعات." +msgstr "يجب أن تكون مسجل الدخول لعرض تطبيقاتك." #: actions/oauthappssettings.php:74 -#, fuzzy msgid "OAuth applications" -msgstr "خيارات أخرى" +msgstr "تطبيقات OAuth" #: actions/oauthappssettings.php:85 msgid "Applications you have registered" @@ -2098,9 +2077,8 @@ msgid "You have allowed the following applications to access you account." msgstr "" #: actions/oauthconnectionssettings.php:170 -#, fuzzy msgid "You are not a user of that application." -msgstr "لست عضوا ÙÙŠ تلك المجموعة." +msgstr "أنت لست مستخدما لهذا التطبيق." #: actions/oauthconnectionssettings.php:180 msgid "Unable to revoke access for app: " @@ -2146,7 +2124,6 @@ msgid "Notice Search" msgstr "بحث الإشعارات" #: actions/othersettings.php:60 -#, fuzzy msgid "Other settings" msgstr "إعدادات أخرى" @@ -3020,9 +2997,8 @@ msgid "User is already sandboxed." msgstr "" #: actions/showapplication.php:82 -#, fuzzy msgid "You must be logged in to view an application." -msgstr "يجب أن تلج لتÙعدّل المجموعات." +msgstr "يجب أن تكون مسجل الدخول لرؤية تطبيق." #: actions/showapplication.php:158 msgid "Application profile" @@ -3038,9 +3014,8 @@ msgid "Name" msgstr "الاسم" #: actions/showapplication.php:179 lib/applicationeditform.php:224 -#, fuzzy msgid "Organization" -msgstr "الدعوات" +msgstr "المنظمة" #: actions/showapplication.php:188 actions/version.php:198 #: lib/applicationeditform.php:211 lib/groupeditform.php:172 @@ -3086,9 +3061,8 @@ msgid "Access token URL" msgstr "" #: actions/showapplication.php:263 -#, fuzzy msgid "Authorize URL" -msgstr "المؤلÙ" +msgstr "اسمح بالمسار" #: actions/showapplication.php:268 msgid "" @@ -4410,14 +4384,12 @@ msgid "Describe your application in %d characters" msgstr "" #: lib/applicationeditform.php:209 -#, fuzzy msgid "Describe your application" -msgstr "الوصÙ" +msgstr "ص٠تطبيقك" #: lib/applicationeditform.php:218 -#, fuzzy msgid "Source URL" -msgstr "المصدر" +msgstr "مسار المصدر" #: lib/applicationeditform.php:220 msgid "URL of the homepage of this application" @@ -4460,9 +4432,8 @@ msgid "Default access for this application: read-only, or read-write" msgstr "" #: lib/applicationlist.php:154 -#, fuzzy msgid "Revoke" -msgstr "أزل" +msgstr "اسحب" #: lib/attachmentlist.php:87 msgid "Attachments" @@ -4794,9 +4765,8 @@ msgid "Updates by SMS" msgstr "" #: lib/connectsettingsaction.php:120 -#, fuzzy msgid "Connections" -msgstr "اتصل" +msgstr "اتصالات" #: lib/connectsettingsaction.php:121 msgid "Authorized connected applications" diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index 087e09204..8de26e44b 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -1,5 +1,6 @@ # Translation of StatusNet to Egyptian Spoken Arabic # +# Author@translatewiki.net: Ghaly # Author@translatewiki.net: Meno25 # -- # This file is distributed under the same license as the StatusNet package. @@ -9,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:15:56+0000\n" +"PO-Revision-Date: 2010-01-16 17:51:30+0000\n" "Language-Team: Egyptian Spoken Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61138); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: out-statusnet\n" @@ -52,9 +53,9 @@ msgid "No such user." msgstr "لا مستخدم كهذا." #: actions/all.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s and friends, page %2$d" -msgstr "%1$s ملÙات ممنوعة, الصÙحه %2$d" +msgstr "%1$s والأصدقاء, الصÙحه %2$d" #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 @@ -435,19 +436,16 @@ msgid "There was a problem with your session token. Try again, please." msgstr "" #: actions/apioauthauthorize.php:146 -#, fuzzy msgid "Invalid nickname / password!" -msgstr "اسم مستخدم أو كلمه سر غير صالحه." +msgstr "اسم/كلمه سر غير صحيحة!" #: actions/apioauthauthorize.php:170 -#, fuzzy msgid "DB error deleting OAuth app user." -msgstr "خطأ أثناء ضبط المستخدم." +msgstr "خطأ قاعده البيانات أثناء حذ٠المستخدم OAuth app" #: actions/apioauthauthorize.php:196 -#, fuzzy msgid "DB error inserting OAuth app user." -msgstr "خطأ ÙÙ‰ إدراج الأÙتار" +msgstr "خطأ قاعده البيانات أثناء إدخال المستخدم OAuth app" #: actions/apioauthauthorize.php:231 #, php-format @@ -495,14 +493,12 @@ msgid "Password" msgstr "كلمه السر" #: actions/apioauthauthorize.php:338 -#, fuzzy msgid "Deny" -msgstr "التصميم" +msgstr "ارÙض" #: actions/apioauthauthorize.php:344 -#, fuzzy msgid "Allow" -msgstr "الكل" +msgstr "اسمح" #: actions/apioauthauthorize.php:361 msgid "Allow or deny access to your account information." @@ -824,9 +820,8 @@ msgid "Couldn't delete email confirmation." msgstr "تعذّر حذ٠تأكيد البريد الإلكترونى." #: actions/confirmaddress.php:144 -#, fuzzy msgid "Confirm address" -msgstr "عنوان التأكيد" +msgstr "أكد العنوان" #: actions/confirmaddress.php:159 #, php-format @@ -1034,20 +1029,17 @@ msgid "Edit application" msgstr "" #: actions/editapplication.php:66 -#, fuzzy msgid "You must be logged in to edit an application." -msgstr "يجب أن تلج لتÙعدّل المجموعات." +msgstr "يجب أن تكون مسجل الدخول لتعدل تطبيقا." #: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy msgid "You are not the owner of this application." -msgstr "لست عضوا ÙÙ‰ تلك المجموعه." +msgstr "أنت لست مالك هذا التطبيق." #: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 #: actions/showapplication.php:87 -#, fuzzy msgid "No such application." -msgstr "لا إشعار كهذا." +msgstr "لا تطبيق كهذا." #: actions/editapplication.php:127 actions/newapplication.php:110 #: actions/showapplication.php:118 lib/action.php:1167 @@ -1055,42 +1047,36 @@ msgid "There was a problem with your session token." msgstr "" #: actions/editapplication.php:161 -#, fuzzy msgid "Use this form to edit your application." -msgstr "استخدم هذا النموذج لتعديل المجموعه." +msgstr "استخدم النموذج ده علشان تعدل تطبيقك." #: actions/editapplication.php:177 actions/newapplication.php:159 -#, fuzzy msgid "Name is required." -msgstr "Ù†Ùس كلمه السر أعلاه. مطلوب." +msgstr "الاسم مطلوب." #: actions/editapplication.php:180 actions/newapplication.php:162 -#, fuzzy msgid "Name is too long (max 255 chars)." -msgstr "الاسم الكامل طويل جدا (الأقصى 255 حرÙًا)" +msgstr "الاسم طويل جدا (الأقصى 255 حرÙا)." #: actions/editapplication.php:183 actions/newapplication.php:165 -#, fuzzy msgid "Description is required." -msgstr "الوصÙ" +msgstr "الوص٠مطلوب." #: actions/editapplication.php:191 msgid "Source URL is too long." msgstr "" #: actions/editapplication.php:197 actions/newapplication.php:182 -#, fuzzy msgid "Source URL is not valid." -msgstr "الصÙحه الرئيسيه ليست عنونًا صالحًا." +msgstr "مسار المصدر ليس صحيحا." #: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Organization is required." msgstr "" #: actions/editapplication.php:203 actions/newapplication.php:188 -#, fuzzy msgid "Organization is too long (max 255 chars)." -msgstr "الاسم الكامل طويل جدا (الأقصى 255 حرÙًا)" +msgstr "المنظمه طويله جدا (الأقصى 255 حرÙا)." #: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization homepage is required." @@ -1105,9 +1091,8 @@ msgid "Callback URL is not valid." msgstr "" #: actions/editapplication.php:255 -#, fuzzy msgid "Could not update application." -msgstr "تعذر تحديث المجموعه." +msgstr "لم يمكن تحديث التطبيق." #: actions/editgroup.php:56 #, php-format @@ -1947,23 +1932,20 @@ msgid "New application" msgstr "" #: actions/newapplication.php:64 -#, fuzzy msgid "You must be logged in to register an application." -msgstr "يجب أن تكون والجًا لتنشئ مجموعه." +msgstr "يجب أن تكون مسجل الدخول لتسجل تطبيقا." #: actions/newapplication.php:143 -#, fuzzy msgid "Use this form to register a new application." -msgstr "استخدم هذا النموذج لإنشاء مجموعه جديده." +msgstr "استخدم هذا النموذج لتسجل تطبيقا جديدا." #: actions/newapplication.php:173 msgid "Source URL is required." msgstr "" #: actions/newapplication.php:255 actions/newapplication.php:264 -#, fuzzy msgid "Could not create application." -msgstr "تعذّر إنشاء الكنى." +msgstr "مش ممكن إنشاء التطبيق." #: actions/newgroup.php:53 msgid "New group" @@ -2070,14 +2052,12 @@ msgid "Nudge sent!" msgstr "Ø£Ùرسل التنبيه!" #: actions/oauthappssettings.php:59 -#, fuzzy msgid "You must be logged in to list your applications." -msgstr "يجب أن تلج لتÙعدّل المجموعات." +msgstr "يجب أن تكون مسجل الدخول لعرض تطبيقاتك." #: actions/oauthappssettings.php:74 -#, fuzzy msgid "OAuth applications" -msgstr "خيارات أخرى" +msgstr "تطبيقات OAuth" #: actions/oauthappssettings.php:85 msgid "Applications you have registered" @@ -2097,9 +2077,8 @@ msgid "You have allowed the following applications to access you account." msgstr "" #: actions/oauthconnectionssettings.php:170 -#, fuzzy msgid "You are not a user of that application." -msgstr "لست عضوا ÙÙ‰ تلك المجموعه." +msgstr "أنت لست مستخدما لهذا التطبيق." #: actions/oauthconnectionssettings.php:180 msgid "Unable to revoke access for app: " @@ -2134,20 +2113,19 @@ msgstr "" #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 #: lib/api.php:1066 lib/api.php:1176 msgid "Not a supported data format." -msgstr "ليس نسق بيانات مدعوم." +msgstr " مش نظام بيانات مدعوم." #: actions/opensearch.php:64 msgid "People Search" -msgstr "بحث ÙÙ‰ الأشخاص" +msgstr "تدوير ÙÙ‰ الأشخاص" #: actions/opensearch.php:67 msgid "Notice Search" msgstr "بحث الإشعارات" #: actions/othersettings.php:60 -#, fuzzy msgid "Other settings" -msgstr "إعدادات أخرى" +msgstr "إعدادات تانيه" #: actions/othersettings.php:71 msgid "Manage various other options." @@ -3019,9 +2997,8 @@ msgid "User is already sandboxed." msgstr "" #: actions/showapplication.php:82 -#, fuzzy msgid "You must be logged in to view an application." -msgstr "يجب أن تلج لتÙعدّل المجموعات." +msgstr "يجب أن تكون مسجل الدخول لرؤيه تطبيق." #: actions/showapplication.php:158 msgid "Application profile" @@ -3037,9 +3014,8 @@ msgid "Name" msgstr "الاسم" #: actions/showapplication.php:179 lib/applicationeditform.php:224 -#, fuzzy msgid "Organization" -msgstr "الدعوات" +msgstr "المنظمة" #: actions/showapplication.php:188 actions/version.php:198 #: lib/applicationeditform.php:211 lib/groupeditform.php:172 @@ -3085,9 +3061,8 @@ msgid "Access token URL" msgstr "" #: actions/showapplication.php:263 -#, fuzzy msgid "Authorize URL" -msgstr "المؤلÙ" +msgstr "اسمح بالمسار" #: actions/showapplication.php:268 msgid "" @@ -4411,12 +4386,11 @@ msgstr "" #: lib/applicationeditform.php:209 #, fuzzy msgid "Describe your application" -msgstr "الوصÙ" +msgstr "ص٠تطبيقك" #: lib/applicationeditform.php:218 -#, fuzzy msgid "Source URL" -msgstr "المصدر" +msgstr "مسار المصدر" #: lib/applicationeditform.php:220 msgid "URL of the homepage of this application" @@ -4459,9 +4433,8 @@ msgid "Default access for this application: read-only, or read-write" msgstr "" #: lib/applicationlist.php:154 -#, fuzzy msgid "Revoke" -msgstr "أزل" +msgstr "اسحب" #: lib/attachmentlist.php:87 msgid "Attachments" @@ -4793,9 +4766,8 @@ msgid "Updates by SMS" msgstr "" #: lib/connectsettingsaction.php:120 -#, fuzzy msgid "Connections" -msgstr "اتصل" +msgstr "اتصالات" #: lib/connectsettingsaction.php:121 msgid "Authorized connected applications" @@ -5291,7 +5263,7 @@ msgstr "أرÙÙ‚ ملÙًا" #: lib/noticeform.php:212 msgid "Share my location" -msgstr "شارك موقعي" +msgstr "شارك موقعى" #: lib/noticeform.php:215 msgid "Do not share my location" diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index 811700f9a..44a011329 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -1,5 +1,6 @@ # Translation of StatusNet to French # +# Author@translatewiki.net: Crochet.david # Author@translatewiki.net: IAlex # Author@translatewiki.net: Isoph # Author@translatewiki.net: Jean-Frédéric @@ -13,11 +14,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:16:56+0000\n" +"PO-Revision-Date: 2010-01-16 17:52:07+0000\n" "Language-Team: French\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61138); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: out-statusnet\n" @@ -517,14 +518,12 @@ msgid "Password" msgstr "Mot de passe" #: actions/apioauthauthorize.php:338 -#, fuzzy msgid "Deny" -msgstr "Conception" +msgstr "Refuser" #: actions/apioauthauthorize.php:344 -#, fuzzy msgid "Allow" -msgstr "Tous" +msgstr "Autoriser" #: actions/apioauthauthorize.php:361 msgid "Allow or deny access to your account information." @@ -4751,7 +4750,7 @@ msgstr "" #: lib/applicationeditform.php:299 msgid "Read-only" -msgstr "" +msgstr "Lecture seule" #: lib/applicationeditform.php:317 msgid "Read-write" @@ -4760,6 +4759,8 @@ msgstr "" #: lib/applicationeditform.php:318 msgid "Default access for this application: read-only, or read-write" msgstr "" +"Accès par défaut pour cette application : en lecture seule ou en lecture-" +"écriture" #: lib/applicationlist.php:154 #, fuzzy diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index a0c1048ef..0a2f05cb3 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -10,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:17:07+0000\n" +"PO-Revision-Date: 2010-01-16 17:52:17+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61138); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: out-statusnet\n" @@ -53,9 +53,9 @@ msgid "No such user." msgstr "Wužiwar njeeksistuje" #: actions/all.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s and friends, page %2$d" -msgstr "%1$s zablokowa profile, stronu %2$d" +msgstr "%1$s a pÅ™ećeljo, strona %2$d" #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 @@ -436,18 +436,16 @@ msgid "There was a problem with your session token. Try again, please." msgstr "" #: actions/apioauthauthorize.php:146 -#, fuzzy msgid "Invalid nickname / password!" -msgstr "NjepÅ‚aćiwe wužiwarske mjeno abo hesÅ‚o." +msgstr "NjepÅ‚aćiwe pÅ™imjeno abo hesÅ‚o!" #: actions/apioauthauthorize.php:170 msgid "DB error deleting OAuth app user." msgstr "" #: actions/apioauthauthorize.php:196 -#, fuzzy msgid "DB error inserting OAuth app user." -msgstr "Zmylk pÅ™i zasunjenju awatara" +msgstr "Zmylk datoweje banki pÅ™i zasunjenju wužiwarja OAuth-aplikacije." #: actions/apioauthauthorize.php:231 #, php-format @@ -495,14 +493,12 @@ msgid "Password" msgstr "HesÅ‚o" #: actions/apioauthauthorize.php:338 -#, fuzzy msgid "Deny" -msgstr "Design" +msgstr "Wotpokazać" #: actions/apioauthauthorize.php:344 -#, fuzzy msgid "Allow" -msgstr "WÅ¡Ä›" +msgstr "Dowolić" #: actions/apioauthauthorize.php:361 msgid "Allow or deny access to your account information." @@ -825,7 +821,6 @@ msgid "Couldn't delete email confirmation." msgstr "" #: actions/confirmaddress.php:144 -#, fuzzy msgid "Confirm address" msgstr "Adresu wobkrućić" @@ -1036,20 +1031,17 @@ msgid "Edit application" msgstr "" #: actions/editapplication.php:66 -#, fuzzy msgid "You must be logged in to edit an application." msgstr "DyrbiÅ¡ pÅ™izjewjeny być, zo by skupinu wobdźěłaÅ‚." #: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy msgid "You are not the owner of this application." -msgstr "Njejsy ÄÅ‚on tuteje skupiny." +msgstr "Njejsy wobsedźer tuteje aplikacije." #: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 #: actions/showapplication.php:87 -#, fuzzy msgid "No such application." -msgstr "Zdźělenka njeeksistuje." +msgstr "Aplikacija njeeksistuje." #: actions/editapplication.php:127 actions/newapplication.php:110 #: actions/showapplication.php:118 lib/action.php:1167 @@ -1057,42 +1049,36 @@ msgid "There was a problem with your session token." msgstr "" #: actions/editapplication.php:161 -#, fuzzy msgid "Use this form to edit your application." -msgstr "Wuž tutón formular, zo by skupinu wobdźěłaÅ‚." +msgstr "Wužij tutón formular, zo by aplikaciju wobdźěłaÅ‚." #: actions/editapplication.php:177 actions/newapplication.php:159 -#, fuzzy msgid "Name is required." -msgstr "Jenake kaž hesÅ‚o horjeka. TrÄ›bne." +msgstr "Mjeno je trÄ›bne." #: actions/editapplication.php:180 actions/newapplication.php:162 -#, fuzzy msgid "Name is too long (max 255 chars)." -msgstr "DospoÅ‚ne mjeno je pÅ™edoÅ‚ho (maks. 255 znamjeÅ¡kow)." +msgstr "Mjeno je pÅ™edoÅ‚ho (maks. 255 znamjeÅ¡kow)." #: actions/editapplication.php:183 actions/newapplication.php:165 -#, fuzzy msgid "Description is required." -msgstr "Wopisanje" +msgstr "Wopisanje je trÄ›bne." #: actions/editapplication.php:191 msgid "Source URL is too long." msgstr "" #: actions/editapplication.php:197 actions/newapplication.php:182 -#, fuzzy msgid "Source URL is not valid." -msgstr "Startowa strona njeje pÅ‚aćiwy URL." +msgstr "URL žórÅ‚a pÅ‚aćiwy njeje." #: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Organization is required." msgstr "" #: actions/editapplication.php:203 actions/newapplication.php:188 -#, fuzzy msgid "Organization is too long (max 255 chars)." -msgstr "MÄ›stno je pÅ™edoÅ‚ho (maks. 255 znamjeÅ¡kow)." +msgstr "Mjeno organizacije je pÅ™edoÅ‚ho (maks. 255 znamjeÅ¡kow)." #: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization homepage is required." @@ -1107,9 +1093,8 @@ msgid "Callback URL is not valid." msgstr "" #: actions/editapplication.php:255 -#, fuzzy msgid "Could not update application." -msgstr "Skupina njeje so daÅ‚a aktualizować." +msgstr "Aplikacija njeda so aktualizować." #: actions/editgroup.php:56 #, php-format @@ -1953,23 +1938,20 @@ msgid "New application" msgstr "" #: actions/newapplication.php:64 -#, fuzzy msgid "You must be logged in to register an application." -msgstr "DyrbiÅ¡ pÅ™izjewjeny być, zo by skupinu wutworiÅ‚." +msgstr "DyrbiÅ¡ pÅ™izjewjeny być, zo by aplikaciju registrowaÅ‚." #: actions/newapplication.php:143 -#, fuzzy msgid "Use this form to register a new application." -msgstr "Wužij tutón formular, zo by nowu skupinu wutworiÅ‚." +msgstr "Wužij tutón formular, zo by nowu aplikaciju registrowaÅ‚." #: actions/newapplication.php:173 msgid "Source URL is required." msgstr "" #: actions/newapplication.php:255 actions/newapplication.php:264 -#, fuzzy msgid "Could not create application." -msgstr "Aliasy njejsu so dali wutworić." +msgstr "Aplikacija njeda so wutworić." #: actions/newgroup.php:53 msgid "New group" @@ -2076,14 +2058,12 @@ msgid "Nudge sent!" msgstr "" #: actions/oauthappssettings.php:59 -#, fuzzy msgid "You must be logged in to list your applications." -msgstr "DyrbiÅ¡ pÅ™izjewjeny być, zo by skupinu wobdźěłaÅ‚." +msgstr "DyrbiÅ¡ pÅ™izjewjeny być, zo by swoje aplikacije nalistowaÅ‚." #: actions/oauthappssettings.php:74 -#, fuzzy msgid "OAuth applications" -msgstr "Druhe opcije" +msgstr "Aplikacije OAuth" #: actions/oauthappssettings.php:85 msgid "Applications you have registered" @@ -2103,9 +2083,8 @@ msgid "You have allowed the following applications to access you account." msgstr "" #: actions/oauthconnectionssettings.php:170 -#, fuzzy msgid "You are not a user of that application." -msgstr "Njejsy ÄÅ‚on teje skupiny." +msgstr "Njejsy wužiwar tuteje aplikacije." #: actions/oauthconnectionssettings.php:180 msgid "Unable to revoke access for app: " @@ -2151,7 +2130,6 @@ msgid "Notice Search" msgstr "Zdźělenku pytać" #: actions/othersettings.php:60 -#, fuzzy msgid "Other settings" msgstr "Druhe nastajenja" @@ -2184,28 +2162,24 @@ msgid "URL shortening service is too long (max 50 chars)." msgstr "" #: actions/otp.php:69 -#, fuzzy msgid "No user ID specified." -msgstr "Žana skupina podata." +msgstr "Žadyn wužiwarski ID podaty." #: actions/otp.php:83 -#, fuzzy msgid "No login token specified." -msgstr "Žana zdźělenka podata." +msgstr "Žane pÅ™izjewjenske znamjeÅ¡ko podate." #: actions/otp.php:90 msgid "No login token requested." msgstr "" #: actions/otp.php:95 -#, fuzzy msgid "Invalid login token specified." -msgstr "Žana zdźělenka podata." +msgstr "NjepÅ‚aćiwe pÅ™izjewjenske znamjeÅ¡ko podate." #: actions/otp.php:104 -#, fuzzy msgid "Login token expired." -msgstr "PÅ™i sydle pÅ™izjewić" +msgstr "PÅ™izjewjenske znamjeÅ¡ko spadnjene." #: actions/outbox.php:61 #, php-format @@ -3024,14 +2998,12 @@ msgid "User is already sandboxed." msgstr "" #: actions/showapplication.php:82 -#, fuzzy msgid "You must be logged in to view an application." -msgstr "DyrbiÅ¡ pÅ™izjewjeny być, zo by skupinu wopušćiÅ‚." +msgstr "DyrbiÅ¡ pÅ™izjewjeny być, zo by sej aplikaciju wobhladaÅ‚." #: actions/showapplication.php:158 -#, fuzzy msgid "Application profile" -msgstr "Zdźělenka nima profil" +msgstr "Aplikaciski profil" #: actions/showapplication.php:160 lib/applicationeditform.php:182 msgid "Icon" @@ -3043,9 +3015,8 @@ msgid "Name" msgstr "Mjeno" #: actions/showapplication.php:179 lib/applicationeditform.php:224 -#, fuzzy msgid "Organization" -msgstr "PÅ™eproÅ¡enja" +msgstr "Organizacija" #: actions/showapplication.php:188 actions/version.php:198 #: lib/applicationeditform.php:211 lib/groupeditform.php:172 @@ -3091,9 +3062,8 @@ msgid "Access token URL" msgstr "" #: actions/showapplication.php:263 -#, fuzzy msgid "Authorize URL" -msgstr "Awtor" +msgstr "URL awtorizować" #: actions/showapplication.php:268 msgid "" @@ -4083,19 +4053,16 @@ msgid "A file this large would exceed your monthly quota of %d bytes." msgstr "" #: classes/Group_member.php:41 -#, fuzzy msgid "Group join failed." -msgstr "Skupinski profil" +msgstr "PÅ™izamknjenje k skupinje je so njeporadźiÅ‚o." #: classes/Group_member.php:53 -#, fuzzy msgid "Not part of group." -msgstr "Skupina njeje so daÅ‚a aktualizować." +msgstr "Njeje dźěl skupiny." #: classes/Group_member.php:60 -#, fuzzy msgid "Group leave failed." -msgstr "Skupinski profil" +msgstr "Wopušćenje skupiny je so njeporadźiÅ‚o." #: classes/Login_token.php:76 #, php-format @@ -4198,9 +4165,9 @@ msgid "Other options" msgstr "Druhe opcije" #: lib/action.php:144 -#, fuzzy, php-format +#, php-format msgid "%1$s - %2$s" -msgstr "%1$s (%2$s)" +msgstr "%1$s - %2$s" #: lib/action.php:159 msgid "Untitled page" @@ -4404,19 +4371,17 @@ msgid "Icon for this application" msgstr "" #: lib/applicationeditform.php:206 -#, fuzzy, php-format +#, php-format msgid "Describe your application in %d characters" -msgstr "Skupinu abo temu w %d znamjeÅ¡kach wopisać" +msgstr "Wopisaj swoju aplikaciju z %d znamjeÅ¡kami" #: lib/applicationeditform.php:209 -#, fuzzy msgid "Describe your application" -msgstr "Skupinu abo temu wopisać" +msgstr "Wopisaj swoju aplikaciju" #: lib/applicationeditform.php:218 -#, fuzzy msgid "Source URL" -msgstr "ŽórÅ‚o" +msgstr "URL žórÅ‚a" #: lib/applicationeditform.php:220 msgid "URL of the homepage of this application" @@ -4459,9 +4424,8 @@ msgid "Default access for this application: read-only, or read-write" msgstr "" #: lib/applicationlist.php:154 -#, fuzzy msgid "Revoke" -msgstr "Wotstronić" +msgstr "WotwoÅ‚ać" #: lib/attachmentlist.php:87 msgid "Attachments" @@ -4530,44 +4494,41 @@ msgid "" msgstr "" #: lib/command.php:152 lib/command.php:390 lib/command.php:451 -#, fuzzy msgid "Notice with that id does not exist" -msgstr "Zdźělenka z tym ID njeeksistuje." +msgstr "Zdźělenka z tym ID njeeksistuje" #: lib/command.php:168 lib/command.php:406 lib/command.php:467 #: lib/command.php:523 -#, fuzzy msgid "User has no last notice" -msgstr "Wužiwar nima poslednju powÄ›sć." +msgstr "Wužiwar nima poslednju powÄ›sć" #: lib/command.php:190 msgid "Notice marked as fave." msgstr "" #: lib/command.php:217 -#, fuzzy msgid "You are already a member of that group" -msgstr "Sy hižo ÄÅ‚on teje skupiny." +msgstr "Sy hižo ÄÅ‚on teje skupiny" #: lib/command.php:231 -#, fuzzy, php-format +#, php-format msgid "Could not join user %s to group %s" -msgstr "NjebÄ› móžno wužiwarja %1$s skupinje %2%s pÅ™idać." +msgstr "NjebÄ› móžno wužiwarja %s skupinje %s pÅ™idać" #: lib/command.php:236 -#, fuzzy, php-format +#, php-format msgid "%s joined group %s" -msgstr "Wužiwarske skupiny" +msgstr "%s je so k skupinje %s pÅ™izamknyÅ‚" #: lib/command.php:275 -#, fuzzy, php-format +#, php-format msgid "Could not remove user %s to group %s" -msgstr "NjebÄ› móžno wužiwarja %1$s do skupiny $2$s pÅ™esunyć." +msgstr "NjebÄ› móžno wužiwarja %s do skupiny %s pÅ™esunyć" #: lib/command.php:280 -#, fuzzy, php-format +#, php-format msgid "%s left group %s" -msgstr "Wužiwarske skupiny" +msgstr "%s je skupinu %s wopušćiÅ‚" #: lib/command.php:309 #, php-format @@ -4595,18 +4556,17 @@ msgid "Message too long - maximum is %d characters, you sent %d" msgstr "" #: lib/command.php:367 -#, fuzzy, php-format +#, php-format msgid "Direct message to %s sent" -msgstr "Direktna powÄ›sć do %s pósÅ‚ana." +msgstr "Direktna powÄ›sć do %s pósÅ‚ana" #: lib/command.php:369 msgid "Error sending direct message." msgstr "" #: lib/command.php:413 -#, fuzzy msgid "Cannot repeat your own notice" -msgstr "Njemóžno twoju zdźělenku wospjetować." +msgstr "NjemóžeÅ¡ swójsku powÄ›sć wospjetować" #: lib/command.php:418 msgid "Already repeated that notice" @@ -4627,9 +4587,9 @@ msgid "Notice too long - maximum is %d characters, you sent %d" msgstr "" #: lib/command.php:491 -#, fuzzy, php-format +#, php-format msgid "Reply to %s sent" -msgstr "WotmoÅ‚wa na %s pósÅ‚ana." +msgstr "WotmoÅ‚wa na %s pósÅ‚ana" #: lib/command.php:493 msgid "Error saving notice." @@ -4788,9 +4748,8 @@ msgid "Updates by SMS" msgstr "" #: lib/connectsettingsaction.php:120 -#, fuzzy msgid "Connections" -msgstr "Zwjazać" +msgstr "Zwiski" #: lib/connectsettingsaction.php:121 msgid "Authorized connected applications" @@ -4984,9 +4943,9 @@ msgid "[%s]" msgstr "[%s]" #: lib/jabber.php:385 -#, fuzzy, php-format +#, php-format msgid "Unknown inbox source %d." -msgstr "Njeznata rÄ›Ä \"%s\"." +msgstr "Njeznate žórÅ‚o postoweho kašćika %d." #: lib/joinform.php:114 msgid "Join" @@ -5285,14 +5244,12 @@ msgid "Attach a file" msgstr "Dataju pÅ™ipowÄ›snyć" #: lib/noticeform.php:212 -#, fuzzy msgid "Share my location" -msgstr "MÄ›stno dźělić." +msgstr "MÄ›stno dźělić" #: lib/noticeform.php:215 -#, fuzzy msgid "Do not share my location" -msgstr "MÄ›stno njedźělić." +msgstr "Njedźěl moje mÄ›stno" #: lib/noticeform.php:216 msgid "" diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index b9b98498a..30b717056 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -10,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:17:31+0000\n" +"PO-Revision-Date: 2010-01-16 17:52:38+0000\n" "Language-Team: Macedonian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61138); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: out-statusnet\n" @@ -52,9 +52,9 @@ msgid "No such user." msgstr "Ðема таков кориÑник." #: actions/all.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s and friends, page %2$d" -msgstr "%1$s блокирани профили, ÑÑ‚Ñ€. %2$d" +msgstr "%1$s и пријателите, ÑÑ‚Ñ€. %2$d" #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index c616a3c41..ff28d0c75 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -11,11 +11,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:17:42+0000\n" +"PO-Revision-Date: 2010-01-16 17:52:50+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61138); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: out-statusnet\n" @@ -53,9 +53,9 @@ msgid "No such user." msgstr "Onbekende gebruiker." #: actions/all.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s and friends, page %2$d" -msgstr "%1$s geblokkeerde profielen, pagina %2$d" +msgstr "%1$s en vrienden, pagina %2$d" #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index 7c0fc0a6e..17f334cb4 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -11,7 +11,7 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:17:45+0000\n" +"PO-Revision-Date: 2010-01-16 17:52:53+0000\n" "Last-Translator: Piotr DrÄ…g \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -19,7 +19,7 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61138); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: out-statusnet\n" @@ -56,9 +56,9 @@ msgid "No such user." msgstr "Brak takiego użytkownika." #: actions/all.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s and friends, page %2$d" -msgstr "%1$s zablokowane profile, strona %2$d" +msgstr "%1$s i przyjaciele, strona %2$d" #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 @@ -4684,7 +4684,6 @@ msgstr "" "DomyÅ›lny dostÄ™p do tej aplikacji: tylko do odczytu lub do odczytu i zapisu" #: lib/applicationlist.php:154 -#, fuzzy msgid "Revoke" msgstr "Unieważnij" diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index fe73d3089..c3162d470 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -11,11 +11,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:17:53+0000\n" +"PO-Revision-Date: 2010-01-16 17:53:00+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61138); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" @@ -1138,7 +1138,6 @@ msgstr "Você deve estar autenticado para criar um grupo." #: actions/editgroup.php:103 actions/editgroup.php:168 #: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 -#, fuzzy msgid "You must be an admin to edit the group." msgstr "Você deve ser um administrador para editar o grupo." @@ -1509,7 +1508,7 @@ msgid "Block user from group" msgstr "Bloquear o usuário no grupo" #: actions/groupblock.php:162 -#, fuzzy, php-format +#, php-format msgid "" "Are you sure you want to block user \"%1$s\" from the group \"%2$s\"? They " "will be removed from the group, unable to post, and unable to subscribe to " @@ -2137,9 +2136,9 @@ msgid "Text search" msgstr "Procurar por texto" #: actions/noticesearch.php:91 -#, fuzzy, php-format +#, php-format msgid "Search results for \"%1$s\" on %2$s" -msgstr "Resultados da procura por \"%s\" no %s" +msgstr "Resultados da procura para \"%1$s\" no %2$s" #: actions/noticesearch.php:121 #, php-format @@ -2186,49 +2185,48 @@ msgid "Nudge sent!" msgstr "A chamada de atenção foi enviada!" #: actions/oauthappssettings.php:59 -#, fuzzy msgid "You must be logged in to list your applications." -msgstr "Você precisa estar autenticado para editar um grupo." +msgstr "Você precisa estar autenticado para listar suas aplicações." #: actions/oauthappssettings.php:74 -#, fuzzy msgid "OAuth applications" -msgstr "Outras opções" +msgstr "Aplicações OAuth" #: actions/oauthappssettings.php:85 msgid "Applications you have registered" -msgstr "" +msgstr "Aplicações que você registrou" #: actions/oauthappssettings.php:135 #, php-format msgid "You have not registered any applications yet." -msgstr "" +msgstr "Você ainda não registrou nenhuma aplicação." #: actions/oauthconnectionssettings.php:71 msgid "Connected applications" -msgstr "" +msgstr "Aplicações conectadas" #: actions/oauthconnectionssettings.php:87 msgid "You have allowed the following applications to access you account." -msgstr "" +msgstr "Você permitiu que as seguintes aplicações acessem a sua conta." #: actions/oauthconnectionssettings.php:170 -#, fuzzy msgid "You are not a user of that application." -msgstr "Você não é um membro desse grupo." +msgstr "Você não é um usuário dessa aplicação." #: actions/oauthconnectionssettings.php:180 msgid "Unable to revoke access for app: " -msgstr "" +msgstr "Não foi possível revogar o acesso para a aplicação: " #: actions/oauthconnectionssettings.php:192 #, php-format msgid "You have not authorized any applications to use your account." -msgstr "" +msgstr "Você não autorizou nenhuma aplicação a usar a sua conta." #: actions/oauthconnectionssettings.php:205 msgid "Developers can edit the registration settings for their applications " msgstr "" +"Os desenvolvedores podem editar as configurações de registro para suas " +"aplicações " #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" @@ -2261,7 +2259,6 @@ msgid "Notice Search" msgstr "Procurar mensagens" #: actions/othersettings.php:60 -#, fuzzy msgid "Other settings" msgstr "Outras configurações" @@ -2294,29 +2291,24 @@ msgid "URL shortening service is too long (max 50 chars)." msgstr "O serviço de encolhimento de URL é muito extenso (máx. 50 caracteres)." #: actions/otp.php:69 -#, fuzzy msgid "No user ID specified." -msgstr "Não foi especificado nenhum grupo." +msgstr "Não foi especificado nenhum ID de usuário." #: actions/otp.php:83 -#, fuzzy msgid "No login token specified." -msgstr "Não foi especificada nenhuma mensagem." +msgstr "Não foi especificado nenhum token de autenticação." #: actions/otp.php:90 -#, fuzzy msgid "No login token requested." -msgstr "Nenhuma ID de perfil na requisição." +msgstr "Não foi requerido nenhum token de autenticação." #: actions/otp.php:95 -#, fuzzy msgid "Invalid login token specified." -msgstr "Token inválido ou expirado." +msgstr "O token de autenticação especificado é inválido." #: actions/otp.php:104 -#, fuzzy msgid "Login token expired." -msgstr "Autenticar-se no site" +msgstr "O token de autenticação expirou." #: actions/outbox.php:61 #, php-format @@ -2517,7 +2509,6 @@ msgid "When to use SSL" msgstr "Quando usar SSL" #: actions/pathsadminpanel.php:308 -#, fuzzy msgid "SSL server" msgstr "Servidor SSL" @@ -2548,19 +2539,19 @@ msgid "Not a valid people tag: %s" msgstr "Não é uma etiqueta de pessoa válida: %s" #: actions/peopletag.php:144 -#, fuzzy, php-format +#, php-format msgid "Users self-tagged with %1$s - page %2$d" -msgstr "Usuários auto-etiquetados com %s - pág. %d" +msgstr "Usuários auto-etiquetados com %1$s - pág. %2$d" #: actions/postnotice.php:84 msgid "Invalid notice content" msgstr "O conteúdo da mensagem é inválido" #: actions/postnotice.php:90 -#, fuzzy, php-format +#, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -"A licença ‘%s’ da mensagem não é compatível com a licença ‘%s’ do site." +"A licença ‘%1$s’ da mensagem não é compatível com a licença ‘%2$s’ do site." #: actions/profilesettings.php:60 msgid "Profile settings" @@ -3016,7 +3007,7 @@ msgstr "" "e número de telefone." #: actions/register.php:538 -#, fuzzy, php-format +#, php-format msgid "" "Congratulations, %1$s! And welcome to %%%%site.name%%%%. From here, you may " "want to...\n" @@ -3033,10 +3024,10 @@ msgid "" "\n" "Thanks for signing up and we hope you enjoy using this service." msgstr "" -"Parabéns, %s! E bem-vindo(a) a %%%%site.name%%%%. A partir daqui, você " +"Parabéns, %1$s! E bem-vindo(a) a %%%%site.name%%%%. A partir daqui, você " "pode...\n" "\n" -"* Acessar [seu perfil](%s) e publicar sua primeira mensagem.\n" +"* Acessar [seu perfil](%2$s) e publicar sua primeira mensagem.\n" "* Adicionar um [endereço de Jabber/GTalk](%%%%action.imsettings%%%%) para " "que você possa publicar via mensagens instantâneas.\n" "* [Procurar pessoas](%%%%action.peoplesearch%%%%) que você conheça ou que " @@ -3160,13 +3151,13 @@ msgid "Replies feed for %s (Atom)" msgstr "Fonte de respostas para %s (Atom)" #: actions/replies.php:198 -#, fuzzy, php-format +#, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "" -"Esse é o fluxo de mensagens de resposta para %s, mas %s ainda não recebeu " -"nenhuma mensagem direcionada a ele(a)." +"Esse é o fluxo de mensagens de resposta para %1$s, mas %2$s ainda não " +"recebeu nenhuma mensagem direcionada a ele(a)." #: actions/replies.php:203 #, php-format @@ -3178,13 +3169,14 @@ msgstr "" "pessoas ou [associe-se a grupos](%%action.groups%%)." #: actions/replies.php:205 -#, fuzzy, php-format +#, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " "attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -"Você pode tentar [chamar a atenção de %s](../%s) ou [publicar alguma coisa " -"que desperte seu interesse](%%%%action.newnotice%%%%?status_textarea=%s)." +"Você pode tentar [chamar a atenção de %1$s](../%2$s) ou [publicar alguma " +"coisa que desperte seu interesse](%%%%action.newnotice%%%%?status_textarea=%3" +"$s)." #: actions/repliesrss.php:72 #, php-format @@ -3200,29 +3192,25 @@ msgid "User is already sandboxed." msgstr "O usuário já está em isolamento." #: actions/showapplication.php:82 -#, fuzzy msgid "You must be logged in to view an application." -msgstr "Você deve estar autenticado para sair de um grupo." +msgstr "Você deve estar autenticado para visualizar uma aplicação." #: actions/showapplication.php:158 -#, fuzzy msgid "Application profile" -msgstr "A mensagem não está associada a nenhum perfil" +msgstr "Perfil da aplicação" #: actions/showapplication.php:160 lib/applicationeditform.php:182 msgid "Icon" -msgstr "" +msgstr "Ãcone" #: actions/showapplication.php:170 actions/version.php:195 #: lib/applicationeditform.php:197 -#, fuzzy msgid "Name" -msgstr "Usuário" +msgstr "Nome" #: actions/showapplication.php:179 lib/applicationeditform.php:224 -#, fuzzy msgid "Organization" -msgstr "Paginação" +msgstr "Organização" #: actions/showapplication.php:188 actions/version.php:198 #: lib/applicationeditform.php:211 lib/groupeditform.php:172 @@ -3237,46 +3225,47 @@ msgstr "Estatísticas" #: actions/showapplication.php:204 #, php-format msgid "created by %1$s - %2$s access by default - %3$d users" -msgstr "" +msgstr "criado por %1$s - %2$s acessa por padrão - %3$d usuários" #: actions/showapplication.php:214 msgid "Application actions" -msgstr "" +msgstr "Ações da aplicação" #: actions/showapplication.php:233 msgid "Reset key & secret" -msgstr "" +msgstr "Restaurar a chave e o segredo" #: actions/showapplication.php:241 msgid "Application info" -msgstr "" +msgstr "Informação da aplicação" #: actions/showapplication.php:243 msgid "Consumer key" -msgstr "" +msgstr "Chave do consumidor" #: actions/showapplication.php:248 msgid "Consumer secret" -msgstr "" +msgstr "Segredo do consumidor" #: actions/showapplication.php:253 msgid "Request token URL" -msgstr "" +msgstr "URL do token de requisição" #: actions/showapplication.php:258 msgid "Access token URL" -msgstr "" +msgstr "URL do token de acesso" #: actions/showapplication.php:263 -#, fuzzy msgid "Authorize URL" -msgstr "Autor" +msgstr "Autorizar a URL" #: actions/showapplication.php:268 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +"Nota: Nós suportamos assinaturas HMAC-SHA1. Nós não suportamos o método de " +"assinatura em texto plano." #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." @@ -3456,9 +3445,9 @@ msgid " tagged %s" msgstr " etiquetada %s" #: actions/showstream.php:122 -#, fuzzy, php-format +#, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" -msgstr "Fonte de mensagens de %s etiquetada %s (RSS 1.0)" +msgstr "Fonte de mensagens de %1$s etiquetada como %2$s (RSS 1.0)" #: actions/showstream.php:129 #, php-format @@ -3481,10 +3470,11 @@ msgid "FOAF for %s" msgstr "FOAF de %s" #: actions/showstream.php:191 -#, fuzzy, php-format +#, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" -"Este é o fluxo público de mensagens de %s, mas %s não publicou nada ainda." +"Este é o fluxo público de mensagens de %1$s, mas %2$s não publicou nada " +"ainda." #: actions/showstream.php:196 msgid "" @@ -3495,13 +3485,13 @@ msgstr "" "mensagem. Que tal começar agora? :)" #: actions/showstream.php:198 -#, fuzzy, php-format +#, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -"Você pode tentar chamar a atenção de %s ou [publicar alguma coisa que " -"desperte seu interesse](%%%%action.newnotice%%%%?status_textarea=%s)." +"Você pode tentar chamar a atenção de %1$s ou [publicar alguma coisa que " +"desperte seu interesse](%%%%action.newnotice%%%%?status_textarea=%2$s)." #: actions/showstream.php:234 #, php-format @@ -3550,14 +3540,13 @@ msgid "Site name must have non-zero length." msgstr "Você deve digitar alguma coisa para o nome do site." #: actions/siteadminpanel.php:154 -#, fuzzy msgid "You must have a valid contact email address." msgstr "Você deve ter um endereço de e-mail para contato válido." #: actions/siteadminpanel.php:172 -#, fuzzy, php-format +#, php-format msgid "Unknown language \"%s\"." -msgstr "Idioma desconhecido \"%s\"" +msgstr "Idioma \"%s\" desconhecido." #: actions/siteadminpanel.php:179 msgid "Invalid snapshot report URL." @@ -3738,9 +3727,8 @@ msgid "Save site settings" msgstr "Salvar as configurações do site" #: actions/smssettings.php:58 -#, fuzzy msgid "SMS settings" -msgstr "Configuração de SMS" +msgstr "Configuração do SMS" #: actions/smssettings.php:69 #, php-format @@ -3768,7 +3756,6 @@ msgid "Enter the code you received on your phone." msgstr "Informe o código que você recebeu no seu telefone." #: actions/smssettings.php:138 -#, fuzzy msgid "SMS phone number" msgstr "Telefone para SMS" @@ -3859,9 +3846,9 @@ msgid "%s subscribers" msgstr "Assinantes de %s" #: actions/subscribers.php:52 -#, fuzzy, php-format +#, php-format msgid "%1$s subscribers, page %2$d" -msgstr "Assinantes de %s, pág. %d" +msgstr "Assinantes de %1$s, pág. %2$d" #: actions/subscribers.php:63 msgid "These are the people who listen to your notices." @@ -3900,9 +3887,9 @@ msgid "%s subscriptions" msgstr "Assinaturas de %s" #: actions/subscriptions.php:54 -#, fuzzy, php-format +#, php-format msgid "%1$s subscriptions, page %2$d" -msgstr "Assinaturas de %s, pág. %d" +msgstr "Assinaturas de %1$s, pág. %2$d" #: actions/subscriptions.php:65 msgid "These are the people whose notices you listen to." @@ -4030,12 +4017,12 @@ msgid "Unsubscribed" msgstr "Cancelado" #: actions/updateprofile.php:62 actions/userauthorization.php:330 -#, fuzzy, php-format +#, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -"A licença '%s' do fluxo do usuário não é compatível com a licença '%s' do " -"site." +"A licença '%1$s' do fluxo do usuário não é compatível com a licença '%2$s' " +"do site." #: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 #: lib/personalgroupnav.php:115 @@ -4193,9 +4180,9 @@ msgstr "" "completamente a assinatura." #: actions/userauthorization.php:296 -#, fuzzy, php-format +#, php-format msgid "Listener URI ‘%s’ not found here." -msgstr "A URI ‘%s’ do usuário não foi encontrada aqui" +msgstr "A URI ‘%s’ do usuário não foi encontrada aqui." #: actions/userauthorization.php:301 #, php-format @@ -4260,9 +4247,9 @@ msgstr "" "eles." #: actions/version.php:73 -#, fuzzy, php-format +#, php-format msgid "StatusNet %s" -msgstr "Estatísticas" +msgstr "StatusNet %s" #: actions/version.php:153 #, php-format @@ -4270,15 +4257,16 @@ msgid "" "This site is powered by %1$s version %2$s, Copyright 2008-2010 StatusNet, " "Inc. and contributors." msgstr "" +"Este site funciona sobre %1$s versão %2$s, Copyright 2008-2010 StatusNet, " +"Inc. e colaboradores." #: actions/version.php:157 -#, fuzzy msgid "StatusNet" -msgstr "A mensagem foi excluída." +msgstr "StatusNet" #: actions/version.php:161 msgid "Contributors" -msgstr "" +msgstr "Colaboradores" #: actions/version.php:168 msgid "" @@ -4287,6 +4275,10 @@ msgid "" "Software Foundation, either version 3 of the License, or (at your option) " "any later version. " msgstr "" +"StatusNet é um software livre: você pode redistribui-lo e/ou modificá-lo sob " +"os termos da GNU Affero General Public License, conforme publicado pela Free " +"Software Foundation, na versão 3 desta licença ou (caso deseje) qualquer " +"versão posterior. " #: actions/version.php:174 msgid "" @@ -4295,6 +4287,10 @@ msgid "" "FITNESS FOR A PARTICULAR PURPOSE. See the GNU Affero General Public License " "for more details. " msgstr "" +"Este programa é distribuído na esperança de ser útil, mas NÃO POSSUI " +"QUALQUER GARANTIA, nem mesmo a garantia implícita de COMERCIALIZAÇÃO ou " +"ADEQUAÇÃO A UMA FINALIDADE ESPECÃFICA. Verifique a GNU Affero General " +"Public License para mais detalhes. " #: actions/version.php:180 #, php-format @@ -4302,20 +4298,20 @@ msgid "" "You should have received a copy of the GNU Affero General Public License " "along with this program. If not, see %s." msgstr "" +"Você deve ter recebido uma cópia da GNU Affero General Public License com " +"este programa. Caso contrário, veja %s." #: actions/version.php:189 msgid "Plugins" -msgstr "" +msgstr "Plugins" #: actions/version.php:196 lib/action.php:741 -#, fuzzy msgid "Version" -msgstr "Sessões" +msgstr "Versão" #: actions/version.php:197 -#, fuzzy msgid "Author(s)" -msgstr "Autor" +msgstr "Author(es)" #: classes/File.php:144 #, php-format @@ -4337,19 +4333,16 @@ msgid "A file this large would exceed your monthly quota of %d bytes." msgstr "Um arquivo deste tamanho excederá a sua conta mensal de %d bytes." #: classes/Group_member.php:41 -#, fuzzy msgid "Group join failed." -msgstr "Perfil do grupo" +msgstr "Não foi possível se unir ao grupo." #: classes/Group_member.php:53 -#, fuzzy msgid "Not part of group." -msgstr "Não foi possível atualizar o grupo." +msgstr "Não é parte de um grupo." #: classes/Group_member.php:60 -#, fuzzy msgid "Group leave failed." -msgstr "Perfil do grupo" +msgstr "Não foi possível deixar o grupo." #: classes/Login_token.php:76 #, php-format @@ -4456,9 +4449,9 @@ msgid "Other options" msgstr "Outras opções" #: lib/action.php:144 -#, fuzzy, php-format +#, php-format msgid "%1$s - %2$s" -msgstr "%1$s (%2$s)" +msgstr "%1$s - %2$s" #: lib/action.php:159 msgid "Untitled page" @@ -4635,9 +4628,8 @@ msgid "You cannot make changes to this site." msgstr "Você não pode fazer alterações neste site." #: lib/adminpanelaction.php:107 -#, fuzzy msgid "Changes to that panel are not allowed." -msgstr "Não é permitido o registro." +msgstr "Não são permitidas alterações a esse painel." #: lib/adminpanelaction.php:206 msgid "showForm() not implemented." @@ -4665,69 +4657,65 @@ msgstr "Configuração dos caminhos" #: lib/applicationeditform.php:186 msgid "Icon for this application" -msgstr "" +msgstr "Ãcone para esta aplicação" #: lib/applicationeditform.php:206 -#, fuzzy, php-format +#, php-format msgid "Describe your application in %d characters" -msgstr "Descreva o grupo ou tópico em %d caracteres." +msgstr "Descreva a sua aplicação em %d caracteres" #: lib/applicationeditform.php:209 -#, fuzzy msgid "Describe your application" -msgstr "Descreva o grupo ou tópico" +msgstr "Descreva sua aplicação" #: lib/applicationeditform.php:218 -#, fuzzy msgid "Source URL" -msgstr "Fonte" +msgstr "URL da fonte" #: lib/applicationeditform.php:220 -#, fuzzy msgid "URL of the homepage of this application" -msgstr "URL para o site ou blog do grupo ou tópico" +msgstr "URL do site desta aplicação" #: lib/applicationeditform.php:226 msgid "Organization responsible for this application" -msgstr "" +msgstr "Organização responsável por esta aplicação" #: lib/applicationeditform.php:232 -#, fuzzy msgid "URL for the homepage of the organization" -msgstr "URL para o site ou blog do grupo ou tópico" +msgstr "URL para o site da organização" #: lib/applicationeditform.php:238 msgid "URL to redirect to after authentication" -msgstr "" +msgstr "URL para o redirecionamento após a autenticação" #: lib/applicationeditform.php:260 msgid "Browser" -msgstr "" +msgstr "Navegador" #: lib/applicationeditform.php:276 msgid "Desktop" -msgstr "" +msgstr "Desktop" #: lib/applicationeditform.php:277 msgid "Type of application, browser or desktop" -msgstr "" +msgstr "Tipo de aplicação: navegador ou desktop" #: lib/applicationeditform.php:299 msgid "Read-only" -msgstr "" +msgstr "Somente leitura" #: lib/applicationeditform.php:317 msgid "Read-write" -msgstr "" +msgstr "Leitura e escrita" #: lib/applicationeditform.php:318 msgid "Default access for this application: read-only, or read-write" msgstr "" +"Acesso padrão para esta aplicação: somente leitura ou leitura e escrita" #: lib/applicationlist.php:154 -#, fuzzy msgid "Revoke" -msgstr "Remover" +msgstr "Revogar" #: lib/attachmentlist.php:87 msgid "Attachments" @@ -4750,14 +4738,12 @@ msgid "Tags for this attachment" msgstr "Etiquetas para este anexo" #: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 -#, fuzzy msgid "Password changing failed" -msgstr "Alterar a senha" +msgstr "Não foi possível alterar a senha" #: lib/authenticationplugin.php:229 -#, fuzzy msgid "Password changing is not allowed" -msgstr "Alterar a senha" +msgstr "Não é permitido alterar a senha" #: lib/channel.php:138 lib/channel.php:158 msgid "Command results" @@ -5091,13 +5077,12 @@ msgid "Updates by SMS" msgstr "Atualizações via SMS" #: lib/connectsettingsaction.php:120 -#, fuzzy msgid "Connections" -msgstr "Conectar" +msgstr "Conexões" #: lib/connectsettingsaction.php:121 msgid "Authorized connected applications" -msgstr "" +msgstr "Aplicações autorizadas conectadas" #: lib/dberroraction.php:60 msgid "Database error" @@ -5291,9 +5276,9 @@ msgid "[%s]" msgstr "[%s]" #: lib/jabber.php:385 -#, fuzzy, php-format +#, php-format msgid "Unknown inbox source %d." -msgstr "Idioma desconhecido \"%s\"" +msgstr "Fonte da caixa de entrada desconhecida %d." #: lib/joinform.php:114 msgid "Join" @@ -5375,11 +5360,9 @@ msgstr "" "Altere seu endereço de e-mail e suas opções de notificação em %8$s\n" #: lib/mail.php:258 -#, fuzzy, php-format +#, php-format msgid "Bio: %s" -msgstr "" -"Descrição: %s\n" -"\n" +msgstr "Descrição: %s" #: lib/mail.php:286 #, php-format @@ -5593,9 +5576,9 @@ msgid "Sorry, no incoming email allowed." msgstr "Desculpe-me, mas não é permitido o recebimento de e-mails." #: lib/mailhandler.php:228 -#, fuzzy, php-format +#, php-format msgid "Unsupported message type: %s" -msgstr "Formato de imagem não suportado." +msgstr "Tipo de mensagem não suportado: %s" #: lib/mediafile.php:98 lib/mediafile.php:123 msgid "There was a database error while saving your file. Please try again." @@ -5634,18 +5617,16 @@ msgid "File upload stopped by extension." msgstr "O arquivo a ser enviado foi barrado por causa de sua extensão." #: lib/mediafile.php:179 lib/mediafile.php:216 -#, fuzzy msgid "File exceeds user's quota." -msgstr "O arquivo excede a quota do usuário!" +msgstr "O arquivo excede a quota do usuário." #: lib/mediafile.php:196 lib/mediafile.php:233 msgid "File could not be moved to destination directory." msgstr "Não foi possível mover o arquivo para o diretório de destino." #: lib/mediafile.php:201 lib/mediafile.php:237 -#, fuzzy msgid "Could not determine file's MIME type." -msgstr "Não foi possível determinar o mime-type do arquivo!" +msgstr "Não foi possível determinar o tipo MIME do arquivo." #: lib/mediafile.php:270 #, php-format @@ -5653,7 +5634,7 @@ msgid " Try using another %s format." msgstr " Tente usar outro formato %s." #: lib/mediafile.php:275 -#, fuzzy, php-format +#, php-format msgid "%s is not a supported file type on this server." msgstr "%s não é um tipo de arquivo suportado neste servidor." @@ -5687,20 +5668,20 @@ msgid "Attach a file" msgstr "Anexar um arquivo" #: lib/noticeform.php:212 -#, fuzzy msgid "Share my location" -msgstr "Indique a sua localização" +msgstr "Divulgar minha localização" #: lib/noticeform.php:215 -#, fuzzy msgid "Do not share my location" -msgstr "Indique a sua localização" +msgstr "Não divulgar minha localização" #: lib/noticeform.php:216 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" msgstr "" +"Desculpe, mas recuperar a sua geolocalização está demorando mais que o " +"esperado. Por favor, tente novamente mais tarde." #: lib/noticelist.php:428 #, php-format @@ -5817,9 +5798,8 @@ msgid "Tags in %s's notices" msgstr "Etiquetas nas mensagens de %s" #: lib/plugin.php:114 -#, fuzzy msgid "Unknown" -msgstr "Ação desconhecida" +msgstr "Desconhecido" #: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 msgid "Subscriptions" @@ -6105,7 +6085,7 @@ msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "%s não é uma cor válida! Utilize 3 ou 6 caracteres hexadecimais." #: scripts/xmppdaemon.php:301 -#, fuzzy, php-format +#, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "" -"A mensagem é muito extensa - o máximo são %d caracteres e você enviou %d" +"A mensagem é muito extensa - o máximo são %1$d caracteres e você enviou %2$d." diff --git a/locale/statusnet.po b/locale/statusnet.po index 390461a17..a7f7f9f74 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" +"POT-Creation-Date: 2010-01-16 17:51+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index cb5165558..84b9402c1 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -9,11 +9,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:18:04+0000\n" +"PO-Revision-Date: 2010-01-16 17:53:10+0000\n" "Language-Team: Telugu\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61138); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: out-statusnet\n" @@ -51,9 +51,9 @@ msgid "No such user." msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ వాడà±à°•à°°à°¿ లేరà±." #: actions/all.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s and friends, page %2$d" -msgstr "%s మరియౠమితà±à°°à±à°²à±" +msgstr "%1$s మరియౠమితà±à°°à±à°²à±, పేజీ %2$d" #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 @@ -262,18 +262,16 @@ msgid "No status found with that ID." msgstr "" #: actions/apifavoritecreate.php:119 -#, fuzzy msgid "This status is already a favorite." -msgstr "à°ˆ నోటీసౠఇపà±à°ªà°Ÿà°¿à°•à±‡ మీ ఇషà±à°Ÿà°¾à°‚శం!" +msgstr "à°ˆ నోటీసౠఇపà±à°ªà°Ÿà°¿à°•à±‡ మీ ఇషà±à°Ÿà°¾à°‚శం." #: actions/apifavoritecreate.php:130 actions/favor.php:84 lib/command.php:176 msgid "Could not create favorite." msgstr "ఇషà±à°Ÿà°¾à°‚శానà±à°¨à°¿ సృషà±à°Ÿà°¿à°‚చలేకపోయాం." #: actions/apifavoritedestroy.php:122 -#, fuzzy msgid "That status is not a favorite." -msgstr "à°† నోటీసౠఇషà±à°Ÿà°¾à°‚శం కాదà±!" +msgstr "à°† నోటీసౠఇషà±à°Ÿà°¾à°‚శం కాదà±." #: actions/apifavoritedestroy.php:134 actions/disfavor.php:87 msgid "Could not delete favorite." @@ -422,7 +420,7 @@ msgstr "%s పై à°—à±à°‚à°ªà±à°²à±" #: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 msgid "Bad request." -msgstr "" +msgstr "తపà±à°ªà±à°¡à± à°…à°­à±à°¯à°°à±à°¥à°¨." #: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -502,14 +500,12 @@ msgid "Password" msgstr "సంకేతపదం" #: actions/apioauthauthorize.php:338 -#, fuzzy msgid "Deny" -msgstr "రూపà±à°°à±‡à°–à°²à±" +msgstr "తిరసà±à°•à°°à°¿à°‚à°šà±" #: actions/apioauthauthorize.php:344 -#, fuzzy msgid "Allow" -msgstr "à°…à°¨à±à°¨à±€" +msgstr "à°…à°¨à±à°®à°¤à°¿à°‚à°šà±" #: actions/apioauthauthorize.php:361 msgid "Allow or deny access to your account information." @@ -618,9 +614,9 @@ msgid "Repeated to %s" msgstr "%sà°•à°¿ à°¸à±à°ªà°‚దనలà±" #: actions/apitimelineretweetsofme.php:112 -#, fuzzy, php-format +#, php-format msgid "Repeats of %s" -msgstr "%sà°•à°¿ à°¸à±à°ªà°‚దనలà±" +msgstr "%s యొకà±à°• à°ªà±à°¨à°°à°¾à°µà±ƒà°¤à°¾à°²à±" #: actions/apitimelinetag.php:102 actions/tag.php:66 #, php-format @@ -836,7 +832,6 @@ msgid "Couldn't delete email confirmation." msgstr "ఈమెయిలౠనిరà±à°§à°¾à°°à°£à°¨à°¿ తొలగించలేకà±à°¨à±à°¨à°¾à°‚." #: actions/confirmaddress.php:144 -#, fuzzy msgid "Confirm address" msgstr "à°šà°¿à°°à±à°¨à°¾à°®à°¾à°¨à°¿ నిరà±à°§à°¾à°°à°¿à°‚à°šà±" @@ -1079,14 +1074,12 @@ msgid "Name is required." msgstr "పై సంకేతపదం మరోసారి. తపà±à°ªà°¨à°¿à°¸à°°à°¿." #: actions/editapplication.php:180 actions/newapplication.php:162 -#, fuzzy msgid "Name is too long (max 255 chars)." -msgstr "పూరà±à°¤à°¿ పేరౠచాలా పెదà±à°¦à°—à°¾ ఉంది (à°—à°°à°¿à°·à±à° à°‚à°—à°¾ 255 à°…à°•à±à°·à°°à°¾à°²à±)." +msgstr "పేరౠచాలా పెదà±à°¦à°—à°¾ ఉంది (à°—à°°à°¿à°·à±à° à°‚à°—à°¾ 255 à°…à°•à±à°·à°°à°¾à°²à±)." #: actions/editapplication.php:183 actions/newapplication.php:165 -#, fuzzy msgid "Description is required." -msgstr "వివరణ" +msgstr "వివరణ తపà±à°ªà°¨à°¿à°¸à°°à°¿." #: actions/editapplication.php:191 msgid "Source URL is too long." @@ -1099,7 +1092,7 @@ msgstr "హోమౠపేజీ URL సరైనది కాదà±." #: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Organization is required." -msgstr "" +msgstr "సంసà±à°¥ తపà±à°ªà°¨à°¿à°¸à°°à°¿." #: actions/editapplication.php:203 actions/newapplication.php:188 #, fuzzy @@ -2172,7 +2165,6 @@ msgid "Notice Search" msgstr "నోటీసà±à°² à°…à°¨à±à°µà±‡à°·à°£" #: actions/othersettings.php:60 -#, fuzzy msgid "Other settings" msgstr "ఇతర అమరికలà±" @@ -2773,7 +2765,7 @@ msgstr "" #: actions/recoverpassword.php:213 msgid "Unknown action" -msgstr "" +msgstr "తెలియని à°šà°°à±à°¯" #: actions/recoverpassword.php:236 msgid "6 or more characters, and don't forget it!" @@ -3079,7 +3071,7 @@ msgstr "" #: actions/showapplication.php:160 lib/applicationeditform.php:182 msgid "Icon" -msgstr "" +msgstr "à°ªà±à°°à°¤à±€à°•à°‚" #: actions/showapplication.php:170 actions/version.php:195 #: lib/applicationeditform.php:197 @@ -3087,9 +3079,8 @@ msgid "Name" msgstr "పేరà±" #: actions/showapplication.php:179 lib/applicationeditform.php:224 -#, fuzzy msgid "Organization" -msgstr "పేజీకరణ" +msgstr "సంసà±à°§" #: actions/showapplication.php:188 actions/version.php:198 #: lib/applicationeditform.php:211 lib/groupeditform.php:172 @@ -3384,17 +3375,16 @@ msgstr "" #: actions/siteadminpanel.php:146 msgid "Site name must have non-zero length." -msgstr "" +msgstr "సైటౠపేరౠతపà±à°ªà°¨à°¿à°¸à°°à°¿à°—à°¾ à°¸à±à°¨à±à°¨à°¾ కంటే à°Žà°•à±à°•à±à°µ పొడవà±à°‚డాలి." #: actions/siteadminpanel.php:154 -#, fuzzy msgid "You must have a valid contact email address." -msgstr "మీకౠసరైన సంపà±à°°à°¦à°¿à°‚పౠఈమెయిలౠచిరà±à°¨à°¾à°®à°¾ ఉండాలి" +msgstr "మీకౠసరైన సంపà±à°°à°¦à°¿à°‚పౠఈమెయిలౠచిరà±à°¨à°¾à°®à°¾ ఉండాలి." #: actions/siteadminpanel.php:172 -#, fuzzy, php-format +#, php-format msgid "Unknown language \"%s\"." -msgstr "à°—à±à°°à±à°¤à± తెలియని భాష \"%s\"" +msgstr "à°—à±à°°à±à°¤à± తెలియని భాష \"%s\"." #: actions/siteadminpanel.php:179 msgid "Invalid snapshot report URL." @@ -3450,22 +3440,20 @@ msgid "Contact email address for your site" msgstr "à°ˆ వాడà±à°•à°°à°¿à°•à±ˆ నమోదైన ఈమెయిలౠచిరà±à°¨à°¾à°®à°¾à°²à± à°à°®à±€ లేవà±." #: actions/siteadminpanel.php:277 -#, fuzzy msgid "Local" -msgstr "à°ªà±à°°à°¾à°‚తం" +msgstr "à°¸à±à°¥à°¾à°¨à°¿à°•" #: actions/siteadminpanel.php:288 msgid "Default timezone" -msgstr "" +msgstr "à°…à°ªà±à°°à°®à±‡à°¯ కాలమండలం" #: actions/siteadminpanel.php:289 msgid "Default timezone for the site; usually UTC." msgstr "" #: actions/siteadminpanel.php:295 -#, fuzzy msgid "Default site language" -msgstr "à°ªà±à°°à°¾à°¥à°¾à°¨à±à°¯à°¤à°¾ భాష" +msgstr "à°…à°ªà±à°°à°®à±‡à°¯ సైటౠభాష" #: actions/siteadminpanel.php:303 msgid "URLs" @@ -3579,7 +3567,6 @@ msgid "Save site settings" msgstr "సైటౠఅమరికలనౠభదà±à°°à°ªà°°à°šà±" #: actions/smssettings.php:58 -#, fuzzy msgid "SMS settings" msgstr "SMS అమరికలà±" @@ -4075,9 +4062,9 @@ msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "[à°—à±à°‚à°ªà±à°²à°¨à°¿ వెతికి](%%action.groupsearch%%) వాటిలో చేరడానికి à°ªà±à°°à°¯à°¤à±à°¨à°¿à°‚à°šà°‚à°¡à°¿." #: actions/version.php:73 -#, fuzzy, php-format +#, php-format msgid "StatusNet %s" -msgstr "గణాంకాలà±" +msgstr "à°¸à±à°Ÿà±‡à°Ÿà°¸à±â€Œà°¨à±†à°Ÿà± %s" #: actions/version.php:153 #, php-format @@ -4087,9 +4074,8 @@ msgid "" msgstr "" #: actions/version.php:157 -#, fuzzy msgid "StatusNet" -msgstr "à°¸à±à°¥à°¿à°¤à°¿à°¨à°¿ తొలగించాం." +msgstr "à°¸à±à°Ÿà±‡à°Ÿà°¸à±â€Œà°¨à±†à°Ÿà±" #: actions/version.php:161 msgid "Contributors" @@ -4123,9 +4109,8 @@ msgid "Plugins" msgstr "" #: actions/version.php:196 lib/action.php:741 -#, fuzzy msgid "Version" -msgstr "à°µà±à°¯à°•à±à°¤à°¿à°—à°¤" +msgstr "సంచిక" #: actions/version.php:197 msgid "Author(s)" @@ -4149,9 +4134,8 @@ msgid "A file this large would exceed your monthly quota of %d bytes." msgstr "" #: classes/Group_member.php:41 -#, fuzzy msgid "Group join failed." -msgstr "à°—à±à°‚పౠపà±à°°à±Šà°«à±ˆà°²à±" +msgstr "à°—à±à°‚à°ªà±à°²à±‹ చేరడం విఫలమైంది." #: classes/Group_member.php:53 #, fuzzy @@ -4159,9 +4143,8 @@ msgid "Not part of group." msgstr "à°—à±à°‚à°ªà±à°¨à°¿ తాజాకరించలేకà±à°¨à±à°¨à°¾à°‚." #: classes/Group_member.php:60 -#, fuzzy msgid "Group leave failed." -msgstr "à°—à±à°‚పౠపà±à°°à±Šà°«à±ˆà°²à±" +msgstr "à°—à±à°‚పౠనà±à°‚à°¡à°¿ వైదొలగడం విఫలమైంది." #: classes/Login_token.php:76 #, fuzzy, php-format @@ -4520,7 +4503,7 @@ msgstr "" #: lib/applicationeditform.php:260 msgid "Browser" -msgstr "" +msgstr "విహారిణి" #: lib/applicationeditform.php:276 msgid "Desktop" @@ -4729,7 +4712,7 @@ msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొ #: lib/command.php:547 msgid "Specify the name of the user to subscribe to" -msgstr "" +msgstr "à°à°µà°°à°¿à°•à°¿ చందా చేరాలనà±à°•à±à°‚à°Ÿà±à°¨à±à°¨à°¾à°°à±‹ à°† వాడà±à°•à°°à°¿ పేరౠతెలియజేయండి" #: lib/command.php:554 #, php-format @@ -4738,12 +4721,12 @@ msgstr "%sà°•à°¿ చందా చేరారà±" #: lib/command.php:575 msgid "Specify the name of the user to unsubscribe from" -msgstr "" +msgstr "ఎవరి à°¨à±à°‚à°¡à°¿ చందా విరమించాలనà±à°•à±à°‚à°Ÿà±à°¨à±à°¨à°¾à°°à±‹ à°† వాడà±à°•à°°à°¿ పేరౠతెలియజేయండి" #: lib/command.php:582 #, php-format msgid "Unsubscribed from %s" -msgstr "" +msgstr "%s à°¨à±à°‚à°¡à°¿ చందా విరమించారà±" #: lib/command.php:600 lib/command.php:623 msgid "Command not yet implemented." @@ -4892,10 +4875,9 @@ msgid "Upload file" msgstr "ఫైలà±à°¨à°¿ à°Žà°•à±à°•à°¿à°‚à°šà±" #: lib/designsettings.php:109 -#, fuzzy msgid "" "You can upload your personal background image. The maximum file size is 2MB." -msgstr "మీ à°¸à±à°µà°‚à°¤ నేపథà±à°¯à°ªà± à°šà°¿à°¤à±à°°à°¾à°¨à±à°¨à°¿ మీరౠఎకà±à°•à°¿à°‚చవచà±à°šà±. à°—à°°à°¿à°·à±à°  ఫైలౠపరిమాణం 2మెబై." +msgstr "మీ à°µà±à°¯à°•à±à°¤à°¿à°—à°¤ నేపథà±à°¯à°ªà± à°šà°¿à°¤à±à°°à°¾à°¨à±à°¨à°¿ మీరౠఎకà±à°•à°¿à°‚చవచà±à°šà±. à°—à°°à°¿à°·à±à°  ఫైలౠపరిమాణం 2మెబై." #: lib/designsettings.php:418 msgid "Design defaults restored." @@ -4969,15 +4951,14 @@ msgid "Describe the group or topic" msgstr "మీ à°—à±à°°à°¿à°‚à°šà°¿ మరియౠమీ ఆసకà±à°¤à±à°² à°—à±à°°à°¿à°‚à°šà°¿ 140 à°…à°•à±à°·à°°à°¾à°²à±à°²à±‹ చెపà±à°ªà°‚à°¡à°¿" #: lib/groupeditform.php:170 -#, fuzzy, php-format +#, php-format msgid "Describe the group or topic in %d characters" -msgstr "మీ à°—à±à°°à°¿à°‚à°šà°¿ మరియౠమీ ఆసకà±à°¤à±à°² à°—à±à°°à°¿à°‚à°šà°¿ 140 à°…à°•à±à°·à°°à°¾à°²à±à°²à±‹ చెపà±à°ªà°‚à°¡à°¿" +msgstr "à°—à±à°‚పౠలేదా విషయానà±à°¨à°¿ à°—à±à°°à°¿à°‚à°šà°¿ %d à°…à°•à±à°·à°°à°¾à°²à±à°²à±‹ వివరించండి" #: lib/groupeditform.php:179 -#, fuzzy msgid "" "Location for the group, if any, like \"City, State (or Region), Country\"" -msgstr "మీరౠఎకà±à°•à°¡ à°¨à±à°‚à°¡à°¿, \"నగరం, రాషà±à°Ÿà±à°°à°‚ (లేదా à°ªà±à°°à°¾à°‚తం), దేశం\"" +msgstr "à°—à±à°‚పౠయొకà±à°• à°ªà±à°°à°¾à°‚తం, ఉంటే, \"నగరం, రాషà±à°Ÿà±à°°à°‚ (లేదా à°ªà±à°°à°¾à°‚తం), దేశం\"" #: lib/groupeditform.php:187 #, php-format @@ -5816,6 +5797,6 @@ msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "%s అనేది సరైన రంగౠకాదà±! 3 లేదా 6 హెకà±à°¸à± à°…à°•à±à°·à°°à°¾à°²à°¨à± వాడండి." #: scripts/xmppdaemon.php:301 -#, fuzzy, php-format +#, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "నోటిసౠచాలా పొడవà±à°—à°¾ ఉంది - %d à°…à°•à±à°·à°°à°¾à°²à± à°—à°°à°¿à°·à±à° à°‚, మీరౠ%d పంపించారà±" +msgstr "నోటిసౠచాలా పొడవà±à°—à°¾ ఉంది - %1$d à°…à°•à±à°·à°°à°¾à°²à± à°—à°°à°¿à°·à±à° à°‚, మీరౠ%2$d పంపించారà±." diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index 96d64efef..4d8de517c 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -11,11 +11,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:18:11+0000\n" +"PO-Revision-Date: 2010-01-16 17:53:16+0000\n" "Language-Team: Ukrainian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61138); Translate extension (2010-01-04)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: out-statusnet\n" @@ -54,9 +54,9 @@ msgid "No such user." msgstr "Такого кориÑтувача немає." #: actions/all.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s and friends, page %2$d" -msgstr "Заблоковані профілі %1$s, Ñторінка %2$d" +msgstr "%1$s та друзі, Ñторінка %2$d" #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 @@ -428,7 +428,7 @@ msgstr "групи на %s" #: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 msgid "Bad request." -msgstr "" +msgstr "Ðевірний запит." #: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -450,19 +450,16 @@ msgstr "" "Виникли певні проблеми з токеном поточної ÑеÑÑ–Ñ—. Спробуйте знов, будь лаÑка." #: actions/apioauthauthorize.php:146 -#, fuzzy msgid "Invalid nickname / password!" -msgstr "ÐедійÑне Ñ–Ð¼â€™Ñ Ð°Ð±Ð¾ пароль." +msgstr "ÐедійÑне Ñ–Ð¼â€™Ñ / пароль!" #: actions/apioauthauthorize.php:170 -#, fuzzy msgid "DB error deleting OAuth app user." -msgstr "Помилка в налаштуваннÑÑ… кориÑтувача." +msgstr "Помилка бази даних при видаленні OAuth кориÑтувача." #: actions/apioauthauthorize.php:196 -#, fuzzy msgid "DB error inserting OAuth app user." -msgstr "Помилка бази даних при додаванні теґу: %s" +msgstr "Помилка бази даних при додаванні OAuth кориÑтувача." #: actions/apioauthauthorize.php:231 #, php-format @@ -470,11 +467,13 @@ msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" +"Токен запиту %s було авторизовано. Будь лаÑка, обмінÑйте його на токен " +"доÑтупу." #: actions/apioauthauthorize.php:241 #, php-format msgid "The request token %s has been denied." -msgstr "" +msgstr "Токен запиту %s було відхилено." #: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -487,11 +486,11 @@ msgstr "ÐеÑподіване предÑÑ‚Ð°Ð²Ð»ÐµÐ½Ð½Ñ Ñ„Ð¾Ñ€Ð¼Ð¸." #: actions/apioauthauthorize.php:273 msgid "An application would like to connect to your account" -msgstr "" +msgstr "Запит на дозвіл під’єднатиÑÑ Ð´Ð¾ Вашого облікового запиÑу" #: actions/apioauthauthorize.php:290 msgid "Allow or deny access" -msgstr "" +msgstr "Дозволити або заборонити доÑтуп" #: actions/apioauthauthorize.php:320 lib/action.php:435 msgid "Account" @@ -510,18 +509,16 @@ msgid "Password" msgstr "Пароль" #: actions/apioauthauthorize.php:338 -#, fuzzy msgid "Deny" -msgstr "Дизайн" +msgstr "Відхилити" #: actions/apioauthauthorize.php:344 -#, fuzzy msgid "Allow" -msgstr "Ð’ÑÑ–" +msgstr "Дозволити" #: actions/apioauthauthorize.php:361 msgid "Allow or deny access to your account information." -msgstr "" +msgstr "Дозволити або заборонити доÑтуп до Вашого облікового запиÑу." #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." @@ -844,7 +841,6 @@ msgid "Couldn't delete email confirmation." msgstr "Ðе вдалоÑÑ Ð²Ð¸Ð´Ð°Ð»Ð¸Ñ‚Ð¸ Ð¿Ñ–Ð´Ñ‚Ð²ÐµÑ€Ð´Ð¶ÐµÐ½Ð½Ñ Ð¿Ð¾ÑˆÑ‚Ð¾Ð²Ð¾Ñ— адреÑи." #: actions/confirmaddress.php:144 -#, fuzzy msgid "Confirm address" msgstr "Підтвердити адреÑу" @@ -1055,23 +1051,20 @@ msgstr "Такого документа немає." #: actions/editapplication.php:54 lib/applicationeditform.php:136 msgid "Edit application" -msgstr "" +msgstr "Керувати додатками" #: actions/editapplication.php:66 -#, fuzzy msgid "You must be logged in to edit an application." -msgstr "Ви маєте Ñпочатку увійти, аби мати змогу редагувати групу." +msgstr "Ви маєте Ñпочатку увійти, аби мати змогу керувати додатком." #: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy msgid "You are not the owner of this application." -msgstr "Ви не Ñ” учаÑником цієї групи." +msgstr "Ви не Ñ” влаÑником цього додатку." #: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 #: actions/showapplication.php:87 -#, fuzzy msgid "No such application." -msgstr "Такого допиÑу немає." +msgstr "Такого додатку немає." #: actions/editapplication.php:127 actions/newapplication.php:110 #: actions/showapplication.php:118 lib/action.php:1167 @@ -1079,60 +1072,52 @@ msgid "There was a problem with your session token." msgstr "Виникли певні проблеми з токеном поточної ÑеÑÑ–Ñ—." #: actions/editapplication.php:161 -#, fuzzy msgid "Use this form to edit your application." -msgstr "СкориÑтайтеÑÑŒ цією формою, щоб відредагувати групу." +msgstr "СкориÑтайтеÑÑŒ цією формою, щоб відредагувати додаток." #: actions/editapplication.php:177 actions/newapplication.php:159 -#, fuzzy msgid "Name is required." -msgstr "Такий Ñамо, Ñк Ñ– пароль вище. Ðеодмінно." +msgstr "Потрібне ім’Ñ." #: actions/editapplication.php:180 actions/newapplication.php:162 -#, fuzzy msgid "Name is too long (max 255 chars)." -msgstr "Повне Ñ–Ð¼â€™Ñ Ð·Ð°Ð´Ð¾Ð²Ð³Ðµ (255 знаків макÑимум)" +msgstr "Ð†Ð¼â€™Ñ Ð·Ð°Ð´Ð¾Ð²Ð³Ðµ (255 знаків макÑимум)." #: actions/editapplication.php:183 actions/newapplication.php:165 -#, fuzzy msgid "Description is required." -msgstr "ОпиÑ" +msgstr "Потрібен опиÑ." #: actions/editapplication.php:191 msgid "Source URL is too long." -msgstr "" +msgstr "URL-адреÑа надто довга." #: actions/editapplication.php:197 actions/newapplication.php:182 -#, fuzzy msgid "Source URL is not valid." -msgstr "URL-адреÑа автари ‘%s’ помилкова." +msgstr "URL-адреÑа не Ñ” дійÑною." #: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Organization is required." -msgstr "" +msgstr "Потрібна організаціÑ." #: actions/editapplication.php:203 actions/newapplication.php:188 -#, fuzzy msgid "Organization is too long (max 255 chars)." -msgstr "Ð›Ð¾ÐºÐ°Ñ†Ñ–Ñ Ð½Ð°Ð´Ñ‚Ð¾ довга (255 знаків макÑимум)." +msgstr "Ðазва організації надто довга (255 знаків макÑимум)." #: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization homepage is required." -msgstr "" +msgstr "Потрібна Ð´Ð¾Ð¼Ð°ÑˆÐ½Ñ Ñторінка організації." #: actions/editapplication.php:215 actions/newapplication.php:203 msgid "Callback is too long." -msgstr "" +msgstr "Форма зворотнього дзвінка надто довга." #: actions/editapplication.php:222 actions/newapplication.php:212 -#, fuzzy msgid "Callback URL is not valid." -msgstr "URL-адреÑа автари ‘%s’ помилкова." +msgstr "URL-адреÑа Ð´Ð»Ñ Ð·Ð²Ð¾Ñ€Ð¾Ñ‚Ð½ÑŒÐ¾Ð³Ð¾ дзвінка не Ñ” дійÑною." #: actions/editapplication.php:255 -#, fuzzy msgid "Could not update application." -msgstr "Ðе вдалоÑÑ Ð¾Ð½Ð¾Ð²Ð¸Ñ‚Ð¸ групу." +msgstr "Ðе вдалоÑÑ Ð¾Ð½Ð¾Ð²Ð¸Ñ‚Ð¸ додаток." #: actions/editgroup.php:56 #, php-format @@ -2049,26 +2034,23 @@ msgstr "ÐÑ–Ñкого поточного ÑтатуÑу" #: actions/newapplication.php:52 msgid "New application" -msgstr "" +msgstr "Ðовий додаток" #: actions/newapplication.php:64 -#, fuzzy msgid "You must be logged in to register an application." -msgstr "Ви маєте Ñпочатку увійти, аби мати змогу Ñтворити групу." +msgstr "Ви маєте Ñпочатку увійти, аби мати змогу зареєÑтрувати додаток." #: actions/newapplication.php:143 -#, fuzzy msgid "Use this form to register a new application." -msgstr "СкориÑтайтеÑÑŒ цією формою Ð´Ð»Ñ ÑÑ‚Ð²Ð¾Ñ€ÐµÐ½Ð½Ñ Ð½Ð¾Ð²Ð¾Ñ— групи." +msgstr "СкориÑтайтеÑÑŒ цією формою, щоб зареєÑтрувати новий додаток." #: actions/newapplication.php:173 msgid "Source URL is required." -msgstr "" +msgstr "Потрібна URL-адреÑа." #: actions/newapplication.php:255 actions/newapplication.php:264 -#, fuzzy msgid "Could not create application." -msgstr "Ðеможна призначити додаткові імена." +msgstr "Ðе вдалоÑÑ Ñтворити додаток." #: actions/newgroup.php:53 msgid "New group" @@ -2184,49 +2166,47 @@ msgid "Nudge sent!" msgstr "Спробу «розштовхати» зараховано!" #: actions/oauthappssettings.php:59 -#, fuzzy msgid "You must be logged in to list your applications." -msgstr "Ви маєте Ñпочатку увійти, аби мати змогу редагувати групу." +msgstr "Ви повинні увійти, аби переглÑнути ÑпиÑок Ваших додатків." #: actions/oauthappssettings.php:74 -#, fuzzy msgid "OAuth applications" -msgstr "Інші опції" +msgstr "Додатки OAuth" #: actions/oauthappssettings.php:85 msgid "Applications you have registered" -msgstr "" +msgstr "Додатки, Ñкі Ви зареєÑтрували" #: actions/oauthappssettings.php:135 #, php-format msgid "You have not registered any applications yet." -msgstr "" +msgstr "Поки що Ви не зареєÑтрували жодних додатків." #: actions/oauthconnectionssettings.php:71 msgid "Connected applications" -msgstr "" +msgstr "Під’єднані додатки" #: actions/oauthconnectionssettings.php:87 msgid "You have allowed the following applications to access you account." msgstr "" +"Ви маєте дозволити наÑтупним додаткам доÑтуп до Вашого облікового запиÑу." #: actions/oauthconnectionssettings.php:170 -#, fuzzy msgid "You are not a user of that application." -msgstr "Ви не Ñ” учаÑником цієї групи." +msgstr "Ви не Ñ” кориÑтувачем даного додатку." #: actions/oauthconnectionssettings.php:180 msgid "Unable to revoke access for app: " -msgstr "" +msgstr "Ðе вдалоÑÑ ÑкаÑувати доÑтуп Ð´Ð»Ñ Ð´Ð¾Ð´Ð°Ñ‚ÐºÑƒ: " #: actions/oauthconnectionssettings.php:192 #, php-format msgid "You have not authorized any applications to use your account." -msgstr "" +msgstr "Ви не дозволили жодним додаткам викориÑтовувати Ваш акаунт." #: actions/oauthconnectionssettings.php:205 msgid "Developers can edit the registration settings for their applications " -msgstr "" +msgstr "Розробники можуть змінити Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ñ€ÐµÑ”Ñтрації Ð´Ð»Ñ Ñ—Ñ…Ð½Ñ–Ñ… додатків " #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" @@ -2259,7 +2239,6 @@ msgid "Notice Search" msgstr "Пошук допиÑів" #: actions/othersettings.php:60 -#, fuzzy msgid "Other settings" msgstr "Інші опції" @@ -3188,18 +3167,16 @@ msgid "User is already sandboxed." msgstr "КориÑтувача ізольовано доки наберетьÑÑ ÑƒÐ¼Ñƒ-розуму." #: actions/showapplication.php:82 -#, fuzzy msgid "You must be logged in to view an application." -msgstr "Ви повинні Ñпочатку увійти на Ñайт, аби залишити групу." +msgstr "Ви повинні Ñпочатку увійти, аби переглÑнути додаток." #: actions/showapplication.php:158 -#, fuzzy msgid "Application profile" -msgstr "Ð”Ð¾Ð¿Ð¸Ñ Ð½Ðµ має профілю" +msgstr "Профіль додатку" #: actions/showapplication.php:160 lib/applicationeditform.php:182 msgid "Icon" -msgstr "" +msgstr "Іконка" #: actions/showapplication.php:170 actions/version.php:195 #: lib/applicationeditform.php:197 @@ -3207,9 +3184,8 @@ msgid "Name" msgstr "Ім’Ñ" #: actions/showapplication.php:179 lib/applicationeditform.php:224 -#, fuzzy msgid "Organization" -msgstr "ÐÑƒÐ¼ÐµÑ€Ð°Ñ†Ñ–Ñ Ñторінок" +msgstr "ОрганізаціÑ" #: actions/showapplication.php:188 actions/version.php:198 #: lib/applicationeditform.php:211 lib/groupeditform.php:172 @@ -3224,46 +3200,47 @@ msgstr "СтатиÑтика" #: actions/showapplication.php:204 #, php-format msgid "created by %1$s - %2$s access by default - %3$d users" -msgstr "" +msgstr "Ñтворено %1$s — %2$s доÑтуп за замовч. — %3$d кориÑтувачів" #: actions/showapplication.php:214 msgid "Application actions" -msgstr "" +msgstr "МожливоÑÑ‚Ñ– додатку" #: actions/showapplication.php:233 msgid "Reset key & secret" -msgstr "" +msgstr "Призначити новий ключ Ñ– таємне Ñлово" #: actions/showapplication.php:241 msgid "Application info" -msgstr "" +msgstr "Інфо додатку" #: actions/showapplication.php:243 msgid "Consumer key" -msgstr "" +msgstr "Ключ Ñпоживача" #: actions/showapplication.php:248 msgid "Consumer secret" -msgstr "" +msgstr "Таємно Ñлово Ñпоживача" #: actions/showapplication.php:253 msgid "Request token URL" -msgstr "" +msgstr "URL-адреÑа токена запиту" #: actions/showapplication.php:258 msgid "Access token URL" -msgstr "" +msgstr "URL-адреÑа токена дозволу" #: actions/showapplication.php:263 -#, fuzzy msgid "Authorize URL" -msgstr "Ðвтор" +msgstr "Ðвторизувати URL-адреÑу" #: actions/showapplication.php:268 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +"До уваги: Ð’ÑÑ– підпиÑи шифруютьÑÑ Ð·Ð° методом HMAC-SHA1. Ми не підтримуємо " +"ÑˆÐ¸Ñ„Ñ€ÑƒÐ²Ð°Ð½Ð½Ñ Ð¿Ñ–Ð´Ð¿Ð¸Ñів відкритим текÑтом." #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." @@ -4654,69 +4631,65 @@ msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÑˆÐ»Ñху" #: lib/applicationeditform.php:186 msgid "Icon for this application" -msgstr "" +msgstr "Іконка Ð´Ð»Ñ Ñ†ÑŒÐ¾Ð³Ð¾ додатку" #: lib/applicationeditform.php:206 -#, fuzzy, php-format +#, php-format msgid "Describe your application in %d characters" -msgstr "Опишіть групу або тему, вкладаючиÑÑŒ у %d знаків" +msgstr "Опишіть додаток, вкладаючиÑÑŒ у %d знаків" #: lib/applicationeditform.php:209 -#, fuzzy msgid "Describe your application" -msgstr "Опишіть групу або тему" +msgstr "Опишіть Ваш додаток" #: lib/applicationeditform.php:218 -#, fuzzy msgid "Source URL" -msgstr "Джерело" +msgstr "URL-адреÑа" #: lib/applicationeditform.php:220 -#, fuzzy msgid "URL of the homepage of this application" -msgstr "URL-адреÑа веб-Ñторінки, блоґу групи, або тематичного блоґу" +msgstr "URL-адреÑа веб-Ñторінки цього додатку" #: lib/applicationeditform.php:226 msgid "Organization responsible for this application" -msgstr "" +msgstr "ОрганізаціÑ, відповідальна за цей додаток" #: lib/applicationeditform.php:232 -#, fuzzy msgid "URL for the homepage of the organization" -msgstr "URL-адреÑа веб-Ñторінки, блоґу групи, або тематичного блоґу" +msgstr "URL-адреÑа веб-Ñторінки організації" #: lib/applicationeditform.php:238 msgid "URL to redirect to after authentication" -msgstr "" +msgstr "URL-адреÑа, на Ñку перенаправлÑти піÑÐ»Ñ Ð°Ð²Ñ‚ÐµÐ½Ñ‚Ð¸Ñ„Ñ–ÐºÐ°Ñ†Ñ–Ñ—" #: lib/applicationeditform.php:260 msgid "Browser" -msgstr "" +msgstr "Браузер" #: lib/applicationeditform.php:276 msgid "Desktop" -msgstr "" +msgstr "ДеÑктоп" #: lib/applicationeditform.php:277 msgid "Type of application, browser or desktop" -msgstr "" +msgstr "Тип додатку, браузер або деÑктоп" #: lib/applicationeditform.php:299 msgid "Read-only" -msgstr "" +msgstr "Лише читаннÑ" #: lib/applicationeditform.php:317 msgid "Read-write" -msgstr "" +msgstr "Читати-пиÑати" #: lib/applicationeditform.php:318 msgid "Default access for this application: read-only, or read-write" msgstr "" +"Дозвіл за замовчуваннÑм Ð´Ð»Ñ Ñ†ÑŒÐ¾Ð³Ð¾ додатку: лише Ñ‡Ð¸Ñ‚Ð°Ð½Ð½Ñ Ð°Ð±Ð¾ читати-пиÑати" #: lib/applicationlist.php:154 -#, fuzzy msgid "Revoke" -msgstr "Видалити" +msgstr "Відкликати" #: lib/attachmentlist.php:87 msgid "Attachments" @@ -5075,13 +5048,12 @@ msgid "Updates by SMS" msgstr "ÐžÐ½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ñ‡ÐµÑ€ÐµÐ· СМС" #: lib/connectsettingsaction.php:120 -#, fuzzy msgid "Connections" msgstr "З’єднаннÑ" #: lib/connectsettingsaction.php:121 msgid "Authorized connected applications" -msgstr "" +msgstr "Ðвторизовані під’єднані додатки" #: lib/dberroraction.php:60 msgid "Database error" -- cgit v1.2.3-54-g00ecf From 407e425aed7fd756a0089b1d30e1f4692cd25a1b Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Sat, 16 Jan 2010 19:16:44 +0000 Subject: Removed extra comma in object --- js/geometa.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/js/geometa.js b/js/geometa.js index 21deb1885..6bad095ec 100644 --- a/js/geometa.js +++ b/js/geometa.js @@ -168,7 +168,7 @@ var AjaxGeoLocation = (function() { accuracy: 43000, // same as Gears accuracy over wifi? altitudeAccuracy: null, heading: null, - speed: null, + speed: null }, // extra info that is outside of the bounds of the core API address: { -- cgit v1.2.3-54-g00ecf From 6494cb17e93e22e1cc892876350333278b2aadfa Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Sat, 16 Jan 2010 19:42:32 +0000 Subject: Some JSlint-ing --- js/geometa.js | 22 +++++++++++----------- 1 file changed, 11 insertions(+), 11 deletions(-) diff --git a/js/geometa.js b/js/geometa.js index 6bad095ec..bba59b448 100644 --- a/js/geometa.js +++ b/js/geometa.js @@ -1,5 +1,5 @@ // A shim to implement the W3C Geolocation API Specification using Gears or the Ajax API -if (typeof navigator.geolocation == "undefined" || navigator.geolocation.shim ) (function(){ +if (typeof navigator.geolocation == "undefined" || navigator.geolocation.shim ) { (function(){ // -- BEGIN GEARS_INIT (function() { @@ -23,8 +23,7 @@ if (typeof navigator.geolocation == "undefined" || navigator.geolocation.shim ) } } catch (e) { // Safari - if ((typeof navigator.mimeTypes != 'undefined') - && navigator.mimeTypes["application/x-googlegears"]) { + if ((typeof navigator.mimeTypes != 'undefined') && navigator.mimeTypes["application/x-googlegears"]) { factory = document.createElement("object"); factory.style.display = "none"; factory.width = 0; @@ -64,8 +63,8 @@ var GearsGeoLocation = (function() { return function(position) { callback(position); self.lastPosition = position; - } - } + }; + }; // -- PUBLIC return { @@ -112,7 +111,7 @@ var AjaxGeoLocation = (function() { var queue = []; var addLocationQueue = function(callback) { queue.push(callback); - } + }; var runLocationQueue = function() { if (hasGoogleLoader()) { @@ -121,18 +120,18 @@ var AjaxGeoLocation = (function() { call(); } } - } + }; window['_google_loader_apiLoaded'] = function() { runLocationQueue(); - } + }; var hasGoogleLoader = function() { return (window['google'] && google['loader']); - } + }; var checkGoogleLoader = function(callback) { - if (hasGoogleLoader()) return true; + if (hasGoogleLoader()) { return true; } addLocationQueue(callback); @@ -155,7 +154,7 @@ var AjaxGeoLocation = (function() { var self = this; if (!checkGoogleLoader(function() { self.getCurrentPosition(successCallback, errorCallback, options); - })) return; + })) { return; } if (google.loader.ClientLocation) { var cl = google.loader.ClientLocation; @@ -215,3 +214,4 @@ var AjaxGeoLocation = (function() { navigator.geolocation = (window.google && google.gears) ? GearsGeoLocation() : AjaxGeoLocation(); })(); +} -- cgit v1.2.3-54-g00ecf From 8896df22af2f5c22329a81305fd1011d3dfa347e Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Sat, 16 Jan 2010 19:44:37 +0000 Subject: JSLinting on JSON --- js/util.js | 20 ++++++++++---------- 1 file changed, 10 insertions(+), 10 deletions(-) diff --git a/js/util.js b/js/util.js index 88016bd6d..ef28f31e8 100644 --- a/js/util.js +++ b/js/util.js @@ -525,13 +525,13 @@ var SN = { // StatusNet $('#'+SN.C.S.NoticeDataGeo).attr('checked', true); var cookieValue = { - 'NLat': data.lat, - 'NLon': data.lon, - 'NLNS': lns, - 'NLID': lid, - 'NLN': NLN_text, - 'NLNU': location.url, - 'NDG': true + NLat: data.lat, + NLon: data.lon, + NLNS: lns, + NLID: lid, + NLN: NLN_text, + NLNU: location.url, + NDG: true }; $.cookie(SN.C.S.NoticeDataGeoCookie, JSON.stringify(cookieValue)); }); @@ -566,9 +566,9 @@ var SN = { // StatusNet $('#'+SN.C.S.NoticeLon).val(position.coords.longitude); var data = { - 'lat': position.coords.latitude, - 'lon': position.coords.longitude, - 'token': $('#token').val() + lat: position.coords.latitude, + lon: position.coords.longitude, + token: $('#token').val() }; getJSONgeocodeURL(geocodeURL, data); -- cgit v1.2.3-54-g00ecf From d22cdad5feff8921a6482649933c0e8f64d39502 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Sat, 16 Jan 2010 20:10:46 +0000 Subject: Added missing position paramater --- js/util.js | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/js/util.js b/js/util.js index ef28f31e8..373a4f3b0 100644 --- a/js/util.js +++ b/js/util.js @@ -494,7 +494,7 @@ var SN = { // StatusNet $.cookie(SN.C.S.NoticeDataGeoCookie, 'disabled'); } - function getJSONgeocodeURL(geocodeURL, data) { + function getJSONgeocodeURL(geocodeURL, data, position) { $.getJSON(geocodeURL, data, function(location) { var lns, lid; @@ -571,7 +571,7 @@ var SN = { // StatusNet token: $('#token').val() }; - getJSONgeocodeURL(geocodeURL, data); + getJSONgeocodeURL(geocodeURL, data, position); }, function(error) { @@ -598,7 +598,7 @@ var SN = { // StatusNet 'token': $('#token').val() }; - getJSONgeocodeURL(geocodeURL, data); + getJSONgeocodeURL(geocodeURL, data, position); } else { removeNoticeDataGeo(); -- cgit v1.2.3-54-g00ecf From aea83bbe152efd127338270561a1cc56c46df44d Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Sat, 16 Jan 2010 20:57:18 +0000 Subject: Using visibility:hidden instead of display:none for checkbox --- theme/base/css/display.css | 7 ++++--- 1 file changed, 4 insertions(+), 3 deletions(-) diff --git a/theme/base/css/display.css b/theme/base/css/display.css index a82d7b2a9..fbf3b6a5b 100644 --- a/theme/base/css/display.css +++ b/theme/base/css/display.css @@ -73,7 +73,7 @@ input.checkbox, input.radio { position:relative; top:2px; -left:0; +left:auto; border:0; } @@ -568,7 +568,8 @@ float:right; font-size:0.8em; } -.form_notice #notice_data-geo_wrap label { +.form_notice #notice_data-geo_wrap label, +.form_notice #notice_data-geo_wrap input { position:absolute; top:25px; right:4px; @@ -579,7 +580,7 @@ height:16px; display:block; } .form_notice #notice_data-geo_wrap input { -display:none; +visibility:hidden; } .form_notice #notice_data-geo_wrap label { font-weight:normal; -- cgit v1.2.3-54-g00ecf From 07de97a10339ae4a5adbe8dbb4a31c0304f677c3 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Sun, 17 Jan 2010 14:04:47 +0000 Subject: Inline script for maxlength is deprecated --- plugins/MobileProfile/MobileProfilePlugin.php | 2 -- 1 file changed, 2 deletions(-) diff --git a/plugins/MobileProfile/MobileProfilePlugin.php b/plugins/MobileProfile/MobileProfilePlugin.php index 14d2500e8..d426fc282 100644 --- a/plugins/MobileProfile/MobileProfilePlugin.php +++ b/plugins/MobileProfile/MobileProfilePlugin.php @@ -356,8 +356,6 @@ class MobileProfilePlugin extends WAP20Plugin $contentLimit = Notice::maxContent(); - $form->out->inlineScript('maxLength = ' . $contentLimit . ';'); - if ($contentLimit > 0) { $form->out->element('div', array('id' => 'notice_text-count'), $contentLimit); -- cgit v1.2.3-54-g00ecf From 3f589da24373f533de9a3fbbab1c6e80fa87b302 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Sun, 17 Jan 2010 19:45:35 +0000 Subject: Updated UI for notice aside content and notice options in MobileProfile --- plugins/MobileProfile/mp-screen.css | 27 +++++++++++++++++++++++---- 1 file changed, 23 insertions(+), 4 deletions(-) diff --git a/plugins/MobileProfile/mp-screen.css b/plugins/MobileProfile/mp-screen.css index 3eefc0c8e..472fbb001 100644 --- a/plugins/MobileProfile/mp-screen.css +++ b/plugins/MobileProfile/mp-screen.css @@ -179,10 +179,12 @@ padding-bottom:4px; } .notice div.entry-content { margin-left:0; -width:62.5%; +width:75%; +max-width:100%; +min-width:0; } .notice-options { -width:34%; +width:50px; margin-right:1%; } @@ -190,12 +192,29 @@ margin-right:1%; width:16px; height:16px; } -.notice-options a, -.notice-options input { +.notice .notice-options a, +.notice .notice-options input { box-shadow:none; -moz-box-shadow:none; -webkit-box-shadow:none; } +.notice .notice-options a, +.notice .notice-options form { +margin:-4px 0 0 0; +} +.notice .notice-options .notice_repeat, +.notice .notice-options .notice_delete { +margin-top:18px; +} +.notice .notice-options .notice_reply, +.notice .notice-options .notice_repeat { +margin-left:18px; +} + + +.notice .notice-options .notice_delete { +float:left; +} .entity_profile { width:auto; -- cgit v1.2.3-54-g00ecf From 4978810c81c8d7ba75daa795d66965d6b43331f3 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Sun, 17 Jan 2010 22:31:47 +0000 Subject: Took out focus out of textare when location share is enabled/disabled. Also avoids the conflict with the URL fragment on the conversation page. --- js/util.js | 2 -- 1 file changed, 2 deletions(-) diff --git a/js/util.js b/js/util.js index 373a4f3b0..a10e9d15a 100644 --- a/js/util.js +++ b/js/util.js @@ -624,8 +624,6 @@ var SN = { // StatusNet else { removeNoticeDataGeo(); } - - $('#'+SN.C.S.NoticeDataText).focus(); }).change(); } }, -- cgit v1.2.3-54-g00ecf From 602dbb5f8746ac032d59794c3e8d94d47c0678b7 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Mon, 18 Jan 2010 11:12:05 +0000 Subject: Moved farbtastic's stylesheet to use relative paths for its own images --- js/farbtastic/farbtastic.css | 32 ++++++++++++++++++++++++++++++++ theme/base/css/farbtastic.css | 32 -------------------------------- 2 files changed, 32 insertions(+), 32 deletions(-) create mode 100644 js/farbtastic/farbtastic.css delete mode 100644 theme/base/css/farbtastic.css diff --git a/js/farbtastic/farbtastic.css b/js/farbtastic/farbtastic.css new file mode 100644 index 000000000..a88e7b868 --- /dev/null +++ b/js/farbtastic/farbtastic.css @@ -0,0 +1,32 @@ +.farbtastic { + position: relative; +} +.farbtastic * { + position: absolute; + cursor: crosshair; +} +.farbtastic, .farbtastic .wheel { + width: 195px; + height: 195px; +} +.farbtastic .color, .farbtastic .overlay { + top: 47px; + left: 47px; + width: 101px; + height: 101px; +} +.farbtastic .wheel { + background: url(wheel.png) no-repeat; + width: 195px; + height: 195px; +} +.farbtastic .overlay { + background: url(mask.png) no-repeat; +} +.farbtastic .marker { + width: 17px; + height: 17px; + margin: -8px 0 0 -8px; + overflow: hidden; + background: url(marker.png) no-repeat; +} diff --git a/theme/base/css/farbtastic.css b/theme/base/css/farbtastic.css deleted file mode 100644 index 7efcc73c3..000000000 --- a/theme/base/css/farbtastic.css +++ /dev/null @@ -1,32 +0,0 @@ -.farbtastic { - position: relative; -} -.farbtastic * { - position: absolute; - cursor: crosshair; -} -.farbtastic, .farbtastic .wheel { - width: 195px; - height: 195px; -} -.farbtastic .color, .farbtastic .overlay { - top: 47px; - left: 47px; - width: 101px; - height: 101px; -} -.farbtastic .wheel { - background: url(../../../js/farbtastic/wheel.png) no-repeat; - width: 195px; - height: 195px; -} -.farbtastic .overlay { - background: url(../../../js/farbtastic/mask.png) no-repeat; -} -.farbtastic .marker { - width: 17px; - height: 17px; - margin: -8px 0 0 -8px; - overflow: hidden; - background: url(../../../js/farbtastic/marker.png) no-repeat; -} -- cgit v1.2.3-54-g00ecf From 187a70873a1af2eceafa12333e0c04750d01b5c2 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Mon, 18 Jan 2010 11:29:05 +0000 Subject: Updated path to farbtastic stylesheet --- actions/designadminpanel.php | 2 +- lib/designsettings.php | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/actions/designadminpanel.php b/actions/designadminpanel.php index f862aff0e..72ad6ade2 100644 --- a/actions/designadminpanel.php +++ b/actions/designadminpanel.php @@ -289,7 +289,7 @@ class DesignadminpanelAction extends AdminPanelAction function showStylesheets() { parent::showStylesheets(); - $this->cssLink('css/farbtastic.css','base','screen, projection, tv'); + $this->cssLink('js/farbtastic/farbtastic.css',null,'screen, projection, tv'); } /** diff --git a/lib/designsettings.php b/lib/designsettings.php index b70ba0dfc..8e44c03a9 100644 --- a/lib/designsettings.php +++ b/lib/designsettings.php @@ -314,7 +314,7 @@ class DesignSettingsAction extends AccountSettingsAction function showStylesheets() { parent::showStylesheets(); - $this->cssLink('css/farbtastic.css','base','screen, projection, tv'); + $this->cssLink('js/farbtastic/farbtastic.css',null,'screen, projection, tv'); } /** -- cgit v1.2.3-54-g00ecf From 42601b1ff0f054223ca7fb11c50aa236a87d07fa Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Mon, 18 Jan 2010 12:55:14 +0000 Subject: Some JS cleaning up for NoticeLocationAttach (which fixes also fixes a few bugs in WebKit) --- js/util.js | 14 +++++++------- 1 file changed, 7 insertions(+), 7 deletions(-) diff --git a/js/util.js b/js/util.js index a10e9d15a..aeec8d89d 100644 --- a/js/util.js +++ b/js/util.js @@ -494,7 +494,7 @@ var SN = { // StatusNet $.cookie(SN.C.S.NoticeDataGeoCookie, 'disabled'); } - function getJSONgeocodeURL(geocodeURL, data, position) { + function getJSONgeocodeURL(geocodeURL, data) { $.getJSON(geocodeURL, data, function(location) { var lns, lid; @@ -509,7 +509,7 @@ var SN = { // StatusNet } if (typeof(location.name) == 'undefined') { - NLN_text = position.coords.latitude + ';' + position.coords.longitude; + NLN_text = data.lat + ';' + data.lon; } else { NLN_text = location.name; @@ -571,7 +571,7 @@ var SN = { // StatusNet token: $('#token').val() }; - getJSONgeocodeURL(geocodeURL, data, position); + getJSONgeocodeURL(geocodeURL, data); }, function(error) { @@ -593,12 +593,12 @@ var SN = { // StatusNet else { if (NLat.length > 0 && NLon.length > 0) { var data = { - 'lat': NLat, - 'lon': NLon, - 'token': $('#token').val() + lat: NLat, + lon: NLon, + token: $('#token').val() }; - getJSONgeocodeURL(geocodeURL, data, position); + getJSONgeocodeURL(geocodeURL, data); } else { removeNoticeDataGeo(); -- cgit v1.2.3-54-g00ecf From d501acf4388e936d1b793e2516393d78809b700d Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Mon, 18 Jan 2010 17:17:02 +0000 Subject: Missing null className for incoming email form legend --- actions/emailsettings.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/actions/emailsettings.php b/actions/emailsettings.php index bfef2970d..08608348c 100644 --- a/actions/emailsettings.php +++ b/actions/emailsettings.php @@ -130,7 +130,7 @@ class EmailsettingsAction extends AccountSettingsAction if (common_config('emailpost', 'enabled') && $user->email) { $this->elementStart('fieldset', array('id' => 'settings_email_incoming')); - $this->element('legend',_('Incoming email')); + $this->element('legend', null, _('Incoming email')); if ($user->incomingemail) { $this->elementStart('p'); $this->element('span', 'address', $user->incomingemail); -- cgit v1.2.3-54-g00ecf From 3bf4056055fd5f278db8b8a46f4e524889483266 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Mon, 18 Jan 2010 09:28:58 -0800 Subject: Fix order of params on 'plugin not found' exception --- lib/statusnet.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/statusnet.php b/lib/statusnet.php index 29e903026..beeb26ccc 100644 --- a/lib/statusnet.php +++ b/lib/statusnet.php @@ -63,7 +63,7 @@ class StatusNet } } if (!class_exists($pluginclass)) { - throw new ServerException(500, "Plugin $name not found."); + throw new ServerException("Plugin $name not found.", 500); } } -- cgit v1.2.3-54-g00ecf From ae9f2bf18725d72952a7f884dc9faebe92dc0541 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Mon, 18 Jan 2010 09:37:42 -0800 Subject: add a quickie plugins/ dir readme mentioning how to add plugins, plus ref to wiki pages --- plugins/README-plugins | 21 +++++++++++++++++++++ 1 file changed, 21 insertions(+) create mode 100644 plugins/README-plugins diff --git a/plugins/README-plugins b/plugins/README-plugins new file mode 100644 index 000000000..cdce7eb18 --- /dev/null +++ b/plugins/README-plugins @@ -0,0 +1,21 @@ +Several example plugins are included in the plugins/ directory. You +can enable a plugin with the following line in config.php: + + addPlugin('Example', array('param1' => 'value1', + 'param2' => 'value2')); + +This will look for and load files named 'ExamplePlugin.php' or +'Example/ExamplePlugin.php' either in the plugins/ directory (for +plugins that ship with StatusNet) or in the local/ directory (for +plugins you write yourself or that you get from somewhere else) or +local/plugins/. + +Plugins are documented in their own directories. + + +Additional information on using and developing plugins can be found +on the StatusNet wiki: + +http://status.net/wiki/Plugins +http://status.net/wiki/Plugin_development + -- cgit v1.2.3-54-g00ecf From d29a791fff9469d2b097d62028be9c8e06482e69 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Tue, 19 Jan 2010 00:24:53 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans --- locale/ar/LC_MESSAGES/statusnet.po | 30 ++-- locale/ja/LC_MESSAGES/statusnet.po | 14 +- locale/pt_BR/LC_MESSAGES/statusnet.po | 14 +- locale/ru/LC_MESSAGES/statusnet.po | 12 +- locale/statusnet.po | 6 +- locale/sv/LC_MESSAGES/statusnet.po | 319 +++++++++++++++------------------- 6 files changed, 177 insertions(+), 218 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index 456587040..4024aed11 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-16 17:51:26+0000\n" +"POT-Creation-Date: 2010-01-18 23:16+0000\n" +"PO-Revision-Date: 2010-01-18 23:17:05+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61138); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61218); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" @@ -415,7 +415,7 @@ msgstr "مجموعات %s" #: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 msgid "Bad request." -msgstr "" +msgstr "طلب سيء." #: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -531,7 +531,7 @@ msgstr "Ø­ÙØ°ÙÙت الحالة." #: actions/apistatusesshow.php:144 msgid "No status with that ID found." -msgstr "" +msgstr "لا حالة ÙˆÙجدت بهذه الهوية." #: actions/apistatusesupdate.php:162 actions/newnotice.php:155 #: lib/mailhandler.php:60 @@ -1026,7 +1026,7 @@ msgstr "لا مستند كهذا." #: actions/editapplication.php:54 lib/applicationeditform.php:136 msgid "Edit application" -msgstr "" +msgstr "عدّل التطبيق" #: actions/editapplication.php:66 msgid "You must be logged in to edit an application." @@ -1072,7 +1072,7 @@ msgstr "مسار المصدر ليس صحيحا." #: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Organization is required." -msgstr "" +msgstr "المنظمة مطلوبة." #: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is too long (max 255 chars)." @@ -1080,7 +1080,7 @@ msgstr "المنظمة طويلة جدا (الأقصى 255 حرÙا)." #: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization homepage is required." -msgstr "" +msgstr "صÙحة المنظمة الرئيسية مطلوبة." #: actions/editapplication.php:215 actions/newapplication.php:203 msgid "Callback is too long." @@ -1289,7 +1289,7 @@ msgstr "أزيل هذا العنوان." #: actions/emailsettings.php:446 actions/smssettings.php:518 msgid "No incoming email address." -msgstr "" +msgstr "لا عنوان بريد إلكتروني وارد." #: actions/emailsettings.php:456 actions/emailsettings.php:478 #: actions/smssettings.php:528 actions/smssettings.php:552 @@ -1395,7 +1395,7 @@ msgstr "المستخدم الذي تستمع إليه غير موجود." #: actions/finishremotesubscribe.php:87 actions/remotesubscribe.php:59 msgid "You can use the local subscription!" -msgstr "" +msgstr "تستطيع استخدام الاشتراك المحلي!" #: actions/finishremotesubscribe.php:99 msgid "That user has blocked you from subscribing." @@ -2078,7 +2078,7 @@ msgstr "" #: actions/oauthconnectionssettings.php:170 msgid "You are not a user of that application." -msgstr "أنت لست مستخدما لهذا التطبيق." +msgstr "لست مستخدما لهذا التطبيق." #: actions/oauthconnectionssettings.php:180 msgid "Unable to revoke access for app: " @@ -4028,7 +4028,7 @@ msgstr "" #: actions/version.php:189 msgid "Plugins" -msgstr "" +msgstr "ملحقات" #: actions/version.php:196 lib/action.php:741 msgid "Version" @@ -4116,12 +4116,12 @@ msgstr "" msgid "Problem saving notice." msgstr "مشكلة أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تي @%1$s %2$s" @@ -4291,7 +4291,7 @@ msgstr "" #: lib/action.php:773 msgid "StatusNet software license" -msgstr "" +msgstr "رخصة برنامج StatusNet" #: lib/action.php:776 #, php-format diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index e3eb8b28f..792ff4d39 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:17:22+0000\n" +"POT-Creation-Date: 2010-01-18 23:16+0000\n" +"PO-Revision-Date: 2010-01-18 23:18:49+0000\n" "Language-Team: Japanese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61218); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: out-statusnet\n" @@ -54,9 +54,9 @@ msgid "No such user." msgstr "ãã®ã‚ˆã†ãªåˆ©ç”¨è€…ã¯ã„ã¾ã›ã‚“。" #: actions/all.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s and friends, page %2$d" -msgstr "%1$s ブロックã•ã‚ŒãŸãƒ—ロファイルã€ãƒšãƒ¼ã‚¸ %2$d" +msgstr "%1$s ã¨å‹äººã€ãƒšãƒ¼ã‚¸ %2$d" #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 @@ -4358,12 +4358,12 @@ msgstr "ã‚ãªãŸã¯ã“ã®ã‚µã‚¤ãƒˆã§ã¤ã¶ã‚„ãを投稿ã™ã‚‹ã®ãŒç¦æ­¢ã• msgid "Problem saving notice." msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚" -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "返信を追加ã™ã‚‹éš›ã«ãƒ‡ãƒ¼ã‚¿ãƒ™ãƒ¼ã‚¹ã‚¨ãƒ©ãƒ¼ : %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "" diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index c3162d470..3b07494f2 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-16 17:53:00+0000\n" +"POT-Creation-Date: 2010-01-18 23:16+0000\n" +"PO-Revision-Date: 2010-01-18 23:19:44+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61138); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61218); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" @@ -53,9 +53,9 @@ msgid "No such user." msgstr "Este usuário não existe." #: actions/all.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s and friends, page %2$d" -msgstr "Perfis bloqueados no %1$s, pág. %2$d" +msgstr "%1$s e amigos, pág. %2$d" #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 @@ -4397,12 +4397,12 @@ msgstr "Você está proibido de publicar mensagens neste site." msgid "Problem saving notice." msgstr "Problema no salvamento da mensagem." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "Erro no banco de dados na inserção da reposta: %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index 19868d34b..505325bae 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -2,6 +2,7 @@ # # Author@translatewiki.net: Brion # Author@translatewiki.net: Lockal +# Author@translatewiki.net: Rubin # Author@translatewiki.net: ÐлекÑандр Сигачёв # -- # This file is distributed under the same license as the StatusNet package. @@ -10,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:17:57+0000\n" +"POT-Creation-Date: 2010-01-18 23:16+0000\n" +"PO-Revision-Date: 2010-01-18 23:19:49+0000\n" "Language-Team: Russian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61218); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: out-statusnet\n" @@ -453,7 +454,6 @@ msgid "There was a problem with your session token. Try again, please." msgstr "Проблема Ñ Ð’Ð°ÑˆÐµÐ¹ ÑеÑÑией. Попробуйте ещё раз, пожалуйÑта." #: actions/apioauthauthorize.php:146 -#, fuzzy msgid "Invalid nickname / password!" msgstr "Ðеверное Ð¸Ð¼Ñ Ð¸Ð»Ð¸ пароль." @@ -4406,12 +4406,12 @@ msgstr "Вам запрещено поÑтитьÑÑ Ð½Ð° Ñтом Ñайте ( msgid "Problem saving notice." msgstr "Проблемы Ñ Ñохранением запиÑи." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "Ошибка баз данных при вÑтавке ответа Ð´Ð»Ñ %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" diff --git a/locale/statusnet.po b/locale/statusnet.po index a7f7f9f74..097ed2223 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-16 17:51+0000\n" +"POT-Creation-Date: 2010-01-18 23:16+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -4102,12 +4102,12 @@ msgstr "" msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index 8d093bc49..f8e290877 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:18:00+0000\n" +"POT-Creation-Date: 2010-01-18 23:16+0000\n" +"PO-Revision-Date: 2010-01-18 23:19:55+0000\n" "Language-Team: Swedish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61218); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: out-statusnet\n" @@ -52,9 +52,9 @@ msgid "No such user." msgstr "Ingen sÃ¥dan användare." #: actions/all.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s and friends, page %2$d" -msgstr "%s blockerade profiler, sida %d" +msgstr "%1$s blockerade profiler, sida %2$d" #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 @@ -268,18 +268,16 @@ msgid "No status found with that ID." msgstr "Ingen status hittad med det ID:t." #: actions/apifavoritecreate.php:119 -#, fuzzy msgid "This status is already a favorite." -msgstr "Denna status är redan en favorit!" +msgstr "Denna status är redan en favorit." #: actions/apifavoritecreate.php:130 actions/favor.php:84 lib/command.php:176 msgid "Could not create favorite." msgstr "Kunde inte skapa favorit." #: actions/apifavoritedestroy.php:122 -#, fuzzy msgid "That status is not a favorite." -msgstr "Denna status är inte en favorit!" +msgstr "Denna status är inte en favorit." #: actions/apifavoritedestroy.php:134 actions/disfavor.php:87 msgid "Could not delete favorite." @@ -299,9 +297,8 @@ msgid "Could not unfollow user: User not found." msgstr "Kunde inte sluta följa användaren: användaren hittades inte." #: actions/apifriendshipsdestroy.php:120 -#, fuzzy msgid "You cannot unfollow yourself." -msgstr "Du kan inte sluta följa dig själv!" +msgstr "Du kan inte sluta följa dig själv." #: actions/apifriendshipsexists.php:94 msgid "Two user ids or screen_names must be supplied." @@ -397,18 +394,18 @@ msgid "You have been blocked from that group by the admin." msgstr "Du har blivit blockerad frÃ¥n denna grupp av administratören." #: actions/apigroupjoin.php:138 actions/joingroup.php:124 -#, fuzzy, php-format +#, php-format msgid "Could not join user %1$s to group %2$s." -msgstr "Kunde inte ansluta användare % till grupp %s." +msgstr "Kunde inte ansluta användare %1$s till grupp %2$s." #: actions/apigroupleave.php:114 msgid "You are not a member of this group." msgstr "Du är inte en medlem i denna grupp." #: actions/apigroupleave.php:124 actions/leavegroup.php:119 -#, fuzzy, php-format +#, php-format msgid "Could not remove user %1$s from group %2$s." -msgstr "Kunde inte ta bort användare %s frÃ¥n grupp %s." +msgstr "Kunde inte ta bort användare %1$s frÃ¥n grupp %2$s." #: actions/apigrouplist.php:95 #, php-format @@ -448,9 +445,8 @@ msgid "There was a problem with your session token. Try again, please." msgstr "Det var ett problem med din sessions-token. Var vänlig försök igen." #: actions/apioauthauthorize.php:146 -#, fuzzy msgid "Invalid nickname / password!" -msgstr "Ogiltigt användarnamn eller lösenord." +msgstr "Ogiltigt smeknamn / lösenord!" #: actions/apioauthauthorize.php:170 #, fuzzy @@ -489,7 +485,7 @@ msgstr "" #: actions/apioauthauthorize.php:290 msgid "Allow or deny access" -msgstr "" +msgstr "TillÃ¥t eller neka Ã¥tkomst" #: actions/apioauthauthorize.php:320 lib/action.php:435 msgid "Account" @@ -508,18 +504,16 @@ msgid "Password" msgstr "Lösenord" #: actions/apioauthauthorize.php:338 -#, fuzzy msgid "Deny" -msgstr "Utseende" +msgstr "Neka" #: actions/apioauthauthorize.php:344 -#, fuzzy msgid "Allow" -msgstr "Alla" +msgstr "TillÃ¥t" #: actions/apioauthauthorize.php:361 msgid "Allow or deny access to your account information." -msgstr "" +msgstr "TillÃ¥t eller neka Ã¥tkomst till din kontoinformation." #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." @@ -570,14 +564,14 @@ msgid "Unsupported format." msgstr "Format som inte stödjs." #: actions/apitimelinefavorites.php:108 -#, fuzzy, php-format +#, php-format msgid "%1$s / Favorites from %2$s" -msgstr "%s / Favoriter frÃ¥n %s" +msgstr "%1$s / Favoriter frÃ¥n %2$s" #: actions/apitimelinefavorites.php:120 -#, fuzzy, php-format +#, php-format msgid "%1$s updates favorited by %2$s / %2$s." -msgstr "%s uppdateringar markerade som favorit av %s / %s." +msgstr "%1$s uppdateringar markerade som favorit av %2$s / %2$s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 #: actions/grouprss.php:131 actions/userrss.php:90 @@ -782,9 +776,9 @@ msgid "%s blocked profiles" msgstr "%s blockerade profiler" #: actions/blockedfromgroup.php:93 -#, fuzzy, php-format +#, php-format msgid "%1$s blocked profiles, page %2$d" -msgstr "%s blockerade profiler, sida %d" +msgstr "%1$s blockerade profiler, sida %2$d" #: actions/blockedfromgroup.php:108 msgid "A list of the users blocked from joining this group." @@ -842,7 +836,6 @@ msgid "Couldn't delete email confirmation." msgstr "Kunde inte ta bort e-postbekräftelse." #: actions/confirmaddress.php:144 -#, fuzzy msgid "Confirm address" msgstr "Bekräfta adress" @@ -1055,7 +1048,7 @@ msgstr "Inget sÃ¥dant dokument." #: actions/editapplication.php:54 lib/applicationeditform.php:136 msgid "Edit application" -msgstr "" +msgstr "Redigera applikation" #: actions/editapplication.php:66 #, fuzzy @@ -1069,9 +1062,8 @@ msgstr "Du är inte en medlem i denna grupp." #: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 #: actions/showapplication.php:87 -#, fuzzy msgid "No such application." -msgstr "Ingen sÃ¥dan notis." +msgstr "Ingen sÃ¥dan applikation." #: actions/editapplication.php:127 actions/newapplication.php:110 #: actions/showapplication.php:118 lib/action.php:1167 @@ -1079,9 +1071,8 @@ msgid "There was a problem with your session token." msgstr "Det var ett problem med din sessions-token." #: actions/editapplication.php:161 -#, fuzzy msgid "Use this form to edit your application." -msgstr "Använd detta formulär för att redigera gruppen." +msgstr "Använd detta formulär för att redigera din applikation." #: actions/editapplication.php:177 actions/newapplication.php:159 #, fuzzy @@ -1089,9 +1080,8 @@ msgid "Name is required." msgstr "Samma som lösenordet ovan. MÃ¥ste fyllas i." #: actions/editapplication.php:180 actions/newapplication.php:162 -#, fuzzy msgid "Name is too long (max 255 chars)." -msgstr "Fullständigt namn är för lÃ¥ngt (max 255 tecken)." +msgstr "Namnet är för lÃ¥ngt (max 255 tecken)." #: actions/editapplication.php:183 actions/newapplication.php:165 #, fuzzy @@ -1145,9 +1135,8 @@ msgstr "Du mÃ¥ste vara inloggad för att skapa en grupp." #: actions/editgroup.php:103 actions/editgroup.php:168 #: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 -#, fuzzy msgid "You must be an admin to edit the group." -msgstr "Du mÃ¥ste vara inloggad för att redigera gruppen" +msgstr "Du mÃ¥ste vara en administratör för att redigera gruppen." #: actions/editgroup.php:154 msgid "Use this form to edit the group." @@ -1171,7 +1160,6 @@ msgid "Options saved." msgstr "Alternativ sparade." #: actions/emailsettings.php:60 -#, fuzzy msgid "Email settings" msgstr "E-postinställningar" @@ -1210,9 +1198,8 @@ msgid "Cancel" msgstr "Avbryt" #: actions/emailsettings.php:121 -#, fuzzy msgid "Email address" -msgstr "E-postadresser" +msgstr "E-postadress" #: actions/emailsettings.php:123 msgid "Email address, like \"UserName@example.org\"" @@ -1514,14 +1501,14 @@ msgid "Block user from group" msgstr "Blockera användare frÃ¥n grupp" #: actions/groupblock.php:162 -#, fuzzy, php-format +#, php-format msgid "" "Are you sure you want to block user \"%1$s\" from the group \"%2$s\"? They " "will be removed from the group, unable to post, and unable to subscribe to " "the group in the future." msgstr "" -"Är du säker pÃ¥ att du vill blockera användare \"%s\" frÃ¥n gruppen \"%s\"? De " -"kommer bli borttagna frÃ¥n gruppen, inte kunna posta och inte kunna " +"Är du säker pÃ¥ att du vill blockera användare \"%1$s\" frÃ¥n gruppen \"%2$s" +"\"? De kommer bli borttagna frÃ¥n gruppen, inte kunna posta och inte kunna " "prenumerera pÃ¥ gruppen i framtiden." #: actions/groupblock.php:178 @@ -1577,9 +1564,8 @@ msgstr "" "s." #: actions/grouplogo.php:178 -#, fuzzy msgid "User without matching profile." -msgstr "Användare utan matchande profil" +msgstr "Användare utan matchande profil." #: actions/grouplogo.php:362 msgid "Pick a square area of the image to be the logo." @@ -1599,9 +1585,9 @@ msgid "%s group members" msgstr "%s gruppmedlemmar" #: actions/groupmembers.php:96 -#, fuzzy, php-format +#, php-format msgid "%1$s group members, page %2$d" -msgstr "%s gruppmedlemmar, sida %d" +msgstr "%1$s gruppmedlemmar, sida %2$d" #: actions/groupmembers.php:111 msgid "A list of the users in this group." @@ -1651,9 +1637,9 @@ msgid "" "for one](%%%%action.groupsearch%%%%) or [start your own!](%%%%action.newgroup" "%%%%)" msgstr "" -"%%%%site.name%%%% grupper lÃ¥ter dig hitta och prata med personer med " +"%%%%site.name%%%% grupper lÃ¥ter dig hitta och samtala med personer med " "liknande intressen. Efter att ha gÃ¥tt med i en grupp kan du skicka " -"meddelanden till alla andra medlemmar mha. syntaxen \"!gruppnamn\". Ser du " +"meddelanden till alla andra medlemmar mha syntaxen \"!gruppnamn\". Ser du " "inte nÃ¥gon grupp du gillar? Prova att [söka efter en](%%%%action.groupsearch%" "%%%) eller [starta din egen!](%%%%action.newgroup%%%%)" @@ -1711,9 +1697,8 @@ msgid "Error removing the block." msgstr "Fel vid hävning av blockering." #: actions/imsettings.php:59 -#, fuzzy msgid "IM settings" -msgstr "IM-inställningar" +msgstr "Inställningar för snabbmeddelanden" #: actions/imsettings.php:70 #, php-format @@ -1721,7 +1706,7 @@ msgid "" "You can send and receive notices through Jabber/GTalk [instant messages](%%" "doc.im%%). Configure your address and settings below." msgstr "" -"Du kan skicka och ta emot notiser genom Jabber/GTalk [snabbmeddelanden](%%" +"Du kan skicka och ta emot notiser genom Jabber/GTalk-[snabbmeddelanden](%%" "doc.im%%). Konfigurera din adress och dina inställningar nedan." #: actions/imsettings.php:89 @@ -1742,9 +1727,8 @@ msgstr "" "vidare instruktioner. (La du till %s i din kompislista?)" #: actions/imsettings.php:124 -#, fuzzy msgid "IM address" -msgstr "IM-adress" +msgstr "Adress för snabbmeddelanden" #: actions/imsettings.php:126 #, php-format @@ -1934,9 +1918,9 @@ msgid "You must be logged in to join a group." msgstr "Du mÃ¥ste vara inloggad för att kunna gÃ¥ med i en grupp." #: actions/joingroup.php:131 -#, fuzzy, php-format +#, php-format msgid "%1$s joined group %2$s" -msgstr "%s gick med i grupp %s" +msgstr "%1$s gick med i grupp %2$s" #: actions/leavegroup.php:60 msgid "You must be logged in to leave a group." @@ -1947,9 +1931,9 @@ msgid "You are not a member of that group." msgstr "Du är inte en medlem i den gruppen." #: actions/leavegroup.php:127 -#, fuzzy, php-format +#, php-format msgid "%1$s left group %2$s" -msgstr "%s lämnade grupp %s" +msgstr "%1$s lämnade grupp %2$s" #: actions/login.php:80 actions/otp.php:62 actions/register.php:137 msgid "Already logged in." @@ -2006,19 +1990,19 @@ msgid "Only an admin can make another user an admin." msgstr "Bara en administratör kan göra en annan användare till administratör." #: actions/makeadmin.php:95 -#, fuzzy, php-format +#, php-format msgid "%1$s is already an admin for group \"%2$s\"." -msgstr "%s är redan en administratör för grupp \"%s\"." +msgstr "%1$s är redan en administratör för grupp \"%2$s\"." #: actions/makeadmin.php:132 -#, fuzzy, php-format +#, php-format msgid "Can't get membership record for %1$s in group %2$s." -msgstr "Kan inte hämta uppgift om medlemskap för %s i grupp %s" +msgstr "Kan inte hämta uppgift om medlemskap för %1$s i grupp %2$s." #: actions/makeadmin.php:145 -#, fuzzy, php-format +#, php-format msgid "Can't make %1$s an admin for group %2$s." -msgstr "Kan inte göra %s till en administratör för grupp %s" +msgstr "Kan inte göra %1$s till en administratör för grupp %2$s." #: actions/microsummary.php:69 msgid "No current status" @@ -2026,26 +2010,23 @@ msgstr "Ingen aktuell status" #: actions/newapplication.php:52 msgid "New application" -msgstr "" +msgstr "Ny applikation" #: actions/newapplication.php:64 -#, fuzzy msgid "You must be logged in to register an application." -msgstr "Du mÃ¥ste vara inloggad för att skapa en grupp." +msgstr "Du mÃ¥ste vara inloggad för att registrera en applikation." #: actions/newapplication.php:143 -#, fuzzy msgid "Use this form to register a new application." -msgstr "Använd detta formulär för att skapa en ny grupp." +msgstr "Använd detta formulär för att registrera en ny applikation." #: actions/newapplication.php:173 msgid "Source URL is required." msgstr "" #: actions/newapplication.php:255 actions/newapplication.php:264 -#, fuzzy msgid "Could not create application." -msgstr "Kunde inte skapa alias." +msgstr "Kunde inte skapa applikation." #: actions/newgroup.php:53 msgid "New group" @@ -2084,9 +2065,9 @@ msgid "Message sent" msgstr "Meddelande skickat" #: actions/newmessage.php:185 -#, fuzzy, php-format +#, php-format msgid "Direct message to %s sent." -msgstr "Direktmeddelande till %s skickat" +msgstr "Direktmeddelande till %s skickat." #: actions/newmessage.php:210 actions/newnotice.php:245 lib/channel.php:170 msgid "Ajax Error" @@ -2114,9 +2095,9 @@ msgid "Text search" msgstr "Textsökning" #: actions/noticesearch.php:91 -#, fuzzy, php-format +#, php-format msgid "Search results for \"%1$s\" on %2$s" -msgstr "Sökresultat för \"%s\" pÃ¥ %s" +msgstr "Sökresultat för \"%1$s\" pÃ¥ %2$s" #: actions/noticesearch.php:121 #, php-format @@ -2162,9 +2143,8 @@ msgid "Nudge sent!" msgstr "Knuff sänd!" #: actions/oauthappssettings.php:59 -#, fuzzy msgid "You must be logged in to list your applications." -msgstr "Du mÃ¥ste vara inloggad för att redigera en grupp." +msgstr "Du mÃ¥ste vara inloggad för att lista dina applikationer." #: actions/oauthappssettings.php:74 #, fuzzy @@ -2173,20 +2153,20 @@ msgstr "Övriga alternativ" #: actions/oauthappssettings.php:85 msgid "Applications you have registered" -msgstr "" +msgstr "Applikationer du har registrerat" #: actions/oauthappssettings.php:135 #, php-format msgid "You have not registered any applications yet." -msgstr "" +msgstr "Du har inte registrerat nÃ¥gra applikationer än." #: actions/oauthconnectionssettings.php:71 msgid "Connected applications" -msgstr "" +msgstr "Anslutna applikationer" #: actions/oauthconnectionssettings.php:87 msgid "You have allowed the following applications to access you account." -msgstr "" +msgstr "Du har tillÃ¥tit följande applikationer att komma Ã¥t ditt konto." #: actions/oauthconnectionssettings.php:170 #, fuzzy @@ -2195,12 +2175,12 @@ msgstr "Du är inte en medlem i den gruppen." #: actions/oauthconnectionssettings.php:180 msgid "Unable to revoke access for app: " -msgstr "" +msgstr "Kunde inte Ã¥terkalla Ã¥tkomst för applikation: " #: actions/oauthconnectionssettings.php:192 #, php-format msgid "You have not authorized any applications to use your account." -msgstr "" +msgstr "Du har inte tillÃ¥tit nÃ¥gra applikationer att använda ditt konto." #: actions/oauthconnectionssettings.php:205 msgid "Developers can edit the registration settings for their applications " @@ -2237,7 +2217,6 @@ msgid "Notice Search" msgstr "Notissökning" #: actions/othersettings.php:60 -#, fuzzy msgid "Other settings" msgstr "Övriga inställningar" @@ -2490,7 +2469,6 @@ msgid "When to use SSL" msgstr "När SSL skall användas" #: actions/pathsadminpanel.php:308 -#, fuzzy msgid "SSL server" msgstr "SSL-server" @@ -2521,9 +2499,9 @@ msgid "Not a valid people tag: %s" msgstr "Inte en giltig persontagg: %s" #: actions/peopletag.php:144 -#, fuzzy, php-format +#, php-format msgid "Users self-tagged with %1$s - page %2$d" -msgstr "Användare som taggat sig själv med %s - sida %d" +msgstr "Användare som taggat sig själv med %1$s - sida %2$d" #: actions/postnotice.php:84 msgid "Invalid notice content" @@ -2728,8 +2706,8 @@ msgid "" "tool. [Join now](%%action.register%%) to share notices about yourself with " "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -"Detta är %%site.name%%, en [mikroblogg](http://en.wikipedia.org/wiki/Micro-" -"blogging)-tjänst baserad pÃ¥ den fria programvaran [StatusNet](http://status." +"Detta är %%site.name%%, en [mikroblogg](http://sv.wikipedia.org/wiki/" +"Mikroblogg)tjänst baserad pÃ¥ den fria programvaran [StatusNet](http://status." "net/). [GÃ¥ med nu](%%action.register%%) för att dela notiser om dig själv " "med vänner, familj och kollegor! ([Läs mer](%%doc.help%%))" @@ -2740,8 +2718,8 @@ msgid "" "blogging) service based on the Free Software [StatusNet](http://status.net/) " "tool." msgstr "" -"Detta är %%site.name%%, en [mikroblogg](http://en.wikipedia.org/wiki/Micro-" -"blogging)-tjänst baserad pÃ¥ den fria programvaran [StatusNet](http://status." +"Detta är %%site.name%%, en [mikroblogg](http://sv.wikipedia.org/wiki/" +"Mikroblogg)tjänst baserad pÃ¥ den fria programvaran [StatusNet](http://status." "net/)." #: actions/publictagcloud.php:57 @@ -3163,24 +3141,21 @@ msgid "You must be logged in to view an application." msgstr "Du mÃ¥ste vara inloggad för att lämna en grupp." #: actions/showapplication.php:158 -#, fuzzy msgid "Application profile" -msgstr "Notisen har ingen profil" +msgstr "Applikationsprofil" #: actions/showapplication.php:160 lib/applicationeditform.php:182 msgid "Icon" -msgstr "" +msgstr "Ikon" #: actions/showapplication.php:170 actions/version.php:195 #: lib/applicationeditform.php:197 -#, fuzzy msgid "Name" -msgstr "Smeknamn" +msgstr "Namn" #: actions/showapplication.php:179 lib/applicationeditform.php:224 -#, fuzzy msgid "Organization" -msgstr "Numrering av sidor" +msgstr "Organisation" #: actions/showapplication.php:188 actions/version.php:198 #: lib/applicationeditform.php:211 lib/groupeditform.php:172 @@ -3207,7 +3182,7 @@ msgstr "" #: actions/showapplication.php:241 msgid "Application info" -msgstr "" +msgstr "Information om applikation" #: actions/showapplication.php:243 msgid "Consumer key" @@ -3354,8 +3329,8 @@ msgid "" "their life and interests. [Join now](%%%%action.register%%%%) to become part " "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -"**%s** är en användargrupp pÃ¥ %%%%site.name%%%%, en [mikroblogg](http://en." -"wikipedia.org/wiki/Micro-blogging)-tjänst baserad den fria programvaran " +"**%s** är en användargrupp pÃ¥ %%%%site.name%%%%, en [mikroblogg](http://sv." +"wikipedia.org/wiki/Mikroblogg)tjänst baserad den fria programvaran " "[StatusNet](http://status.net/). Dess medlemmar delar korta meddelande om " "sina liv och intressen. [GÃ¥ med nu](%%%%action.register%%%%) för att bli en " "del av denna grupp och mÃ¥nga fler! ([Läs mer](%%%%doc.help%%%%))" @@ -3369,7 +3344,7 @@ msgid "" "their life and interests. " msgstr "" "**%s** är en användargrupp pÃ¥ %%%%site.name%%%%, en [mikroblogg](http://en." -"wikipedia.org/wiki/Micro-blogging)-tjänst baserad den fria programvaran " +"wikipedia.org/wiki/Micro-blogging)tjänst baserad den fria programvaran " "[StatusNet](http://status.net/). Dess medlemmar delar korta meddelande om " "sina liv och intressen. " @@ -3405,9 +3380,9 @@ msgid " tagged %s" msgstr "taggade %s" #: actions/showstream.php:122 -#, fuzzy, php-format +#, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" -msgstr "Flöde av notiser för %s taggade %s (RSS 1.0)" +msgstr "Flöde av notiser för %1$s taggade %2$s (RSS 1.0)" #: actions/showstream.php:129 #, php-format @@ -3430,9 +3405,9 @@ msgid "FOAF for %s" msgstr "FOAF för %s" #: actions/showstream.php:191 -#, fuzzy, php-format +#, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." -msgstr "Detta är tidslinjen för %s men %s har inte postat nÃ¥got än." +msgstr "Detta är tidslinjen för %1$s men %2$s har inte postat nÃ¥got än." #: actions/showstream.php:196 msgid "" @@ -3460,7 +3435,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" "**%s** har ett konto pÃ¥ %%%%site.name%%%%, en [mikroblogg](http://en." -"wikipedia.org/wiki/Micro-blogging)-tjänst baserad pÃ¥ den fria programvaran " +"wikipedia.org/wiki/Micro-blogging)tjänst baserad pÃ¥ den fria programvaran " "[StatusNet](http://status.net/). [GÃ¥ med nu](%%%%action.register%%%%) för " "att följa **%s**s notiser och mÃ¥nga fler! ([Läs mer](%%%%doc.help%%%%))" @@ -3472,7 +3447,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" "**%s** har ett konto pÃ¥ %%%%site.name%%%%, en [mikroblogg](http://en." -"wikipedia.org/wiki/Micro-blogging)-tjänst baserad pÃ¥ den fria programvaran " +"wikipedia.org/wiki/Micro-blogging)tjänst baserad pÃ¥ den fria programvaran " "[StatusNet](http://status.net/). " #: actions/showstream.php:313 @@ -3497,14 +3472,13 @@ msgid "Site name must have non-zero length." msgstr "Webbplatsnamnet mÃ¥ste vara minst ett tecken lÃ¥ngt." #: actions/siteadminpanel.php:154 -#, fuzzy msgid "You must have a valid contact email address." -msgstr "Du mÃ¥ste ha en giltig kontakte-postadress" +msgstr "Du mÃ¥ste ha en giltig e-postadress." #: actions/siteadminpanel.php:172 -#, fuzzy, php-format +#, php-format msgid "Unknown language \"%s\"." -msgstr "Okänt sprÃ¥k \"%s\"" +msgstr "Okänt sprÃ¥k \"%s\"." #: actions/siteadminpanel.php:179 msgid "Invalid snapshot report URL." @@ -3654,7 +3628,7 @@ msgstr "Ögonblicksbild kommer skickas var N:te webbträff" #: actions/siteadminpanel.php:359 msgid "Report URL" -msgstr "Rapport-URL" +msgstr "URL för rapport" #: actions/siteadminpanel.php:360 msgid "Snapshots will be sent to this URL" @@ -3686,14 +3660,13 @@ msgid "Save site settings" msgstr "Spara webbplatsinställningar" #: actions/smssettings.php:58 -#, fuzzy msgid "SMS settings" -msgstr "SMS-inställningar" +msgstr "Inställningar för SMS" #: actions/smssettings.php:69 #, php-format msgid "You can receive SMS messages through email from %%site.name%%." -msgstr "Du kan ta emot SMS-meddelande genom e-post frÃ¥n %%site.name%%." +msgstr "Du kan ta emot SMS-meddelanden genom e-post frÃ¥n %%site.name%%." #: actions/smssettings.php:91 msgid "SMS is not available." @@ -3716,7 +3689,6 @@ msgid "Enter the code you received on your phone." msgstr "Fyll i koden du mottog i din telefon." #: actions/smssettings.php:138 -#, fuzzy msgid "SMS phone number" msgstr "Telefonnummer för SMS" @@ -3808,9 +3780,9 @@ msgid "%s subscribers" msgstr "%s prenumeranter" #: actions/subscribers.php:52 -#, fuzzy, php-format +#, php-format msgid "%1$s subscribers, page %2$d" -msgstr "%s prenumeranter, sida %d" +msgstr "%1$s prenumeranter, sida %2$d" #: actions/subscribers.php:63 msgid "These are the people who listen to your notices." @@ -3849,9 +3821,9 @@ msgid "%s subscriptions" msgstr "%s prenumerationer" #: actions/subscriptions.php:54 -#, fuzzy, php-format +#, php-format msgid "%1$s subscriptions, page %2$d" -msgstr "%s prenumerationer, sida %d" +msgstr "%1$s prenumerationer, sida %2$d" #: actions/subscriptions.php:65 msgid "These are the people whose notices you listen to." @@ -3974,12 +3946,12 @@ msgid "Unsubscribed" msgstr "Prenumeration avslutad" #: actions/updateprofile.php:62 actions/userauthorization.php:330 -#, fuzzy, php-format +#, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -"Licensen för lyssnarströmmen '%s' är inte förenlig med webbplatslicensen '%" -"s'." +"Licensen för lyssnarströmmen '%1$s' är inte förenlig med webbplatslicensen '%" +"2$s'." #: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 #: lib/personalgroupnav.php:115 @@ -4138,9 +4110,9 @@ msgstr "" "prenumerationen." #: actions/userauthorization.php:296 -#, fuzzy, php-format +#, php-format msgid "Listener URI ‘%s’ not found here." -msgstr "Lyssnar-URI '%s' hittades inte här" +msgstr "URI för lyssnare '%s' hittades inte här." #: actions/userauthorization.php:301 #, php-format @@ -4203,9 +4175,9 @@ msgstr "" "Prova att [söka efter grupper](%%action.groupsearch%%) och gÃ¥ med i dem." #: actions/version.php:73 -#, fuzzy, php-format +#, php-format msgid "StatusNet %s" -msgstr "Statistik" +msgstr "StatusNet %s" #: actions/version.php:153 #, php-format @@ -4215,9 +4187,8 @@ msgid "" msgstr "" #: actions/version.php:157 -#, fuzzy msgid "StatusNet" -msgstr "Status borttagen." +msgstr "StatusNet" #: actions/version.php:161 msgid "Contributors" @@ -4248,15 +4219,13 @@ msgstr "" #: actions/version.php:189 msgid "Plugins" -msgstr "" +msgstr "Insticksmoduler" #: actions/version.php:196 lib/action.php:741 -#, fuzzy msgid "Version" -msgstr "Sessioner" +msgstr "Version" #: actions/version.php:197 -#, fuzzy msgid "Author(s)" msgstr "Författare" @@ -4347,12 +4316,12 @@ msgstr "Du är utestängd frÃ¥n att posta notiser pÃ¥ denna webbplats." msgid "Problem saving notice." msgstr "Problem med att spara notis." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "Databasfel vid infogning av svar: %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4399,9 +4368,9 @@ msgid "Other options" msgstr "Övriga alternativ" #: lib/action.php:144 -#, fuzzy, php-format +#, php-format msgid "%1$s - %2$s" -msgstr "%1$s (%2$s)" +msgstr "%1$s - %2$s" #: lib/action.php:159 msgid "Untitled page" @@ -4531,7 +4500,7 @@ msgid "" "broughtby%%](%%site.broughtbyurl%%). " msgstr "" "**%%site.name%%** är en mikrobloggtjänst tillhandahÃ¥llen av [%%site.broughtby" -"%%](%%site.broughtbyurl%%)" +"%%](%%site.broughtbyurl%%). " #: lib/action.php:778 #, php-format @@ -4545,7 +4514,7 @@ msgid "" "s, available under the [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." msgstr "" -"Den drivs med mikroblogg-programvaran [StatusNet](http://status.net/), " +"Den drivs med mikrobloggprogramvaran [StatusNet](http://status.net/), " "version %s, tillgänglig under [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." @@ -4608,7 +4577,7 @@ msgstr "Konfiguration av sökvägar" #: lib/applicationeditform.php:186 msgid "Icon for this application" -msgstr "" +msgstr "Ikon för denna applikation" #: lib/applicationeditform.php:206 #, fuzzy, php-format @@ -4616,14 +4585,12 @@ msgid "Describe your application in %d characters" msgstr "Beskriv gruppen eller ämnet med högst %d tecken" #: lib/applicationeditform.php:209 -#, fuzzy msgid "Describe your application" -msgstr "Beskriv gruppen eller ämnet" +msgstr "Beskriv din applikation" #: lib/applicationeditform.php:218 -#, fuzzy msgid "Source URL" -msgstr "Källa" +msgstr "URL för källa" #: lib/applicationeditform.php:220 #, fuzzy @@ -4632,7 +4599,7 @@ msgstr "URL till gruppen eller ämnets hemsida eller blogg" #: lib/applicationeditform.php:226 msgid "Organization responsible for this application" -msgstr "" +msgstr "Organisation som ansvarar för denna applikation" #: lib/applicationeditform.php:232 #, fuzzy @@ -4645,32 +4612,32 @@ msgstr "" #: lib/applicationeditform.php:260 msgid "Browser" -msgstr "" +msgstr "Webbläsare" #: lib/applicationeditform.php:276 msgid "Desktop" -msgstr "" +msgstr "Skrivbord" #: lib/applicationeditform.php:277 msgid "Type of application, browser or desktop" -msgstr "" +msgstr "Typ av applikation, webbläsare eller skrivbord" #: lib/applicationeditform.php:299 msgid "Read-only" -msgstr "" +msgstr "Skrivskyddad" #: lib/applicationeditform.php:317 msgid "Read-write" -msgstr "" +msgstr "Läs och skriv" #: lib/applicationeditform.php:318 msgid "Default access for this application: read-only, or read-write" msgstr "" +"StandardÃ¥tkomst för denna applikation: skrivskyddad, eller läs och skriv" #: lib/applicationlist.php:154 -#, fuzzy msgid "Revoke" -msgstr "Ta bort" +msgstr "Ã…terkalla" #: lib/attachmentlist.php:87 msgid "Attachments" @@ -4991,9 +4958,8 @@ msgid "Updates by SMS" msgstr "Uppdateringar via SMS" #: lib/connectsettingsaction.php:120 -#, fuzzy msgid "Connections" -msgstr "Anslut" +msgstr "Anslutningar" #: lib/connectsettingsaction.php:121 msgid "Authorized connected applications" @@ -5251,11 +5217,9 @@ msgid "" msgstr "" #: lib/mail.php:258 -#, fuzzy, php-format +#, php-format msgid "Bio: %s" -msgstr "" -"Biografi: %s\n" -"\n" +msgstr "Biografi: %s" #: lib/mail.php:286 #, php-format @@ -5456,18 +5420,16 @@ msgid "File upload stopped by extension." msgstr "Filuppladdningen stoppad pga filändelse" #: lib/mediafile.php:179 lib/mediafile.php:216 -#, fuzzy msgid "File exceeds user's quota." -msgstr "Fil överstiger användaren kvot!" +msgstr "Fil överstiger användaren kvot." #: lib/mediafile.php:196 lib/mediafile.php:233 msgid "File could not be moved to destination directory." msgstr "Fil kunde inte flyttas till destinationskatalog." #: lib/mediafile.php:201 lib/mediafile.php:237 -#, fuzzy msgid "Could not determine file's MIME type." -msgstr "Kunde inte fastställa filens MIME-typ!" +msgstr "Kunde inte fastställa filens MIME-typ." #: lib/mediafile.php:270 #, php-format @@ -5475,13 +5437,13 @@ msgid " Try using another %s format." msgstr "Försök använda ett annat %s-format." #: lib/mediafile.php:275 -#, fuzzy, php-format +#, php-format msgid "%s is not a supported file type on this server." msgstr "%s är en filtyp som saknar stöd pÃ¥ denna server." #: lib/messageform.php:120 msgid "Send a direct notice" -msgstr "Skicka ett direktinlägg" +msgstr "Skicka en direktnotis" #: lib/messageform.php:146 msgid "To" @@ -5493,7 +5455,7 @@ msgstr "Tillgängliga tecken" #: lib/noticeform.php:160 msgid "Send a notice" -msgstr "Skicka ett inlägg" +msgstr "Skicka en notis" #: lib/noticeform.php:173 #, php-format @@ -5509,14 +5471,12 @@ msgid "Attach a file" msgstr "Bifoga en fil" #: lib/noticeform.php:212 -#, fuzzy msgid "Share my location" -msgstr "Dela din plats" +msgstr "Dela min plats" #: lib/noticeform.php:215 -#, fuzzy msgid "Do not share my location" -msgstr "Dela din plats" +msgstr "Dela inte min plats" #: lib/noticeform.php:216 msgid "" @@ -5559,7 +5519,7 @@ msgstr "Upprepad av" #: lib/noticelist.php:585 msgid "Reply to this notice" -msgstr "Svara pÃ¥ detta inlägg" +msgstr "Svara pÃ¥ denna notis" #: lib/noticelist.php:586 msgid "Reply" @@ -5607,7 +5567,7 @@ msgstr "Kunde inte infoga ny prenumeration." #: lib/personalgroupnav.php:99 msgid "Personal" -msgstr "Personlig" +msgstr "Personligt" #: lib/personalgroupnav.php:104 msgid "Replies" @@ -5639,9 +5599,8 @@ msgid "Tags in %s's notices" msgstr "Taggar i %ss notiser" #: lib/plugin.php:114 -#, fuzzy msgid "Unknown" -msgstr "Okänd funktion" +msgstr "Okänd" #: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 msgid "Subscriptions" @@ -5681,7 +5640,7 @@ msgstr "Inte implementerad metod." #: lib/publicgroupnav.php:78 msgid "Public" -msgstr "Publik" +msgstr "Publikt" #: lib/publicgroupnav.php:82 msgid "User groups" @@ -5705,7 +5664,7 @@ msgstr "Upprepa denna notis?" #: lib/repeatform.php:132 msgid "Repeat this notice" -msgstr "Upprepa detta inlägg" +msgstr "Upprepa denna notis" #: lib/sandboxform.php:67 msgid "Sandbox" @@ -5927,6 +5886,6 @@ msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "%s är inte en giltig färg! Använd 3 eller 6 hexadecimala tecken." #: scripts/xmppdaemon.php:301 -#, fuzzy, php-format +#, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "Meddelande för lÃ¥ngt - maximum är %d tecken, du skickade %d" +msgstr "Meddelande för lÃ¥ngt - maximum är %1$d tecken, du skickade %2$d." -- cgit v1.2.3-54-g00ecf From 0ddfcc5521e023db7be52fe783800a39701ff94f Mon Sep 17 00:00:00 2001 From: Eric Helgeson Date: Mon, 18 Jan 2010 18:31:13 -0500 Subject: Added Plugin Version info to recaptcha plugin --- plugins/Recaptcha/RecaptchaPlugin.php | 14 ++++++++++++-- 1 file changed, 12 insertions(+), 2 deletions(-) diff --git a/plugins/Recaptcha/RecaptchaPlugin.php b/plugins/Recaptcha/RecaptchaPlugin.php index 3665214f8..c585da43c 100644 --- a/plugins/Recaptcha/RecaptchaPlugin.php +++ b/plugins/Recaptcha/RecaptchaPlugin.php @@ -31,8 +31,6 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { exit(1); } -define('RECAPTCHA', '0.2'); - require_once(INSTALLDIR.'/plugins/Recaptcha/recaptchalib.php'); class RecaptchaPlugin extends Plugin @@ -88,4 +86,16 @@ class RecaptchaPlugin extends Plugin return false; } } + + function onPluginVersion(&$versions) + { + $versions[] = array('name' => 'Recaptcha', + 'version' => STATUSNET_VERSION, + 'author' => 'Eric Helgeson', + 'homepage' => 'http://status.net/wiki/Plugin:Recaptcha', + 'rawdescription' => + _m('Uses Recaptcha service to add a '. + 'captcha to the registration page.')); + return true; + } } -- cgit v1.2.3-54-g00ecf From b0be2da0ca11f0d077e82fc7efe5781cea4d84bf Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Wed, 20 Jan 2010 00:58:11 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans --- locale/ar/LC_MESSAGES/statusnet.po | 6 +- locale/arz/LC_MESSAGES/statusnet.po | 8 +- locale/statusnet.po | 2 +- locale/sv/LC_MESSAGES/statusnet.po | 287 ++++++++++++++++++------------------ 4 files changed, 155 insertions(+), 148 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index 4024aed11..28e85d92f 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -10,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-01-18 23:16+0000\n" -"PO-Revision-Date: 2010-01-18 23:17:05+0000\n" +"PO-Revision-Date: 2010-01-19 23:52:48+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61218); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61275); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" @@ -2919,7 +2919,7 @@ msgstr "" #: actions/repeat.php:57 msgid "Only logged-in users can repeat notices." -msgstr "" +msgstr "يستطيع المستخدمون الوالجون وحدهم تكرار الإشعارات." #: actions/repeat.php:64 actions/repeat.php:71 msgid "No notice specified." diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index 8de26e44b..b5f740c4f 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -10,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-16 17:51:30+0000\n" +"PO-Revision-Date: 2010-01-19 23:52:52+0000\n" "Language-Team: Egyptian Spoken Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61138); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61275); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: out-statusnet\n" @@ -4116,12 +4116,12 @@ msgstr "" msgid "Problem saving notice." msgstr "مشكله أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تى @%1$s %2$s" diff --git a/locale/statusnet.po b/locale/statusnet.po index 097ed2223..9c28de802 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-18 23:16+0000\n" +"POT-Creation-Date: 2010-01-19 23:52+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index f8e290877..d7e0f19c9 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -10,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-01-18 23:16+0000\n" -"PO-Revision-Date: 2010-01-18 23:19:55+0000\n" +"PO-Revision-Date: 2010-01-19 23:55:02+0000\n" "Language-Team: Swedish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61218); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61275); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: out-statusnet\n" @@ -82,7 +82,7 @@ msgstr "Flöden för %ss vänner (Atom)" #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." -msgstr "Detta är tidslinjen för %s och vänner men ingen har postat nÃ¥got än." +msgstr "Detta är tidslinjen för %s och vänner, men ingen har skrivit nÃ¥got än." #: actions/all.php:132 #, php-format @@ -91,17 +91,17 @@ msgid "" "something yourself." msgstr "" "Prova att prenumerera pÃ¥ fler personer, [gÃ¥ med i en grupp](%%action.groups%" -"%) eller posta nÃ¥got själv." +"%) eller skriv nÃ¥got själv." #: actions/all.php:134 -#, fuzzy, php-format +#, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -"Du kan prova att [knuffa %s](../%s) frÃ¥n dennes profil eller [posta " +"Du kan prova att [knuffa %1$s](../%2$s) frÃ¥n dennes profil eller [skriva " "nÃ¥gonting för hans eller hennes uppmärksamhet](%%%%action.newnotice%%%%?" -"status_textarea=%s)." +"status_textarea=%3$s)." #: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 #, php-format @@ -110,7 +110,7 @@ msgid "" "post a notice to his or her attention." msgstr "" "Varför inte [registrera ett konto](%%%%action.register%%%%) och sedan knuffa " -"%s eller posta en notis för hans eller hennes uppmärksamhet." +"%s eller skriva en notis för hans eller hennes uppmärksamhet." #: actions/all.php:165 msgid "You and friends" @@ -145,7 +145,7 @@ msgstr "Uppdateringar frÃ¥n %1$s och vänner pÃ¥ %2$s!" #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." -msgstr "API-metoden hittades inte" +msgstr "API-metod hittades inte." #: actions/apiaccountupdatedeliverydevice.php:85 #: actions/apiaccountupdateprofile.php:89 @@ -306,11 +306,11 @@ msgstr "TvÃ¥ användar-ID:n eller screen_names mÃ¥ste tillhandahÃ¥llas." #: actions/apifriendshipsshow.php:135 msgid "Could not determine source user." -msgstr "" +msgstr "Kunde inte fastställa användare hos källan." #: actions/apifriendshipsshow.php:143 msgid "Could not find target user." -msgstr "" +msgstr "Kunde inte hitta mÃ¥lanvändare." #: actions/apigroupcreate.php:164 actions/editgroup.php:182 #: actions/newgroup.php:126 actions/profilesettings.php:215 @@ -348,7 +348,7 @@ msgstr "Fullständigt namn är för lÃ¥ngt (max 255 tecken)." #: actions/newapplication.php:169 #, php-format msgid "Description is too long (max %d chars)." -msgstr "Beskrivning är för lÃ¥ng (max 140 tecken)" +msgstr "Beskrivning är för lÃ¥ng (max 140 tecken)." #: actions/apigroupcreate.php:224 actions/editgroup.php:204 #: actions/newgroup.php:148 actions/profilesettings.php:232 @@ -424,7 +424,7 @@ msgstr "grupper pÃ¥ %s" #: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 msgid "Bad request." -msgstr "" +msgstr "DÃ¥lig förfrÃ¥gan." #: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -449,26 +449,24 @@ msgid "Invalid nickname / password!" msgstr "Ogiltigt smeknamn / lösenord!" #: actions/apioauthauthorize.php:170 -#, fuzzy msgid "DB error deleting OAuth app user." -msgstr "Fel uppstog i användarens inställning" +msgstr "Databasfel vid borttagning av OAuth-applikationsanvändare." #: actions/apioauthauthorize.php:196 -#, fuzzy msgid "DB error inserting OAuth app user." -msgstr "Databasfel vid infogning av hashtag: %s" +msgstr "Databasfel vid infogning av OAuth-applikationsanvändare." #: actions/apioauthauthorize.php:231 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." -msgstr "" +msgstr "Begäran-token %s har godkänts. Byt ut den mot en Ã¥tkomst-token." #: actions/apioauthauthorize.php:241 #, php-format msgid "The request token %s has been denied." -msgstr "" +msgstr "Begäran-token %s har nekats." #: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -481,7 +479,7 @@ msgstr "Oväntat inskick av formulär." #: actions/apioauthauthorize.php:273 msgid "An application would like to connect to your account" -msgstr "" +msgstr "En applikation skulle vilja ansluta till ditt konto" #: actions/apioauthauthorize.php:290 msgid "Allow or deny access" @@ -557,7 +555,7 @@ msgstr "Hittades inte" #: actions/apistatusesupdate.php:226 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." -msgstr "Maximal notisstorlek är %d tecken, inklusive bilage-URL." +msgstr "Maximal notisstorlek är %d tecken, inklusive URL för bilaga." #: actions/apisubscriptions.php:231 actions/apisubscriptions.php:261 msgid "Unsupported format." @@ -1051,14 +1049,12 @@ msgid "Edit application" msgstr "Redigera applikation" #: actions/editapplication.php:66 -#, fuzzy msgid "You must be logged in to edit an application." -msgstr "Du mÃ¥ste vara inloggad för att redigera en grupp." +msgstr "Du mÃ¥ste vara inloggad för att redigera en applikation." #: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy msgid "You are not the owner of this application." -msgstr "Du är inte en medlem i denna grupp." +msgstr "Du är inte ägaren av denna applikation." #: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 #: actions/showapplication.php:87 @@ -1075,54 +1071,48 @@ msgid "Use this form to edit your application." msgstr "Använd detta formulär för att redigera din applikation." #: actions/editapplication.php:177 actions/newapplication.php:159 -#, fuzzy msgid "Name is required." -msgstr "Samma som lösenordet ovan. MÃ¥ste fyllas i." +msgstr "Namn krävs." #: actions/editapplication.php:180 actions/newapplication.php:162 msgid "Name is too long (max 255 chars)." msgstr "Namnet är för lÃ¥ngt (max 255 tecken)." #: actions/editapplication.php:183 actions/newapplication.php:165 -#, fuzzy msgid "Description is required." -msgstr "Beskrivning" +msgstr "Beskrivning krävs." #: actions/editapplication.php:191 msgid "Source URL is too long." -msgstr "" +msgstr "URL till källa är för lÃ¥ng." #: actions/editapplication.php:197 actions/newapplication.php:182 -#, fuzzy msgid "Source URL is not valid." -msgstr "Avatar-URL ‘%s’ är inte giltig." +msgstr "URL till källa är inte giltig." #: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Organization is required." -msgstr "" +msgstr "Organisation krävs." #: actions/editapplication.php:203 actions/newapplication.php:188 -#, fuzzy msgid "Organization is too long (max 255 chars)." -msgstr "Beskrivning av plats är för lÃ¥ng (max 255 tecken)." +msgstr "Organisation är för lÃ¥ng (max 255 tecken)." #: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization homepage is required." -msgstr "" +msgstr "Hemsida för organisation krävs." #: actions/editapplication.php:215 actions/newapplication.php:203 msgid "Callback is too long." -msgstr "" +msgstr "Anrop är för lÃ¥ng." #: actions/editapplication.php:222 actions/newapplication.php:212 -#, fuzzy msgid "Callback URL is not valid." -msgstr "Avatar-URL ‘%s’ är inte giltig." +msgstr "URL för anrop är inte giltig." #: actions/editapplication.php:255 -#, fuzzy msgid "Could not update application." -msgstr "Kunde inte uppdatera grupp." +msgstr "Kunde inte uppdatera applikation." #: actions/editgroup.php:56 #, php-format @@ -1280,7 +1270,7 @@ msgstr "Inte en giltig e-postadress." #: actions/emailsettings.php:334 msgid "That is already your email address." -msgstr "Detta är redan din e-postadress." +msgstr "Det är redan din e-postadress." #: actions/emailsettings.php:337 msgid "That email address already belongs to another user." @@ -1316,7 +1306,7 @@ msgstr "Bekräftelse avbruten." #: actions/emailsettings.php:413 msgid "That is not your email address." -msgstr "Detta är inte din e-postadress." +msgstr "Det är inte din e-postadress." #: actions/emailsettings.php:432 actions/imsettings.php:408 #: actions/smssettings.php:425 @@ -1373,8 +1363,8 @@ msgid "" "Be the first to add a notice to your favorites by clicking the fave button " "next to any notice you like." msgstr "" -"Bli först att lägga en notis till dina favoriter genom att klicka pÃ¥ favorit-" -"knappen bredvid nÃ¥gon notis du gillar." +"Var den första att lägga en notis till dina favoriter genom att klicka pÃ¥ " +"favorit-knappen bredvid nÃ¥gon notis du gillar." #: actions/favorited.php:156 #, php-format @@ -1382,8 +1372,8 @@ msgid "" "Why not [register an account](%%action.register%%) and be the first to add a " "notice to your favorites!" msgstr "" -"Varför inte [registrera ett konto](%%action.register%%) och bli först att " -"lägga en notis till dina favoriter!" +"Varför inte [registrera ett konto](%%action.register%%) och vara först med " +"att lägga en notis till dina favoriter!" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 #: lib/personalgroupnav.php:115 @@ -1449,7 +1439,7 @@ msgstr "Du har inte tillstÃ¥nd." #: actions/finishremotesubscribe.php:113 msgid "Could not convert request token to access token." -msgstr "Kunde inte konvertera förfrÃ¥gnings-token till access-token." +msgstr "Kunde inte konvertera token för begäran till token för Ã¥tkomst." #: actions/finishremotesubscribe.php:118 msgid "Remote service uses unknown version of OMB protocol." @@ -1508,8 +1498,8 @@ msgid "" "the group in the future." msgstr "" "Är du säker pÃ¥ att du vill blockera användare \"%1$s\" frÃ¥n gruppen \"%2$s" -"\"? De kommer bli borttagna frÃ¥n gruppen, inte kunna posta och inte kunna " -"prenumerera pÃ¥ gruppen i framtiden." +"\"? De kommer bli borttagna frÃ¥n gruppen, inte kunna skriva till och inte " +"kunna prenumerera pÃ¥ gruppen i framtiden." #: actions/groupblock.php:178 msgid "Do not block this user from this group" @@ -1723,8 +1713,8 @@ msgid "" "Awaiting confirmation on this address. Check your Jabber/GTalk account for a " "message with further instructions. (Did you add %s to your buddy list?)" msgstr "" -"Väntar bekräftelse av denna adress. Kontrollera ditt Jabber/GTalk-konto för " -"vidare instruktioner. (La du till %s i din kompislista?)" +"Väntar pÃ¥ bekräftelse för denna adress. Kontrollera ditt Jabber/GTalk-konto " +"för vidare instruktioner. (La du till %s i din kompislista?)" #: actions/imsettings.php:124 msgid "IM address" @@ -1736,8 +1726,8 @@ msgid "" "Jabber or GTalk address, like \"UserName@example.org\". First, make sure to " "add %s to your buddy list in your IM client or on GTalk." msgstr "" -"Jabber- eller GTalk-adress liknande \"användarnamn@example.org\". Se först " -"till att lägga till %s i din kompislista i din IM-klient eller hos GTalk." +"Jabber- eller GTalk-adress, som \"användarnamn@example.org\". Se först till " +"att lägga till %s i din kompislista i din IM-klient eller hos GTalk." #: actions/imsettings.php:143 msgid "Send me notices through Jabber/GTalk." @@ -1783,8 +1773,8 @@ msgid "" "A confirmation code was sent to the IM address you added. You must approve %" "s for sending messages to you." msgstr "" -"En bekräftelsekod har skickats till den IM-adress du angav. Du mÃ¥ste " -"godkänna att %s fÃ¥r skicka meddelanden till dig." +"En bekräftelsekod skickades till den IM-adress du angav. Du mÃ¥ste godkänna " +"att %s fÃ¥r skicka meddelanden till dig." #: actions/imsettings.php:387 msgid "That is not your Jabber ID." @@ -1854,8 +1844,8 @@ msgstr "" msgid "" "Use this form to invite your friends and colleagues to use this service." msgstr "" -"Använd detta formulär för att bjuda in dina vänner och kollegor till denna " -"webbplats." +"Använd detta formulär för att bjuda in dina vänner och kollegor att använda " +"denna tjänst." #: actions/invite.php:187 msgid "Email addresses" @@ -2022,7 +2012,7 @@ msgstr "Använd detta formulär för att registrera en ny applikation." #: actions/newapplication.php:173 msgid "Source URL is required." -msgstr "" +msgstr "URL till källa krävs." #: actions/newapplication.php:255 actions/newapplication.php:264 msgid "Could not create application." @@ -2105,8 +2095,8 @@ msgid "" "Be the first to [post on this topic](%%%%action.newnotice%%%%?" "status_textarea=%s)!" msgstr "" -"Bli först att [posta i detta ämne](%%%%action.newnotice%%%%?status_textarea=%" -"s)!" +"Var den första att [skriva i detta ämne](%%%%action.newnotice%%%%?" +"status_textarea=%s)!" #: actions/noticesearch.php:124 #, php-format @@ -2114,8 +2104,8 @@ msgid "" "Why not [register an account](%%%%action.register%%%%) and be the first to " "[post on this topic](%%%%action.newnotice%%%%?status_textarea=%s)!" msgstr "" -"Varför inte [registrera ett konto](%%%%action.register%%%%) och bli först " -"att [posta i detta ämne](%%%%action.newnotice%%%%?status_textarea=%s)!" +"Varför inte [registrera ett konto](%%%%action.register%%%%) och vara först " +"med att [skriva i detta ämne](%%%%action.newnotice%%%%?status_textarea=%s)!" #: actions/noticesearchrss.php:96 #, php-format @@ -2147,9 +2137,8 @@ msgid "You must be logged in to list your applications." msgstr "Du mÃ¥ste vara inloggad för att lista dina applikationer." #: actions/oauthappssettings.php:74 -#, fuzzy msgid "OAuth applications" -msgstr "Övriga alternativ" +msgstr "OAuth-applikationer" #: actions/oauthappssettings.php:85 msgid "Applications you have registered" @@ -2169,9 +2158,8 @@ msgid "You have allowed the following applications to access you account." msgstr "Du har tillÃ¥tit följande applikationer att komma Ã¥t ditt konto." #: actions/oauthconnectionssettings.php:170 -#, fuzzy msgid "You are not a user of that application." -msgstr "Du är inte en medlem i den gruppen." +msgstr "Du är inte en användare av den applikationen." #: actions/oauthconnectionssettings.php:180 msgid "Unable to revoke access for app: " @@ -2185,6 +2173,7 @@ msgstr "Du har inte tillÃ¥tit nÃ¥gra applikationer att använda ditt konto." #: actions/oauthconnectionssettings.php:205 msgid "Developers can edit the registration settings for their applications " msgstr "" +"Utvecklare kan redigera registreringsinställningarna för sina applikationer " #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" @@ -2249,29 +2238,24 @@ msgid "URL shortening service is too long (max 50 chars)." msgstr "Namnet pÃ¥ URL-förkortningstjänsen är för lÃ¥ngt (max 50 tecken)." #: actions/otp.php:69 -#, fuzzy msgid "No user ID specified." -msgstr "Ingen grupp angiven." +msgstr "Ingen användar-ID angiven." #: actions/otp.php:83 -#, fuzzy msgid "No login token specified." -msgstr "Ingen notis angiven." +msgstr "Ingen inloggnings-token angiven." #: actions/otp.php:90 -#, fuzzy msgid "No login token requested." -msgstr "Ingen profil-ID i begäran." +msgstr "Ingen token för inloggning begärd." #: actions/otp.php:95 -#, fuzzy msgid "Invalid login token specified." -msgstr "Ogiltig eller utgÃ¥ngen token." +msgstr "Ogiltig inloggnings-token angiven." #: actions/otp.php:104 -#, fuzzy msgid "Login token expired." -msgstr "Logga in pÃ¥ webbplatsen" +msgstr "Inloggnings-token förfallen." #: actions/outbox.php:61 #, php-format @@ -2474,7 +2458,7 @@ msgstr "SSL-server" #: actions/pathsadminpanel.php:309 msgid "Server to direct SSL requests to" -msgstr "Server att dirigera SSL-förfrÃ¥gningar till" +msgstr "Server att dirigera SSL-begäran till" #: actions/pathsadminpanel.php:325 msgid "Save paths" @@ -2508,9 +2492,9 @@ msgid "Invalid notice content" msgstr "Ogiltigt notisinnehÃ¥ll" #: actions/postnotice.php:90 -#, fuzzy, php-format +#, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." -msgstr "Licensen för notiser ‘%s’ är inte förenlig webbplatslicensen ‘%s’." +msgstr "Licensen för notiser ‘%1$s’ är inte förenlig webbplatslicensen ‘%2$s’." #: actions/profilesettings.php:60 msgid "Profile settings" @@ -2520,8 +2504,8 @@ msgstr "Profilinställningar" msgid "" "You can update your personal profile info here so people know more about you." msgstr "" -"Du kan uppdatera din personliga profilinformation här sÃ¥ personer fÃ¥r veta " -"mer om dig." +"Du kan uppdatera din personliga profilinformation här sÃ¥ att folk vet mer om " +"dig." #: actions/profilesettings.php:99 msgid "Profile information" @@ -2607,7 +2591,8 @@ msgstr "I vilken tidszon befinner du dig normalt?" msgid "" "Automatically subscribe to whoever subscribes to me (best for non-humans)" msgstr "" -"Prenumerera automatiskt pÃ¥ den prenumererar pÃ¥ mig (bäst för icke-människa) " +"Prenumerera automatiskt pÃ¥ den som prenumererar pÃ¥ mig (bäst för icke-" +"människa) " #: actions/profilesettings.php:228 actions/register.php:223 #, php-format @@ -2880,11 +2865,11 @@ msgstr "Nya lösenordet sparat. Du är nu inloggad." #: actions/register.php:85 actions/register.php:189 actions/register.php:405 msgid "Sorry, only invited people can register." -msgstr "Ledsen, bara inbjudna personer kan registrera sig." +msgstr "Tyvärr, bara inbjudna personer kan registrera sig." #: actions/register.php:92 msgid "Sorry, invalid invitation code." -msgstr "Ledsen, ogiltig inbjudningskod." +msgstr "Tyvärr, ogiltig inbjudningskod." #: actions/register.php:112 msgid "Registration successful" @@ -3048,7 +3033,7 @@ msgstr "Det där är en lokal profil! Logga in för att prenumerera." #: actions/remotesubscribe.php:183 msgid "Couldn’t get a request token." -msgstr "Kunde inte fÃ¥ en förfrÃ¥gnings-token." +msgstr "Kunde inte fÃ¥ en token för begäran." #: actions/repeat.php:57 msgid "Only logged-in users can repeat notices." @@ -3096,12 +3081,12 @@ msgid "Replies feed for %s (Atom)" msgstr "Flöde med svar för %s (Atom)" #: actions/replies.php:198 -#, fuzzy, php-format +#, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "" -"Detta är tidslinjen som visar svar till %s men %s har inte tagit emot en " +"Detta är tidslinjen som visar svar till %s1$ men %2$s har inte tagit emot en " "notis för dennes uppmärksamhet än." #: actions/replies.php:203 @@ -3114,13 +3099,13 @@ msgstr "" "personer eller [gÃ¥ med i grupper](%%action.groups%%)." #: actions/replies.php:205 -#, fuzzy, php-format +#, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " "attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -"Du kan prova att [knuffa %s](../%s) eller [posta nÃ¥gonting för hans eller " -"hennes uppmärksamhet](%%%%action.newnotice%%%%?status_textarea=%s)." +"Du kan prova att [knuffa %1$s](../%2$s) eller [posta nÃ¥gonting för hans " +"eller hennes uppmärksamhet](%%%%action.newnotice%%%%?status_textarea=%3$s)." #: actions/repliesrss.php:72 #, php-format @@ -3136,9 +3121,8 @@ msgid "User is already sandboxed." msgstr "Användare är redan flyttad till sandlÃ¥dan." #: actions/showapplication.php:82 -#, fuzzy msgid "You must be logged in to view an application." -msgstr "Du mÃ¥ste vara inloggad för att lämna en grupp." +msgstr "Du mÃ¥ste vara inloggad för att se en applikation." #: actions/showapplication.php:158 msgid "Application profile" @@ -3170,15 +3154,15 @@ msgstr "Statistik" #: actions/showapplication.php:204 #, php-format msgid "created by %1$s - %2$s access by default - %3$d users" -msgstr "" +msgstr "skapad av %1$s - %2$s standardÃ¥tkomst - %3$d användare" #: actions/showapplication.php:214 msgid "Application actions" -msgstr "" +msgstr "Ã…tgärder för applikation" #: actions/showapplication.php:233 msgid "Reset key & secret" -msgstr "" +msgstr "Ã…terställ nyckel & hemlighet" #: actions/showapplication.php:241 msgid "Application info" @@ -3186,30 +3170,31 @@ msgstr "Information om applikation" #: actions/showapplication.php:243 msgid "Consumer key" -msgstr "" +msgstr "Nyckel för konsument" #: actions/showapplication.php:248 msgid "Consumer secret" -msgstr "" +msgstr "Hemlighet för konsument" #: actions/showapplication.php:253 msgid "Request token URL" -msgstr "" +msgstr "URL för begäran-token" #: actions/showapplication.php:258 msgid "Access token URL" -msgstr "" +msgstr "URL för Ã¥tkomst-token" #: actions/showapplication.php:263 -#, fuzzy msgid "Authorize URL" -msgstr "Författare" +msgstr "TillÃ¥t URL" #: actions/showapplication.php:268 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +"Notera: Vi stöjder HMAC-SHA1-signaturer. Vi stödjer inte metoden med " +"klartextsignatur." #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." @@ -3235,6 +3220,9 @@ msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" +"Du har inte valt nÃ¥gra favoritnotiser ännu. Klicka pÃ¥ favorit-knappen " +"bredvid nÃ¥gon notis du skulle vilja bokmärka för senare tillfälle eller för " +"att sätta strÃ¥lkastarljuset pÃ¥." #: actions/showfavorites.php:207 #, php-format @@ -3242,6 +3230,8 @@ msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " "they would add to their favorites :)" msgstr "" +"%s har inte lagt till nÃ¥gra notiser till sina favoriter ännu. Posta nÃ¥got " +"intressant de skulle lägga till sina favoriter :)" #: actions/showfavorites.php:211 #, php-format @@ -3250,10 +3240,13 @@ msgid "" "account](%%%%action.register%%%%) and then post something interesting they " "would add to their favorites :)" msgstr "" +"%s har inte lagt till nÃ¥gra notiser till sina favoriter ännu. Varför inte " +"[registrera ett konto](%%%%action.register%%%%) och posta nÃ¥got intressant " +"de skulle lägga till sina favoriter :)" #: actions/showfavorites.php:242 msgid "This is a way to share what you like." -msgstr "Detta är ett sätt att dela vad du gillar." +msgstr "Detta är ett sätt att dela med av det du gillar." #: actions/showgroup.php:82 lib/groupnav.php:86 #, php-format @@ -3280,7 +3273,7 @@ msgstr "Alias" #: actions/showgroup.php:293 msgid "Group actions" -msgstr "GruppÃ¥tgärder" +msgstr "Ã…tgärder för grupp" #: actions/showgroup.php:328 #, php-format @@ -3418,13 +3411,13 @@ msgstr "" "inte börja nu?" #: actions/showstream.php:198 -#, fuzzy, php-format +#, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -"Du kan prova att knuffa %s eller [posta nÃ¥got för hans eller hennes " -"uppmärksamhet](%%%%action.newnotice%%%%?status_textarea=%s)." +"Du kan prova att knuffa %1$s eller [posta nÃ¥got för hans eller hennes " +"uppmärksamhet](%%%%action.newnotice%%%%?status_textarea=%2$s)." #: actions/showstream.php:234 #, php-format @@ -3827,12 +3820,12 @@ msgstr "%1$s prenumerationer, sida %2$d" #: actions/subscriptions.php:65 msgid "These are the people whose notices you listen to." -msgstr "Dessa är de personer vars notiser du lyssnar pÃ¥." +msgstr "Det är dessa personer vars meddelanden du lyssnar pÃ¥." #: actions/subscriptions.php:69 #, php-format msgid "These are the people whose notices %s listens to." -msgstr "Dessa är de personer vars notiser %s lyssnar pÃ¥." +msgstr "Det är dessa personer vars notiser %s lyssnar pÃ¥." #: actions/subscriptions.php:121 #, php-format @@ -3843,6 +3836,12 @@ msgid "" "featured%%). If you're a [Twitter user](%%action.twittersettings%%), you can " "automatically subscribe to people you already follow there." msgstr "" +"Du lyssnar inte pÃ¥ nÃ¥gons notiser just nu. Prova att prenumerera pÃ¥ personer " +"du känner. Prova [personsökning] (%%action.peoplesearch%%), leta bland " +"medlemmar i grupper som intresserad dig och bland vÃ¥ra [profilerade " +"användare] (%%action.featured%%). Om du är en [Twitter-användare] (%%action." +"twittersettings%%) kan du prenumerera automatiskt pÃ¥ personer som du redan " +"följer där." #: actions/subscriptions.php:123 actions/subscriptions.php:127 #, php-format @@ -4079,7 +4078,7 @@ msgstr "Avvisa denna prenumeration" #: actions/userauthorization.php:225 msgid "No authorization request!" -msgstr "Ingen auktoriseringsförfrÃ¥gan!" +msgstr "Ingen begäran om godkännande!" #: actions/userauthorization.php:247 msgid "Subscription authorized" @@ -4091,7 +4090,7 @@ msgid "" "with the site’s instructions for details on how to authorize the " "subscription. Your subscription token is:" msgstr "" -"Prenumerationen har blivit bekräftad, men ingen URL har gÃ¥tt igenom. Kolla " +"Prenumerationen har godkänts, men ingen anrops-URL har gÃ¥tt igenom. Kolla " "med webbplatsens instruktioner hur du bekräftar en prenumeration. Din " "prenumerations-token är:" @@ -4185,6 +4184,8 @@ msgid "" "This site is powered by %1$s version %2$s, Copyright 2008-2010 StatusNet, " "Inc. and contributors." msgstr "" +"Denna webbplats drivs med %1$s version %2$s, Copyright 2008-2010 StatusNet, " +"Inc. och medarbetare." #: actions/version.php:157 msgid "StatusNet" @@ -4192,7 +4193,7 @@ msgstr "StatusNet" #: actions/version.php:161 msgid "Contributors" -msgstr "" +msgstr "Medarbetare" #: actions/version.php:168 msgid "" @@ -4201,6 +4202,10 @@ msgid "" "Software Foundation, either version 3 of the License, or (at your option) " "any later version. " msgstr "" +"StatusNet är fri programvara: du kan distribuera det och/eller modifiera den " +"under GNU Affero General Public License sÃ¥som publicerad av Free Software " +"Foundation, antingen version 3 av licensen, eller (utifrÃ¥n ditt val) nÃ¥gon " +"senare version. " #: actions/version.php:174 msgid "" @@ -4209,6 +4214,10 @@ msgid "" "FITNESS FOR A PARTICULAR PURPOSE. See the GNU Affero General Public License " "for more details. " msgstr "" +"Detta program distribueras i hopp om att det kommer att vara användbart, men " +"UTAN NÃ…GRA GARANTIER; även utan underförstÃ¥dda garantier om SÄLJBARHET eller " +"LÄMPLIGHET FÖR ETT SÄRSKILT ÄNDAMÃ…L. Se GNU Affero General Public License " +"för mer information. " #: actions/version.php:180 #, php-format @@ -4216,6 +4225,8 @@ msgid "" "You should have received a copy of the GNU Affero General Public License " "along with this program. If not, see %s." msgstr "" +"Du bör ha fÃ¥tt en kopia av GNU Affero General Public License tillsammans med " +"detta program. Om inte, se% s." #: actions/version.php:189 msgid "Plugins" @@ -4249,19 +4260,16 @@ msgid "A file this large would exceed your monthly quota of %d bytes." msgstr "En sÃ¥dan här stor fil skulle överskrida din mÃ¥natliga kvot pÃ¥ %d byte." #: classes/Group_member.php:41 -#, fuzzy msgid "Group join failed." -msgstr "Grupprofil" +msgstr "Gruppanslutning misslyckades." #: classes/Group_member.php:53 -#, fuzzy msgid "Not part of group." -msgstr "Kunde inte uppdatera grupp." +msgstr "Inte med i grupp." #: classes/Group_member.php:60 -#, fuzzy msgid "Group leave failed." -msgstr "Grupprofil" +msgstr "Grupputträde misslyckades." #: classes/Login_token.php:76 #, php-format @@ -4547,9 +4555,8 @@ msgid "You cannot make changes to this site." msgstr "Du kan inte göra förändringar av denna webbplats." #: lib/adminpanelaction.php:107 -#, fuzzy msgid "Changes to that panel are not allowed." -msgstr "Registrering inte tillÃ¥ten." +msgstr "Ändringar av den panelen tillÃ¥ts inte." #: lib/adminpanelaction.php:206 msgid "showForm() not implemented." @@ -4580,9 +4587,9 @@ msgid "Icon for this application" msgstr "Ikon för denna applikation" #: lib/applicationeditform.php:206 -#, fuzzy, php-format +#, php-format msgid "Describe your application in %d characters" -msgstr "Beskriv gruppen eller ämnet med högst %d tecken" +msgstr "Beskriv din applikation med högst %d tecken" #: lib/applicationeditform.php:209 msgid "Describe your application" @@ -4593,22 +4600,20 @@ msgid "Source URL" msgstr "URL för källa" #: lib/applicationeditform.php:220 -#, fuzzy msgid "URL of the homepage of this application" -msgstr "URL till gruppen eller ämnets hemsida eller blogg" +msgstr "URL till hemsidan för denna applikation" #: lib/applicationeditform.php:226 msgid "Organization responsible for this application" msgstr "Organisation som ansvarar för denna applikation" #: lib/applicationeditform.php:232 -#, fuzzy msgid "URL for the homepage of the organization" -msgstr "URL till gruppen eller ämnets hemsida eller blogg" +msgstr "URL till organisationens hemsidan" #: lib/applicationeditform.php:238 msgid "URL to redirect to after authentication" -msgstr "" +msgstr "URL att omdirigera till efter autentisering" #: lib/applicationeditform.php:260 msgid "Browser" @@ -4681,7 +4686,7 @@ msgstr "Kommando misslyckades" #: lib/command.php:44 msgid "Sorry, this command is not yet implemented." -msgstr "Ledsen, detta kommando är inte implementerat än." +msgstr "Tyvärr, detta kommando är inte implementerat än." #: lib/command.php:88 #, php-format @@ -4963,7 +4968,7 @@ msgstr "Anslutningar" #: lib/connectsettingsaction.php:121 msgid "Authorized connected applications" -msgstr "" +msgstr "TillÃ¥t anslutna applikationer" #: lib/dberroraction.php:60 msgid "Database error" @@ -5155,9 +5160,9 @@ msgid "[%s]" msgstr "[%s]" #: lib/jabber.php:385 -#, fuzzy, php-format +#, php-format msgid "Unknown inbox source %d." -msgstr "Okänt sprÃ¥k \"%s\"" +msgstr "Okänd källa för inkorg %d." #: lib/joinform.php:114 msgid "Join" @@ -5374,16 +5379,16 @@ msgstr "Inte en registrerad användare." #: lib/mailhandler.php:46 msgid "Sorry, that is not your incoming email address." -msgstr "Ledsen, det är inte din inkommande e-postadress." +msgstr "Tyvärr, det är inte din inkommande e-postadress." #: lib/mailhandler.php:50 msgid "Sorry, no incoming email allowed." -msgstr "Ledsen, ingen inkommande e-post tillÃ¥ts." +msgstr "Tyvärr, ingen inkommande e-post tillÃ¥ts." #: lib/mailhandler.php:228 -#, fuzzy, php-format +#, php-format msgid "Unsupported message type: %s" -msgstr "Bildfilens format stödjs inte." +msgstr "Formatet %s för meddelande stödjs inte." #: lib/mediafile.php:98 lib/mediafile.php:123 msgid "There was a database error while saving your file. Please try again." @@ -5483,6 +5488,8 @@ msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" msgstr "" +"Tyvärr, hämtning av din geografiska plats tar längre tid än förväntat, var " +"god försök igen senare" #: lib/noticelist.php:428 #, php-format @@ -5539,7 +5546,7 @@ msgstr "Knuffa" #: lib/nudgeform.php:128 msgid "Send a nudge to this user" -msgstr "Skicka en knuff till den användaren." +msgstr "Skicka en knuff till denna användare" #: lib/oauthstore.php:283 msgid "Error inserting new profile" @@ -5555,7 +5562,7 @@ msgstr "Fel vid infogning av fjärrprofilen" #: lib/oauthstore.php:345 msgid "Duplicate notice" -msgstr "Duplicera notis" +msgstr "Duplicerad notis" #: lib/oauthstore.php:466 lib/subs.php:48 msgid "You have been banned from subscribing." @@ -5764,12 +5771,12 @@ msgstr "Kunde inte ta bort prenumeration." #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" -msgstr "" +msgstr "Taggmoln för person, sÃ¥som taggat själv" #: lib/subscriberspeopletagcloudsection.php:48 #: lib/subscriptionspeopletagcloudsection.php:48 msgid "People Tagcloud as tagged" -msgstr "" +msgstr "Taggmoln för person, sÃ¥som taggats" #: lib/tagcloudsection.php:56 msgid "None" @@ -5809,7 +5816,7 @@ msgstr "Redigera avatar" #: lib/userprofile.php:236 msgid "User actions" -msgstr "AnvändarÃ¥tgärd" +msgstr "Ã…tgärder för användare" #: lib/userprofile.php:248 msgid "Edit profile settings" -- cgit v1.2.3-54-g00ecf From b87c80e0a903119e97484333445c8944607a6b0d Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Wed, 20 Jan 2010 18:32:24 +0100 Subject: Updated notice item view where a) notice text no longer wraps around (under author's photo) b) supplemental notice content and options will start right under notice text. --- plugins/MobileProfile/mp-screen.css | 12 +++++++++++- theme/base/css/display.css | 22 +++++++++++++++++++--- 2 files changed, 30 insertions(+), 4 deletions(-) diff --git a/plugins/MobileProfile/mp-screen.css b/plugins/MobileProfile/mp-screen.css index 472fbb001..76071352d 100644 --- a/plugins/MobileProfile/mp-screen.css +++ b/plugins/MobileProfile/mp-screen.css @@ -176,8 +176,18 @@ margin-bottom:0; .profile { padding-top:4px; padding-bottom:4px; +min-height:65px; } -.notice div.entry-content { +#content .notice .entry-title { +float:left; +width:100%; +margin-left:0; +} +#content .notice .author .photo { +position:static; +float:left; +} +#content .notice div.entry-content { margin-left:0; width:75%; max-width:100%; diff --git a/theme/base/css/display.css b/theme/base/css/display.css index fbf3b6a5b..84e9426c7 100644 --- a/theme/base/css/display.css +++ b/theme/base/css/display.css @@ -1012,6 +1012,16 @@ float:left; #shownotice .vcard .photo { margin-bottom:4px; } +#content .notice .author .photo { +position:absolute; +top:11px; +left:0; +float:none; +} +#content .notice .entry-title { +margin-left:59px; +} + .vcard .url { text-decoration:none; } @@ -1020,13 +1030,19 @@ text-decoration:underline; } .notice .entry-title { -float:left; -width:100%; overflow:hidden; } .notice .entry-title.ov { overflow:visible; } +#showstream .notice .entry-title, +#showstream .notice div.entry-content { +margin-left:0; +} +#shownotice .notice .entry-title, +#shownotice .notice div.entry-content { +margin-left:110px; +} #shownotice .notice .entry-title { font-size:2.2em; } @@ -1056,7 +1072,6 @@ max-width:70%; } #showstream .notice div.entry-content, #shownotice .notice div.entry-content { -margin-left:0; max-width:79%; } @@ -1120,6 +1135,7 @@ position:relative; font-size:0.95em; width:113px; float:right; +margin-top:3px; margin-right:4px; } -- cgit v1.2.3-54-g00ecf From 6815ddafe011d534e7d6e16972833e120c36e4e3 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Wed, 20 Jan 2010 18:50:48 +0100 Subject: Better alignment for notice options in MobileProfile --- plugins/MobileProfile/mp-screen.css | 21 ++++++++++++++------- 1 file changed, 14 insertions(+), 7 deletions(-) diff --git a/plugins/MobileProfile/mp-screen.css b/plugins/MobileProfile/mp-screen.css index 76071352d..04fa5fb00 100644 --- a/plugins/MobileProfile/mp-screen.css +++ b/plugins/MobileProfile/mp-screen.css @@ -194,7 +194,7 @@ max-width:100%; min-width:0; } .notice-options { -width:50px; +width:43px; margin-right:1%; } @@ -202,6 +202,13 @@ margin-right:1%; width:16px; height:16px; } +.notice-options form.processing { +background-image:none; +} +#wrap .notice-options form.processing input.submit { +background-position:0 47%; +} + .notice .notice-options a, .notice .notice-options input { box-shadow:none; @@ -212,16 +219,16 @@ box-shadow:none; .notice .notice-options form { margin:-4px 0 0 0; } -.notice .notice-options .notice_repeat, +.notice .notice-options .form_repeat, .notice .notice-options .notice_delete { -margin-top:18px; +margin-top:11px; } -.notice .notice-options .notice_reply, -.notice .notice-options .notice_repeat { -margin-left:18px; +.notice .notice-options .form_favor, +.notice .notice-options .form_disfavor, +.notice .notice-options .form_repeat { +margin-right:11px; } - .notice .notice-options .notice_delete { float:left; } -- cgit v1.2.3-54-g00ecf From c63832f7bf3ddde0f66fb36a3ace638d50b4b3d6 Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Wed, 20 Jan 2010 17:58:23 -0500 Subject: add PubSubHubBub and RSSCloud to list of default plugins --- lib/default.php | 2 ++ 1 file changed, 2 insertions(+) diff --git a/lib/default.php b/lib/default.php index 1c3c5e7ff..ceae0efaa 100644 --- a/lib/default.php +++ b/lib/default.php @@ -251,6 +251,8 @@ $default = 'Mapstraction' => null, 'Linkback' => null, 'WikiHashtags' => null, + 'PubSubHubBub' => null, + 'RSSCloud' => null, 'OpenID' => null), ), 'admin' => -- cgit v1.2.3-54-g00ecf From 05156b708a16c5a20d4081242c398e667792de15 Mon Sep 17 00:00:00 2001 From: Michele Date: Sun, 17 Jan 2010 11:21:07 +0100 Subject: HTTP auth provided is evaluated even if it's not required --- lib/apiauth.php | 19 +++++++++++++------ 1 file changed, 13 insertions(+), 6 deletions(-) diff --git a/lib/apiauth.php b/lib/apiauth.php index 691db584b..b4292408a 100644 --- a/lib/apiauth.php +++ b/lib/apiauth.php @@ -79,10 +79,13 @@ class ApiAuthAction extends ApiAction $this->checkOAuthRequest(); } else { $this->checkBasicAuthUser(); - // By default, all basic auth users have read and write access - - $this->access = self::READ_WRITE; } + } else { + + // Check to see if a basic auth user is there even + // if one's not required + + $this->checkBasicAuthUser(false); } return true; @@ -198,13 +201,13 @@ class ApiAuthAction extends ApiAction * @return boolean true or false */ - function checkBasicAuthUser() + function checkBasicAuthUser($required = true) { $this->basicAuthProcessHeader(); $realm = common_config('site', 'name') . ' API'; - if (!isset($this->auth_user)) { + if (!isset($this->auth_user) && $required) { header('WWW-Authenticate: Basic realm="' . $realm . '"'); // show error if the user clicks 'cancel' @@ -212,12 +215,16 @@ class ApiAuthAction extends ApiAction $this->showBasicAuthError(); exit; - } else { + } else if (isset($this->auth_user)) { $nickname = $this->auth_user; $password = $this->auth_pw; $user = common_check_user($nickname, $password); if (Event::handle('StartSetApiUser', array(&$user))) { $this->auth_user = $user; + + // By default, all basic auth users have read and write access + $this->access = self::READ_WRITE; + Event::handle('EndSetApiUser', array($user)); } -- cgit v1.2.3-54-g00ecf From fd276ff9e7a1292a217ddb144d600d04bc473d03 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Wed, 20 Jan 2010 18:01:07 -0800 Subject: Add Start/EndSetApiUser events when setting API user via OAuth --- lib/apiauth.php | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/lib/apiauth.php b/lib/apiauth.php index b4292408a..927dcad6a 100644 --- a/lib/apiauth.php +++ b/lib/apiauth.php @@ -148,7 +148,10 @@ class ApiAuthAction extends ApiAction $this->access = ($appUser->access_type & Oauth_application::$writeAccess) ? self::READ_WRITE : self::READ_ONLY; - $this->auth_user = User::staticGet('id', $appUser->profile_id); + if (Event::handle('StartSetApiUser', array(&$user))) { + $this->auth_user = User::staticGet('id', $appUser->profile_id); + Event::handle('EndSetApiUser', array($user)); + } $msg = "API OAuth authentication for user '%s' (id: %d) on behalf of " . "application '%s' (id: %d)."; -- cgit v1.2.3-54-g00ecf From 6e405facca5f5b2df4171059796b8eb1aad7e635 Mon Sep 17 00:00:00 2001 From: Rajat Upadhyaya Date: Thu, 21 Jan 2010 09:27:00 +0530 Subject: Fix to update user's fullname & homepage only if requested. --- actions/apiaccountupdateprofile.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/actions/apiaccountupdateprofile.php b/actions/apiaccountupdateprofile.php index fd4384a25..9b371ea95 100644 --- a/actions/apiaccountupdateprofile.php +++ b/actions/apiaccountupdateprofile.php @@ -115,11 +115,11 @@ class ApiAccountUpdateProfileAction extends ApiAuthAction $original = clone($profile); - if (empty($this->name)) { + if (!empty($this->name)) { $profile->fullname = $this->name; } - if (empty($this->url)) { + if (!empty($this->url)) { $profile->homepage = $this->url; } -- cgit v1.2.3-54-g00ecf From d4fcc8777f5655d0be678075a9bc38e8c02afbc8 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Thu, 21 Jan 2010 13:23:04 +0100 Subject: Removed mobile stylesheet from core output. If Mobile support is seeked, MobileProfile plugin should be used. --- lib/action.php | 4 -- theme/base/css/mobile.css | 150 ---------------------------------------------- 2 files changed, 154 deletions(-) delete mode 100644 theme/base/css/mobile.css diff --git a/lib/action.php b/lib/action.php index 171bea17c..e9207a66a 100644 --- a/lib/action.php +++ b/lib/action.php @@ -199,10 +199,6 @@ class Action extends HTMLOutputter // lawsuit if (Event::handle('StartShowStatusNetStyles', array($this)) && Event::handle('StartShowLaconicaStyles', array($this))) { $this->cssLink('css/display.css',null,'screen, projection, tv'); - if (common_config('site', 'mobile')) { - // TODO: "handheld" CSS for other mobile devices - $this->cssLink('css/mobile.css','base','only screen and (max-device-width: 480px)'); // Mobile WebKit - } $this->cssLink('css/print.css','base','print'); Event::handle('EndShowStatusNetStyles', array($this)); Event::handle('EndShowLaconicaStyles', array($this)); diff --git a/theme/base/css/mobile.css b/theme/base/css/mobile.css deleted file mode 100644 index f6c53ea8d..000000000 --- a/theme/base/css/mobile.css +++ /dev/null @@ -1,150 +0,0 @@ -/** theme: base - * - * @package StatusNet - * @author Meitar Moscovitz - * @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/ - */ - -body { -font-size:2.5em; -} - -#wrap { -width:95%; -} - -#header, -#header address, -#anon_notice, -#site_nav_local_views .nav, -#form_notice, -#form_notice .form_data li, -#core, -#content_inner, -#notices_primary, -.notice, -.notice .entry-title, -.notice div.entry-content, -.notice-options, -.notice .notice-options a, -.pagination, -.pagination .nav, -.aside .section { -float:none; -} - -.notice-options .notice_reply, -.notice-options .notice_delete, -.notice-options .form_favor, -.notice-options .form_disfavor { -position:static; -} - -#form_notice, -#anon_notice, -#footer, -#form_notice .form_actions input.submit { -width:auto; -} - -.form_settings label { -width:25%; -} -.form_settings .form_data p.form_guide { -margin-left:26%; -} - -#site_nav_global_primary { -width:75%; -} - -.entity_profile { -width:65%; -} -.entity_actions { -margin-left:0; -} - -#form_notice, -#anon_notice { -clear:both; -} - -#content, -#aside_primary { -width:96%; -padding-left:2%; -padding-right:2%; -} - -#site_notice { -position:static; -float:right; -clear:right; -width:75%; -margin-right:0; -margin-bottom:11px; -} - -.notices { -font-size:1.5em; -} - -#form_notice textarea { -width:80%; -height:5em; -} -#form_notice .form_note { -right:20%; -top:6em; -} - - -.vcard .photo, -.section .vcard .photo { -margin-right:18px; -} -.notice, -.profile { -margin-bottom:18px; -} - -.notices .entry-title, -.notices div.entry-content { -width:90%; -} -.notice div.entry-content { -margin-left:0; -} - -.notice .author .photo { -height:4.5em; -width:4.5em; -} -.notice-options { -position:absolute; -top:0; -right:0; -padding-left:7%; -width:3%; -} - -.notice-options .notice_delete a { -float:left; -} -.pagination .nav { -overflow:auto; -} - -#export_data { -display:none; -} - -#site_nav_local_views li { -margin-right:4px; -} -#site_nav_local_views a { -padding:18px 11px; -} -- cgit v1.2.3-54-g00ecf From 373206ac0042c37624844fb738ff869fa7190041 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Thu, 21 Jan 2010 16:49:49 +0100 Subject: Event hooks for before and after site_notice --- EVENTS.txt | 6 ++++++ lib/action.php | 6 +++++- 2 files changed, 11 insertions(+), 1 deletion(-) diff --git a/EVENTS.txt b/EVENTS.txt index 6e6afa070..1ed670697 100644 --- a/EVENTS.txt +++ b/EVENTS.txt @@ -150,6 +150,12 @@ StartAddressData: Allows the site owner to provide additional information about EndAddressData: At the end of
- $action: the current action +StartShowSiteNotice: Before showing site notice +- $action: the current action + +EndShowSiteNotice: After showing site notice +- $action: the current action + StartLoginGroupNav: Before showing the login and register navigation menu - $action: the current action diff --git a/lib/action.php b/lib/action.php index e9207a66a..e24277558 100644 --- a/lib/action.php +++ b/lib/action.php @@ -369,7 +369,11 @@ class Action extends HTMLOutputter // lawsuit $this->elementStart('div', array('id' => 'header')); $this->showLogo(); $this->showPrimaryNav(); - $this->showSiteNotice(); + if (Event::handle('StartShowSiteNotice', array($this))) { + $this->showSiteNotice(); + + Event::handle('EndShowSiteNotice', array($this)); + } if (common_logged_in()) { $this->showNoticeForm(); } else { -- cgit v1.2.3-54-g00ecf From 383703d170c59baf0cae32b612e04b4d292d1880 Mon Sep 17 00:00:00 2001 From: Michele Date: Thu, 21 Jan 2010 19:30:12 +0100 Subject: if the id is an alias we redirect using group_id --- actions/apigroupshow.php | 18 ++++++++++++------ 1 file changed, 12 insertions(+), 6 deletions(-) diff --git a/actions/apigroupshow.php b/actions/apigroupshow.php index 7aa49b1bf..852428144 100644 --- a/actions/apigroupshow.php +++ b/actions/apigroupshow.php @@ -85,12 +85,18 @@ class ApiGroupShowAction extends ApiPrivateAuthAction { parent::handle($args); - if (empty($this->group)) { - $this->clientError( - _('Group not found!'), - 404, - $this->format - ); + if (!$this->group) { + $alias = Group_alias::staticGet('alias', common_canonical_nickname($this->arg('id'))); + if ($alias) { + $args = array('id' => $alias->group_id, 'format'=>$this->format); + common_redirect(common_local_url('ApiGroupShow', $args), 301); + } else { + $this->clientError( + _('Group not found!'), + 404, + $this->format + ); + } return; } -- cgit v1.2.3-54-g00ecf From 308442407ee7814a7691a4d364068b995b28aef3 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Thu, 21 Jan 2010 11:37:20 -0800 Subject: - Moved checking for group aliases and redirection to prepare() - phpcs cleanup - add @macno to the list of authors --- actions/apigroupshow.php | 35 +++++++++++++++++++---------------- 1 file changed, 19 insertions(+), 16 deletions(-) diff --git a/actions/apigroupshow.php b/actions/apigroupshow.php index 852428144..ef9cbf0e7 100644 --- a/actions/apigroupshow.php +++ b/actions/apigroupshow.php @@ -45,6 +45,7 @@ require_once INSTALLDIR . '/lib/apiprivateauth.php'; * @author Evan Prodromou * @author Jeffery To * @author Zach Copley + * @author Michele * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://status.net/ */ @@ -68,6 +69,24 @@ class ApiGroupShowAction extends ApiPrivateAuthAction $this->group = $this->getTargetGroup($this->arg('id')); + if (empty($this->group)) { + $alias = Group_alias::staticGet( + 'alias', + common_canonical_nickname($this->arg('id')) + ); + if (!empty($alias)) { + $args = array('id' => $alias->group_id, 'format' => $this->format); + common_redirect(common_local_url('ApiGroupShow', $args), 301); + } else { + $this->clientError( + _('Group not found!'), + 404, + $this->format + ); + } + return; + } + return true; } @@ -85,21 +104,6 @@ class ApiGroupShowAction extends ApiPrivateAuthAction { parent::handle($args); - if (!$this->group) { - $alias = Group_alias::staticGet('alias', common_canonical_nickname($this->arg('id'))); - if ($alias) { - $args = array('id' => $alias->group_id, 'format'=>$this->format); - common_redirect(common_local_url('ApiGroupShow', $args), 301); - } else { - $this->clientError( - _('Group not found!'), - 404, - $this->format - ); - } - return; - } - switch($this->format) { case 'xml': $this->showSingleXmlGroup($this->group); @@ -111,7 +115,6 @@ class ApiGroupShowAction extends ApiPrivateAuthAction $this->clientError(_('API method not found.'), 404, $this->format); break; } - } /** -- cgit v1.2.3-54-g00ecf From dcba61332223cfc875b355f6a5f4d2e574dd55b2 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Thu, 21 Jan 2010 23:45:09 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans --- locale/ar/LC_MESSAGES/statusnet.po | 80 +++++++++++++++++++++++------------ locale/arz/LC_MESSAGES/statusnet.po | 38 +++++++++++------ locale/bg/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/ca/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/cs/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/de/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/el/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/en_GB/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/es/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/fa/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/fi/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/fr/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/ga/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/he/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/hsb/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/ia/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/is/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/it/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/ja/LC_MESSAGES/statusnet.po | 70 ++++++++++++++++++------------ locale/ko/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/mk/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/nb/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/nl/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/nn/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/pl/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/pt/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/pt_BR/LC_MESSAGES/statusnet.po | 38 +++++++++++------ locale/ru/LC_MESSAGES/statusnet.po | 38 +++++++++++------ locale/statusnet.po | 34 ++++++++++----- locale/sv/LC_MESSAGES/statusnet.po | 38 +++++++++++------ locale/te/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/tr/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/uk/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/vi/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/zh_CN/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ locale/zh_TW/LC_MESSAGES/statusnet.po | 42 ++++++++++++------ 36 files changed, 1035 insertions(+), 519 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index 28e85d92f..bbe2597a2 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-18 23:16+0000\n" -"PO-Revision-Date: 2010-01-19 23:52:48+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:37:00+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61275); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" @@ -127,7 +127,7 @@ msgstr "" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -372,7 +372,7 @@ msgstr "" #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "لم توجد المجموعة!" @@ -597,7 +597,7 @@ msgstr "" #: actions/apitimelineretweetedbyme.php:112 #, php-format msgid "Repeated by %s" -msgstr "" +msgstr "كرّره %s" #: actions/apitimelineretweetedtome.php:111 #, php-format @@ -1042,7 +1042,7 @@ msgid "No such application." msgstr "لا تطبيق كهذا." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "" @@ -1838,7 +1838,7 @@ msgstr "" #: actions/joingroup.php:60 msgid "You must be logged in to join a group." -msgstr "" +msgstr "يجب أن تلج لتنضم إلى مجموعة." #: actions/joingroup.php:131 #, php-format @@ -1847,7 +1847,7 @@ msgstr "%1$s انضم للمجموعة %2$s" #: actions/leavegroup.php:60 msgid "You must be logged in to leave a group." -msgstr "" +msgstr "يجب أن تلج لتغادر مجموعة." #: actions/leavegroup.php:90 lib/command.php:265 msgid "You are not a member of that group." @@ -1929,7 +1929,7 @@ msgstr "لا حالة حالية" #: actions/newapplication.php:52 msgid "New application" -msgstr "" +msgstr "تطبيق جديد" #: actions/newapplication.php:64 msgid "You must be logged in to register an application." @@ -1961,7 +1961,7 @@ msgstr "رسالة جديدة" #: actions/newmessage.php:121 actions/newmessage.php:161 lib/command.php:358 msgid "You can't send a message to this user." -msgstr "" +msgstr "لا يمكنك إرسال رسائل إلى هذا المستخدم." #: actions/newmessage.php:144 actions/newnotice.php:136 lib/command.php:342 #: lib/command.php:475 @@ -2004,6 +2004,8 @@ msgid "" "Search for notices on %%site.name%% by their contents. Separate search terms " "by spaces; they must be 3 characters or more." msgstr "" +"ابحث عن إشعارات على %%site.name%% عبر محتوياتها. اÙصل عبارات البحث بمساÙات؛ " +"ويجب أن تتكون هذه العبارات من 3 أحر٠أو أكثر." #: actions/noticesearch.php:78 msgid "Text search" @@ -2470,7 +2472,7 @@ msgstr "" #: actions/profilesettings.php:138 msgid "Share my current location when posting notices" -msgstr "" +msgstr "شارك مكاني الحالي عند إرسال إشعارات" #: actions/profilesettings.php:145 actions/tagother.php:149 #: actions/tagother.php:209 lib/subscriptionlist.php:106 @@ -3006,7 +3008,7 @@ msgstr "" #: actions/showapplication.php:160 lib/applicationeditform.php:182 msgid "Icon" -msgstr "" +msgstr "أيقونة" #: actions/showapplication.php:170 actions/version.php:195 #: lib/applicationeditform.php:197 @@ -3296,7 +3298,7 @@ msgstr "" #: actions/showstream.php:313 #, php-format msgid "Repeat of %s" -msgstr "تكرارات %s" +msgstr "تكرار Ù„%s" #: actions/silence.php:65 actions/unsilence.php:65 msgid "You cannot silence users on this site." @@ -3971,7 +3973,7 @@ msgstr "استمتع بالنقانق!" #: actions/usergroups.php:130 msgid "Search for more groups" -msgstr "" +msgstr "ابحث عن المزيد من المجموعات" #: actions/usergroups.php:153 #, php-format @@ -4318,27 +4320,41 @@ msgstr "" "المتوÙر تحت [رخصة غنو Ø£Ùيرو العمومية](http://www.fsf.org/licensing/licenses/" "agpl-3.0.html)." -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "رخصة محتوى الموقع" -#: lib/action.php:803 -msgid "All " +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 +msgid "All " +msgstr "" + +#: lib/action.php:825 msgid "license." msgstr "الرخصة." -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "بعد" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "قبل" @@ -4898,7 +4914,7 @@ msgstr "أض٠أو عدّل شعار %s" #: lib/groupnav.php:120 #, php-format msgid "Add or edit %s design" -msgstr "" +msgstr "أض٠أو عدل تصميم %s" #: lib/groupsbymemberssection.php:71 msgid "Groups with most members" @@ -4911,7 +4927,7 @@ msgstr "المجموعات الأكثر مرسلات" #: lib/grouptagcloudsection.php:56 #, php-format msgid "Tags in %s group's notices" -msgstr "" +msgstr "وسوم ÙÙŠ إشعارات المجموعة %s" #: lib/htmloutputter.php:103 msgid "This page is not available in a media type you accept" @@ -5004,7 +5020,7 @@ msgstr "" #: lib/mail.php:236 #, php-format msgid "%1$s is now listening to your notices on %2$s." -msgstr "" +msgstr "%1$s يستمع الآن إلى إشعاراتك على %2$s." #: lib/mail.php:241 #, php-format @@ -5020,6 +5036,16 @@ msgid "" "----\n" "Change your email address or notification options at %8$s\n" msgstr "" +"%1$s يستمع الآن إلى إشعاراتك على %2$s.\n" +"\n" +"%3$s\n" +"\n" +"%4$s%5$s%6$s\n" +"بوÙاء،\n" +"%7$s.\n" +"\n" +"----\n" +"غيّر خيارات البريد الإلكتروني والإشعار ÙÙŠ %8$s\n" #: lib/mail.php:258 #, php-format @@ -5386,7 +5412,7 @@ msgstr "رسائلك المÙرسلة" #: lib/personaltagcloudsection.php:56 #, php-format msgid "Tags in %s's notices" -msgstr "" +msgstr "وسوم ÙÙŠ إشعارات %s" #: lib/plugin.php:114 msgid "Unknown" @@ -5450,11 +5476,11 @@ msgstr "مشهورة" #: lib/repeatform.php:107 msgid "Repeat this notice?" -msgstr "كرر هذا الإشعار؟" +msgstr "أأكرّر هذا الإشعار؟ّ" #: lib/repeatform.php:132 msgid "Repeat this notice" -msgstr "كرر هذا الإشعار" +msgstr "كرّر هذا الإشعار" #: lib/sandboxform.php:67 msgid "Sandbox" diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index b5f740c4f..20bb7a4b2 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-19 23:52:52+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:37:03+0000\n" "Language-Team: Egyptian Spoken Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61275); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: out-statusnet\n" @@ -127,7 +127,7 @@ msgstr "" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -372,7 +372,7 @@ msgstr "" #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "لم توجد المجموعة!" @@ -1042,7 +1042,7 @@ msgid "No such application." msgstr "لا تطبيق كهذا." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "" @@ -4318,27 +4318,41 @@ msgstr "" "المتوÙر تحت [رخصه غنو Ø£Ùيرو العمومية](http://www.fsf.org/licensing/licenses/" "agpl-3.0.html)." -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "رخصه محتوى الموقع" -#: lib/action.php:803 -msgid "All " +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 +msgid "All " +msgstr "" + +#: lib/action.php:825 msgid "license." msgstr "الرخصه." -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "بعد" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "قبل" diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index 5bca81663..e7bc79a13 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:16:04+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:37:06+0000\n" "Language-Team: Bulgarian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: out-statusnet\n" @@ -126,7 +126,7 @@ msgstr "Бележки от %1$s и приÑтели в %2$s." #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -381,7 +381,7 @@ msgstr "" #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "Групата не е открита." @@ -1068,7 +1068,7 @@ msgid "No such application." msgstr "ÐÑма такава бележка." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "Имаше проблем ÑÑŠÑ ÑеÑиÑта ви в Ñайта." @@ -4323,12 +4323,12 @@ msgstr "Забранено ви е да публикувате бележки в msgid "Problem saving notice." msgstr "Проблем при запиÑване на бележката." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "Грешка в базата от данни — отговор при вмъкването: %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4531,27 +4531,41 @@ msgstr "" "доÑтъпна под [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "Лиценз на Ñъдържанието" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 msgid "All " msgstr "Ð’Ñички " -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "лиценз." -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "Страниране" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "След" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "Преди" diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index ce09f82d3..ef08bf3f1 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:16:11+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:37:10+0000\n" "Language-Team: Catalan\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: out-statusnet\n" @@ -128,7 +128,7 @@ msgstr "Actualitzacions de %1$s i amics a %2$s!" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -389,7 +389,7 @@ msgstr "L'àlies no pot ser el mateix que el sobrenom." #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "No s'ha trobat el grup!" @@ -1081,7 +1081,7 @@ msgid "No such application." msgstr "No existeix aquest avís." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "Ha ocorregut algun problema amb la teva sessió." @@ -4377,12 +4377,12 @@ msgstr "Ha estat bandejat de publicar notificacions en aquest lloc." msgid "Problem saving notice." msgstr "Problema en guardar l'avís." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "Error de BD en inserir resposta: %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4581,27 +4581,41 @@ msgstr "" "%s, disponible sota la [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "Llicència de contingut del lloc" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 msgid "All " msgstr "Tot " -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "llicència." -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "Paginació" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "Posteriors" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "Anteriors" diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index 53fd42feb..6fbec682b 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:16:21+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:37:13+0000\n" "Language-Team: Czech\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: out-statusnet\n" @@ -128,7 +128,7 @@ msgstr "" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -383,7 +383,7 @@ msgstr "" #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 #, fuzzy msgid "Group not found!" msgstr "Žádný požadavek nebyl nalezen!" @@ -1087,7 +1087,7 @@ msgid "No such application." msgstr "Žádné takové oznámení." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "" @@ -4319,12 +4319,12 @@ msgstr "" msgid "Problem saving notice." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "Chyba v DB pÅ™i vkládání odpovÄ›di: %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4531,29 +4531,43 @@ msgstr "" "dostupná pod [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:794 +#: lib/action.php:795 #, fuzzy msgid "Site content license" msgstr "Nové sdÄ›lení" -#: lib/action.php:803 -msgid "All " +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 +msgid "All " +msgstr "" + +#: lib/action.php:825 msgid "license." msgstr "" -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "" -#: lib/action.php:1111 +#: lib/action.php:1133 #, fuzzy msgid "After" msgstr "« NovÄ›jší" -#: lib/action.php:1119 +#: lib/action.php:1141 #, fuzzy msgid "Before" msgstr "Starší »" diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index 3a06b9870..e1ea37636 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:16:32+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:37:16+0000\n" "Language-Team: German\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: out-statusnet\n" @@ -139,7 +139,7 @@ msgstr "Aktualisierungen von %1$s und Freunden auf %2$s!" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -390,7 +390,7 @@ msgstr "Alias kann nicht das gleiche wie der Spitznamen sein." #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "Gruppe nicht gefunden!" @@ -1077,7 +1077,7 @@ msgid "No such application." msgstr "Unbekannte Nachricht." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "Es gab ein Problem mit deinem Sessiontoken." @@ -4396,12 +4396,12 @@ msgstr "" msgid "Problem saving notice." msgstr "Problem bei Speichern der Nachricht." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "Datenbankfehler beim Einfügen der Antwort: %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4602,28 +4602,42 @@ msgstr "" "(Version %s) betrieben, die unter der [GNU Affero General Public License]" "(http://www.fsf.org/licensing/licenses/agpl-3.0.html) erhältlich ist." -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "StatusNet-Software-Lizenz" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 #, fuzzy msgid "All " msgstr "Alle " -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "Lizenz." -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "Seitenerstellung" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "Später" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "Vorher" diff --git a/locale/el/LC_MESSAGES/statusnet.po b/locale/el/LC_MESSAGES/statusnet.po index 6d333e39a..91ea54305 100644 --- a/locale/el/LC_MESSAGES/statusnet.po +++ b/locale/el/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:16:35+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:37:20+0000\n" "Language-Team: Greek\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: el\n" "X-Message-Group: out-statusnet\n" @@ -126,7 +126,7 @@ msgstr "" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -380,7 +380,7 @@ msgstr "" #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "Ομάδα δεν βÏέθηκε!" @@ -1067,7 +1067,7 @@ msgid "No such application." msgstr "Δεν υπάÏχει τέτοιο σελίδα." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "" @@ -4247,12 +4247,12 @@ msgstr "" msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "Σφάλμα βάσης δεδομένων κατά την εισαγωγή απάντησης: %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4449,27 +4449,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "" -#: lib/action.php:803 -msgid "All " +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 +msgid "All " +msgstr "" + +#: lib/action.php:825 msgid "license." msgstr "" -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "" diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index 6735bd23c..11257ae75 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:16:41+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:37:23+0000\n" "Language-Team: British English\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: out-statusnet\n" @@ -134,7 +134,7 @@ msgstr "Updates from %1$s and friends on %2$s!" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -388,7 +388,7 @@ msgstr "Alias can't be the same as nickname." #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "Group not found!" @@ -1078,7 +1078,7 @@ msgid "No such application." msgstr "No such notice." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "There was a problem with your session token." @@ -4377,12 +4377,12 @@ msgstr "You are banned from posting notices on this site." msgid "Problem saving notice." msgstr "Problem saving notice." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "DB error inserting reply: %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4581,27 +4581,41 @@ msgstr "" "s, available under the [GNU Affero General Public Licence](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "Site content license" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 msgid "All " msgstr "All " -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "licence." -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "Pagination" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "After" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "Before" diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index c035fc281..3afbc4e98 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:16:44+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:37:27+0000\n" "Language-Team: Spanish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: out-statusnet\n" @@ -129,7 +129,7 @@ msgstr "¡Actualizaciones de %1$s y amigos en %2$s!" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -383,7 +383,7 @@ msgstr "" #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 #, fuzzy msgid "Group not found!" msgstr "¡No se encontró el método de la API!" @@ -1082,7 +1082,7 @@ msgid "No such application." msgstr "No existe ese aviso." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "Hubo problemas con tu clave de sesión." @@ -4426,12 +4426,12 @@ msgstr "Tienes prohibido publicar avisos en este sitio." msgid "Problem saving notice." msgstr "Hubo un problema al guardar el aviso." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "Error de BD al insertar respuesta: %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4630,27 +4630,41 @@ msgstr "" "disponible bajo la [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "Licencia de contenido del sitio" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 msgid "All " msgstr "Todo" -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "Licencia." -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "Paginación" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "Después" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "Antes" diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index c5999c1e2..2c826643a 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:16:52+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:37:33+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian\n" "MIME-Version: 1.0\n" @@ -20,7 +20,7 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 @@ -135,7 +135,7 @@ msgstr "به روز رسانی از %1$ Ùˆ دوستان در %2$" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -384,7 +384,7 @@ msgstr "نام Ùˆ نام مستعار شما نمی تواند یکی باشد . #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "گروه یاÙت نشد!" @@ -1072,7 +1072,7 @@ msgid "No such application." msgstr "چنین پیامی وجود ندارد." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "" @@ -4239,12 +4239,12 @@ msgstr "شما از Ùرستادن پست در این سایت مردود شدی msgid "Problem saving notice." msgstr "مشکل در ذخیره کردن Ø¢Ú¯Ù‡ÛŒ." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4436,27 +4436,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "مجوز محتویات سایت" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 msgid "All " msgstr "همه " -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "مجوز." -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "صÙحه بندى" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "بعد از" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "قبل از" diff --git a/locale/fi/LC_MESSAGES/statusnet.po b/locale/fi/LC_MESSAGES/statusnet.po index d22532009..d07fd61ca 100644 --- a/locale/fi/LC_MESSAGES/statusnet.po +++ b/locale/fi/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:16:48+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:37:30+0000\n" "Language-Team: Finnish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: out-statusnet\n" @@ -133,7 +133,7 @@ msgstr "Käyttäjän %1$s ja kavereiden päivitykset palvelussa %2$s!" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -392,7 +392,7 @@ msgstr "Alias ei voi olla sama kuin ryhmätunnus." #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "Ryhmää ei löytynyt!" @@ -1090,7 +1090,7 @@ msgid "No such application." msgstr "Päivitystä ei ole." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "Istuntoavaimesi kanssa oli ongelma." @@ -4415,12 +4415,12 @@ msgstr "Päivityksesi tähän palveluun on estetty." msgid "Problem saving notice." msgstr "Ongelma päivityksen tallentamisessa." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "Tietokantavirhe tallennettaessa vastausta: %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4621,28 +4621,42 @@ msgstr "" "versio %s, saatavilla lisenssillä [GNU Affero General Public License](http://" "www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:794 +#: lib/action.php:795 #, fuzzy msgid "Site content license" msgstr "StatusNet-ohjelmiston lisenssi" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 msgid "All " msgstr "Kaikki " -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "lisenssi." -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "Sivutus" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "Myöhemmin" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "Aiemmin" diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index 44a011329..41f62001f 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -13,12 +13,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-16 17:52:07+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:37:36+0000\n" "Language-Team: French\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61138); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: out-statusnet\n" @@ -139,7 +139,7 @@ msgstr "Statuts de %1$s et ses amis dans %2$s!" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -392,7 +392,7 @@ msgstr "L’alias ne peut pas être le même que le pseudo." #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "Groupe non trouvé !" @@ -1084,7 +1084,7 @@ msgid "No such application." msgstr "Avis non trouvé." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "Un problème est survenu avec votre jeton de session." @@ -4441,12 +4441,12 @@ msgstr "Il vous est interdit de poster des avis sur ce site." msgid "Problem saving notice." msgstr "Problème lors de l’enregistrement de l’avis." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "Erreur de base de donnée en insérant la réponse :%s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4643,27 +4643,41 @@ msgstr "" "version %s, disponible sous la licence [GNU Affero General Public License] " "(http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "Licence du contenu du site" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 msgid "All " msgstr "Tous " -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "licence." -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "Pagination" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "Après" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "Avant" diff --git a/locale/ga/LC_MESSAGES/statusnet.po b/locale/ga/LC_MESSAGES/statusnet.po index 9c98b889d..0f6c29dfa 100644 --- a/locale/ga/LC_MESSAGES/statusnet.po +++ b/locale/ga/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:16:59+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:37:39+0000\n" "Language-Team: Irish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ga\n" "X-Message-Group: out-statusnet\n" @@ -128,7 +128,7 @@ msgstr "Actualizacións dende %1$s e amigos en %2$s!" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -389,7 +389,7 @@ msgstr "" #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 #, fuzzy msgid "Group not found!" msgstr "Método da API non atopado" @@ -1107,7 +1107,7 @@ msgid "No such application." msgstr "Ningún chío." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 #, fuzzy msgid "There was a problem with your session token." msgstr "Houbo un problema co teu token de sesión. Tentao de novo, anda..." @@ -4473,12 +4473,12 @@ msgstr "Tes restrinxido o envio de chíos neste sitio." msgid "Problem saving notice." msgstr "Aconteceu un erro ó gardar o chío." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "Erro ó inserir a contestación na BD: %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4689,30 +4689,44 @@ msgstr "" "%s, dispoñible baixo licenza [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:794 +#: lib/action.php:795 #, fuzzy msgid "Site content license" msgstr "Atopar no contido dos chíos" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 #, fuzzy msgid "All " msgstr "Todos" -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "" -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "" -#: lib/action.php:1111 +#: lib/action.php:1133 #, fuzzy msgid "After" msgstr "« Despois" -#: lib/action.php:1119 +#: lib/action.php:1141 #, fuzzy msgid "Before" msgstr "Antes »" diff --git a/locale/he/LC_MESSAGES/statusnet.po b/locale/he/LC_MESSAGES/statusnet.po index 0d4564da3..0367bace5 100644 --- a/locale/he/LC_MESSAGES/statusnet.po +++ b/locale/he/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:17:03+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:37:42+0000\n" "Language-Team: Hebrew\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: he\n" "X-Message-Group: out-statusnet\n" @@ -126,7 +126,7 @@ msgstr "" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -381,7 +381,7 @@ msgstr "" #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 #, fuzzy msgid "Group not found!" msgstr "×œ× × ×ž×¦×" @@ -1093,7 +1093,7 @@ msgid "No such application." msgstr "×ין הודעה כזו." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "" @@ -4319,12 +4319,12 @@ msgstr "" msgid "Problem saving notice." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "שגי×ת מסד × ×ª×•× ×™× ×‘×”×›× ×¡×ª התגובה: %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4532,29 +4532,43 @@ msgstr "" "s, המופצת תחת רשיון [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)" -#: lib/action.php:794 +#: lib/action.php:795 #, fuzzy msgid "Site content license" msgstr "הודעה חדשה" -#: lib/action.php:803 -msgid "All " +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 +msgid "All " +msgstr "" + +#: lib/action.php:825 msgid "license." msgstr "" -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "" -#: lib/action.php:1111 +#: lib/action.php:1133 #, fuzzy msgid "After" msgstr "<< ×חרי" -#: lib/action.php:1119 +#: lib/action.php:1141 #, fuzzy msgid "Before" msgstr "לפני >>" diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index 0a2f05cb3..2355fd8e9 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-16 17:52:17+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:37:44+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61138); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: out-statusnet\n" @@ -127,7 +127,7 @@ msgstr "" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -372,7 +372,7 @@ msgstr "Alias njemóže samsny kaž pÅ™imjeno być." #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "Skupina njenamakana!" @@ -1044,7 +1044,7 @@ msgid "No such application." msgstr "Aplikacija njeeksistuje." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "" @@ -4113,12 +4113,12 @@ msgstr "" msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4310,27 +4310,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "" -#: lib/action.php:803 -msgid "All " +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 +msgid "All " +msgstr "" + +#: lib/action.php:825 msgid "license." msgstr "" -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "" diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index 6e32e9680..b54150d95 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:17:11+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:37:47+0000\n" "Language-Team: Interlingua\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: out-statusnet\n" @@ -133,7 +133,7 @@ msgstr "Actualisationes de %1$s e su amicos in %2$s!" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -385,7 +385,7 @@ msgstr "Le alias non pote esser identic al pseudonymo." #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "Gruppo non trovate!" @@ -1076,7 +1076,7 @@ msgid "No such application." msgstr "Nota non trovate." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "" @@ -4366,12 +4366,12 @@ msgstr "" msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4563,27 +4563,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "" -#: lib/action.php:803 -msgid "All " +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 +msgid "All " +msgstr "" + +#: lib/action.php:825 msgid "license." msgstr "" -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "" diff --git a/locale/is/LC_MESSAGES/statusnet.po b/locale/is/LC_MESSAGES/statusnet.po index 6ef030c3f..a12227a70 100644 --- a/locale/is/LC_MESSAGES/statusnet.po +++ b/locale/is/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:17:14+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:37:50+0000\n" "Language-Team: Icelandic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: is\n" "X-Message-Group: out-statusnet\n" @@ -128,7 +128,7 @@ msgstr "Færslur frá %1$s og vinum á %2$s!" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -383,7 +383,7 @@ msgstr "" #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 #, fuzzy msgid "Group not found!" msgstr "Aðferð í forritsskilum fannst ekki!" @@ -1082,7 +1082,7 @@ msgid "No such application." msgstr "Ekkert svoleiðis babl." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "Það komu upp vandamál varðandi setutókann þinn." @@ -4367,12 +4367,12 @@ msgstr "Það hefur verið lagt bann við babli frá þér á þessari síðu." msgid "Problem saving notice." msgstr "Vandamál komu upp við að vista babl." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "Gagnagrunnsvilla við innsetningu svars: %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4573,28 +4573,42 @@ msgstr "" "sem er gefinn út undir [GNU Affero almenningsleyfinu](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:794 +#: lib/action.php:795 #, fuzzy msgid "Site content license" msgstr "Hugbúnaðarleyfi StatusNet" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 msgid "All " msgstr "Allt " -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "leyfi." -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "Uppröðun" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "Eftir" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "Ãður" diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index 032a363f0..892526e98 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:17:18+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:37:54+0000\n" "Language-Team: Italian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: out-statusnet\n" @@ -135,7 +135,7 @@ msgstr "Messaggi da %1$s e amici su %2$s!" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -386,7 +386,7 @@ msgstr "L'alias non può essere lo stesso del soprannome." #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "Gruppo non trovato!" @@ -1077,7 +1077,7 @@ msgid "No such application." msgstr "Nessun messaggio." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "Si è verificato un problema con il tuo token di sessione." @@ -4406,12 +4406,12 @@ msgstr "Ti è proibito inviare messaggi su questo sito." msgid "Problem saving notice." msgstr "Problema nel salvare il messaggio." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "Errore del DB nell'inserire la risposta: %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4608,27 +4608,41 @@ msgstr "" "s, disponibile nei termini della licenza [GNU Affero General Public License]" "(http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "Licenza del contenuto del sito" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 msgid "All " msgstr "Tutti " -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "licenza." -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "Paginazione" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "Successivi" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "Precedenti" diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index 792ff4d39..6260ef5ac 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-18 23:16+0000\n" -"PO-Revision-Date: 2010-01-18 23:18:49+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:37:57+0000\n" "Language-Team: Japanese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61218); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: out-statusnet\n" @@ -134,7 +134,7 @@ msgstr "%2$s ã« %1$s ã¨å‹äººã‹ã‚‰ã®æ›´æ–°ãŒã‚ã‚Šã¾ã™ï¼" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -386,7 +386,7 @@ msgstr "別åã¯ãƒ‹ãƒƒã‚¯ãƒãƒ¼ãƒ ã¨åŒã˜ã§ã¯ã„ã‘ã¾ã›ã‚“。" #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "グループãŒè¦‹ã¤ã‹ã‚Šã¾ã›ã‚“!" @@ -876,7 +876,7 @@ msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." msgstr "" -"ã‚ãªãŸã¯æ°¸ä¹…ã«ã¤ã¶ã‚„ãを削除ã—よã†ã¨ã—ã¦ã„ã¾ã™ã€‚ ã“ã‚ŒãŒå®Œäº†ã™ã‚‹ã¨ãれを元ã«æˆ»" +"ã‚ãªãŸã¯ã¤ã¶ã‚„ãを永久ã«å‰Šé™¤ã—よã†ã¨ã—ã¦ã„ã¾ã™ã€‚ ã“ã‚ŒãŒå®Œäº†ã™ã‚‹ã¨ãれを元ã«æˆ»" "ã™ã“ã¨ã¯ã§ãã¾ã›ã‚“。" #: actions/deletenotice.php:109 actions/deletenotice.php:141 @@ -1068,7 +1068,7 @@ msgid "No such application." msgstr "ãã®ã‚ˆã†ãªã‚¢ãƒ—リケーションã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "ã‚ãªãŸã®ã‚»ãƒƒã‚·ãƒ§ãƒ³ãƒˆãƒ¼ã‚¯ãƒ³ã«é–¢ã™ã‚‹å•é¡ŒãŒã‚ã‚Šã¾ã—ãŸã€‚" @@ -1184,7 +1184,7 @@ msgid "" "Awaiting confirmation on this address. Check your inbox (and spam box!) for " "a message with further instructions." msgstr "" -"ã“ã®ã‚¢ãƒ‰ãƒ¬ã‚¹ã¯ç¢ºèªå¾…ã¡ã§ã™ã€‚å—信ボックス(ã¨ã‚¹ãƒ‘ムボックス)ã«è¿½åŠ ã®æŒ‡ç¤ºãŒæ›¸" +"ã“ã®ã‚¢ãƒ‰ãƒ¬ã‚¹ã¯æ‰¿èªå¾…ã¡ã§ã™ã€‚å—信ボックス(ã¨ã‚¹ãƒ‘ムボックス)ã«è¿½åŠ ã®æŒ‡ç¤ºãŒæ›¸" "ã‹ã‚ŒãŸãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ãŒå±Šã„ã¦ã„ãªã„ã‹ç¢ºèªã—ã¦ãã ã•ã„。" #: actions/emailsettings.php:117 actions/imsettings.php:120 @@ -1234,17 +1234,17 @@ msgstr "メールã§æ–°è¦ãƒ•ã‚©ãƒ­ãƒ¼ã®é€šçŸ¥ã‚’ç§ã«é€ã£ã¦ãã ã•ã„。 #: actions/emailsettings.php:163 msgid "Send me email when someone adds my notice as a favorite." msgstr "" -"ã ã‚Œã‹ãŒãŠæ°—ã«å…¥ã‚Šã¨ã—ã¦ç§ã®ã¤ã¶ã‚„ãを加ãˆãŸã‚‰ãƒ¡ãƒ¼ãƒ«ã‚’ç§ã«é€ã£ã¦ãã ã•ã„。" +"ã ã‚Œã‹ãŒãŠæ°—ã«å…¥ã‚Šã¨ã—ã¦ç§ã®ã¤ã¶ã‚„ãを加ãˆãŸã‚‰ã€ãƒ¡ãƒ¼ãƒ«ã‚’ç§ã«é€ã£ã¦ãã ã•ã„。" #: actions/emailsettings.php:169 msgid "Send me email when someone sends me a private message." msgstr "" -"ã ã‚Œã‹ãŒãƒ—ライベート・メッセージをç§ã«é€ã‚‹ã¨ãã«ã¯ãƒ¡ãƒ¼ãƒ«ã‚’ç§ã«é€ã£ã¦ãã ã•" +"ã ã‚Œã‹ãŒãƒ—ライベート・メッセージをç§ã«é€ã‚‹ã¨ãã«ã¯ã€ãƒ¡ãƒ¼ãƒ«ã‚’ç§ã«é€ã£ã¦ãã ã•" "ã„。" #: actions/emailsettings.php:174 msgid "Send me email when someone sends me an \"@-reply\"." -msgstr "ã ã‚Œã‹ãŒ\"@-返信\"ã‚’ç§ã‚’é€ã‚‹ã¨ãã«ã¯ãƒ¡ãƒ¼ãƒ«ã‚’ç§ã«é€ã£ã¦ãã ã•ã„ã€" +msgstr "ã ã‚Œã‹ãŒ\"@-返信\"ã‚’ç§ã‚’é€ã‚‹ã¨ãã«ã¯ã€ãƒ¡ãƒ¼ãƒ«ã‚’ç§ã«é€ã£ã¦ãã ã•ã„ã€" #: actions/emailsettings.php:179 msgid "Allow friends to nudge me and send me an email." @@ -1287,21 +1287,21 @@ msgstr "ã“ã®ãƒ¡ãƒ¼ãƒ«ã‚¢ãƒ‰ãƒ¬ã‚¹ã¯æ—¢ã«ä»–ã®äººãŒä½¿ã£ã¦ã„ã¾ã™ã€‚" #: actions/emailsettings.php:353 actions/imsettings.php:317 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." -msgstr "確èªã‚³ãƒ¼ãƒ‰ã‚’追加ã§ãã¾ã›ã‚“" +msgstr "承èªã‚³ãƒ¼ãƒ‰ã‚’追加ã§ãã¾ã›ã‚“" #: actions/emailsettings.php:359 msgid "" "A confirmation code was sent to the email address you added. Check your " "inbox (and spam box!) for the code and instructions on how to use it." msgstr "" -"確èªç”¨ã‚³ãƒ¼ãƒ‰ã‚’入力ã•ã‚ŒãŸé›»å­ãƒ¡ãƒ¼ãƒ«ã‚¢ãƒ‰ãƒ¬ã‚¹ã«é€ä¿¡ã—ã¾ã—ãŸã€‚å—信ボックス(ã¨ã‚¹" -"パムボックス)ã«ã‚³ãƒ¼ãƒ‰ã¨ãれをã©ã†ä½¿ã†ã®ã‹ã¨ã„ã†æŒ‡ç¤ºãŒå±Šã„ã¦ã„ãªã„ã‹ç¢ºèªã—ã¦" -"ãã ã•ã„。" +"承èªã‚³ãƒ¼ãƒ‰ã‚’入力ã•ã‚ŒãŸé›»å­ãƒ¡ãƒ¼ãƒ«ã‚¢ãƒ‰ãƒ¬ã‚¹ã«é€ä¿¡ã—ã¾ã—ãŸã€‚å—信ボックス(ã¨ã‚¹ãƒ‘" +"ムボックス)ã«ã‚³ãƒ¼ãƒ‰ã¨ãれをã©ã†ä½¿ã†ã®ã‹ã¨ã„ã†æŒ‡ç¤ºãŒå±Šã„ã¦ã„ãªã„ã‹ç¢ºèªã—ã¦ã" +"ã ã•ã„。" #: actions/emailsettings.php:379 actions/imsettings.php:351 #: actions/smssettings.php:370 msgid "No pending confirmation to cancel." -msgstr "èªè¨¼å¾…ã¡ã®ã‚‚ã®ã¯ã‚ã‚Šã¾ã›ã‚“。" +msgstr "承èªå¾…ã¡ã®ã‚‚ã®ã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/emailsettings.php:383 actions/imsettings.php:355 msgid "That is the wrong IM address." @@ -1310,7 +1310,7 @@ msgstr "ãã® IM アドレスã¯ä¸æ­£ã§ã™ã€‚" #: actions/emailsettings.php:395 actions/imsettings.php:367 #: actions/smssettings.php:386 msgid "Confirmation cancelled." -msgstr "確èªä½œæ¥­ãŒä¸­æ­¢ã•ã‚Œã¾ã—ãŸã€‚" +msgstr "承èªä½œæ¥­ãŒä¸­æ­¢ã•ã‚Œã¾ã—ãŸã€‚" #: actions/emailsettings.php:413 msgid "That is not your email address." @@ -1721,7 +1721,7 @@ msgid "" "Awaiting confirmation on this address. Check your Jabber/GTalk account for a " "message with further instructions. (Did you add %s to your buddy list?)" msgstr "" -"ã“ã®ã‚¢ãƒ‰ãƒ¬ã‚¹ã¯ç¢ºèªå¾…ã¡ã§ã™ã€‚Jabber ã‹ Gtalk ã®ã‚¢ã‚«ã‚¦ãƒ³ãƒˆã§è¿½åŠ ã®æŒ‡ç¤ºãŒæ›¸ã‹ã‚Œ" +"ã“ã®ã‚¢ãƒ‰ãƒ¬ã‚¹ã¯æ‰¿èªå¾…ã¡ã§ã™ã€‚Jabber ã‹ Gtalk ã®ã‚¢ã‚«ã‚¦ãƒ³ãƒˆã§è¿½åŠ ã®æŒ‡ç¤ºãŒæ›¸ã‹ã‚Œ" "ãŸãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ã‚’確èªã—ã¦ãã ã•ã„。(%s ã‚’å‹äººãƒªã‚¹ãƒˆã«è¿½åŠ ã—ã¾ã—ãŸã‹ï¼Ÿ)" #: actions/imsettings.php:124 @@ -1781,8 +1781,8 @@ msgid "" "A confirmation code was sent to the IM address you added. You must approve %" "s for sending messages to you." msgstr "" -"確èªç”¨ã‚³ãƒ¼ãƒ‰ã‚’入力ã•ã‚ŒãŸ IM アドレスã«é€ä¿¡ã—ã¾ã—ãŸã€‚ã‚ãªãŸã«ãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ã‚’é€ã‚Œ" -"るよã†ã«ã™ã‚‹ã«ã¯%sを承èªã—ã¦ãã ã•ã„。" +"承èªã‚³ãƒ¼ãƒ‰ã‚’入力ã•ã‚ŒãŸ IM アドレスã«é€ä¿¡ã—ã¾ã—ãŸã€‚ã‚ãªãŸã«ãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ã‚’é€ã‚Œã‚‹" +"よã†ã«ã™ã‚‹ã«ã¯%sを承èªã—ã¦ãã ã•ã„。" #: actions/imsettings.php:387 msgid "That is not your Jabber ID." @@ -3014,7 +3014,7 @@ msgid "" "(You should receive a message by email momentarily, with instructions on how " "to confirm your email address.)" msgstr "" -"(メールアドレスを確èªã™ã‚‹æ–¹æ³•ã‚’読んã§ã€ã™ãã«ãƒ¡ãƒ¼ãƒ«ã«ã‚ˆã‚‹ãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ã‚’å—ã‘å–ã‚‹" +"(メールアドレスを承èªã™ã‚‹æ–¹æ³•ã‚’読んã§ã€ã™ãã«ãƒ¡ãƒ¼ãƒ«ã«ã‚ˆã‚‹ãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ã‚’å—ã‘å–ã‚‹" "よã†ã«ã—ã¦ãã ã•ã„)" #: actions/remotesubscribe.php:98 @@ -4560,27 +4560,41 @@ msgstr "" "ã„ã¦ã„ã¾ã™ã€‚ ライセンス [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)。" -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "サイト内容ライセンス" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 msgid "All " msgstr "全㦠" -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "ライセンス。" -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "ページ化" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "<<後" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "å‰>>" @@ -5240,7 +5254,7 @@ msgstr "" "\n" "ã ã‚Œã‹ãŒã“ã®ãƒ¡ãƒ¼ãƒ«ã‚¢ãƒ‰ãƒ¬ã‚¹ã‚’ %s ã«å…¥åŠ›ã—ã¾ã—ãŸã€‚\n" "\n" -"ã‚‚ã—エントリーを確èªã—ãŸã„ãªã‚‰ã€ä»¥ä¸‹ã®URLを使用ã—ã¦ãã ã•ã„:\n" +"ã‚‚ã—登録を承èªã—ãŸã„ãªã‚‰ã€ä»¥ä¸‹ã®URLを使用ã—ã¦ãã ã•ã„:\n" "\n" "%s\n" "\n" diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index 9c5c45352..b8197af3e 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:17:27+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:38:00+0000\n" "Language-Team: Korean\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: out-statusnet\n" @@ -126,7 +126,7 @@ msgstr "%1$s ë° %2$sì— ìžˆëŠ” ì¹œêµ¬ë“¤ì˜ ì—…ë°ì´íŠ¸!" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -385,7 +385,7 @@ msgstr "" #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 #, fuzzy msgid "Group not found!" msgstr "API 메서드를 ì°¾ì„ ìˆ˜ 없습니다." @@ -1095,7 +1095,7 @@ msgid "No such application." msgstr "그러한 통지는 없습니다." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "ë‹¹ì‹ ì˜ ì„¸ì…˜í† í°ê´€ë ¨ 문제가 있습니다." @@ -4392,12 +4392,12 @@ msgstr "ì´ ì‚¬ì´íŠ¸ì— 게시글 í¬ìŠ¤íŒ…으로부터 ë‹¹ì‹ ì€ ê¸ˆì§€ë˜ì—ˆ msgid "Problem saving notice." msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "ë‹µì‹ ì„ ì¶”ê°€ í•  ë•Œì— ë°ì´íƒ€ë² ì´ìŠ¤ ì—러 : %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4598,28 +4598,42 @@ msgstr "" "ì„ ì‚¬ìš©í•©ë‹ˆë‹¤. StatusNet는 [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html) ë¼ì´ì„ ìŠ¤ì— ë”°ë¼ ì‚¬ìš©í•  수 있습니다." -#: lib/action.php:794 +#: lib/action.php:795 #, fuzzy msgid "Site content license" msgstr "ë¼ì½”니카 소프트웨어 ë¼ì´ì„ ìŠ¤" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 msgid "All " msgstr "모든 것" -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "ë¼ì´ì„ ìŠ¤" -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "페ì´ì§€ìˆ˜" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "ë’· 페ì´ì§€" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "ì•ž 페ì´ì§€" diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index 30b717056..95eaff943 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-16 17:52:38+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:38:03+0000\n" "Language-Team: Macedonian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61138); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: out-statusnet\n" @@ -135,7 +135,7 @@ msgstr "Подновувања од %1$s и пријатели на %2$s!" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -387,7 +387,7 @@ msgstr "ÐлијаÑот не може да биде иÑÑ‚ како прека #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "Групата не е пронајдена!" @@ -1073,7 +1073,7 @@ msgid "No such application." msgstr "Ðема таков програм." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "Се појави проблем Ñо Вашиот ÑеÑиÑки жетон." @@ -4394,12 +4394,12 @@ msgstr "Забрането Ви е да објавувате забелешки msgid "Problem saving notice." msgstr "Проблем во зачувувањето на белешката." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "Одговор од внеÑот во базата: %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4596,27 +4596,41 @@ msgstr "" "верзија %s, доÑтапен пд [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "Лиценца на Ñодржините на веб-Ñтраницата" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 msgid "All " msgstr "Сите " -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "лиценца." -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "Прелом на Ñтраници" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "По" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "Пред" diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index a0e92f8fd..697fda7b0 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:17:35+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:38:06+0000\n" "Language-Team: Norwegian (bokmÃ¥l)‬\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: out-statusnet\n" @@ -132,7 +132,7 @@ msgstr "Oppdateringer fra %1$s og venner pÃ¥ %2$s!" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -388,7 +388,7 @@ msgstr "" #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 #, fuzzy msgid "Group not found!" msgstr "API-metode ikke funnet!" @@ -1087,7 +1087,7 @@ msgid "No such application." msgstr "Ingen slik side" #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "" @@ -4295,12 +4295,12 @@ msgstr "" msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4499,27 +4499,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "" -#: lib/action.php:803 -msgid "All " +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 +msgid "All " +msgstr "" + +#: lib/action.php:825 msgid "license." msgstr "" -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "" -#: lib/action.php:1119 +#: lib/action.php:1141 #, fuzzy msgid "Before" msgstr "Tidligere »" diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index ff28d0c75..935117671 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-16 17:52:50+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:38:12+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61138); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: out-statusnet\n" @@ -136,7 +136,7 @@ msgstr "Updates van %1$s en vrienden op %2$s." #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -393,7 +393,7 @@ msgstr "Een alias kan niet hetzelfde zijn als de gebruikersnaam." #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "De groep is niet aangetroffen!" @@ -1085,7 +1085,7 @@ msgid "No such application." msgstr "De applicatie bestaat niet." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "Er is een probleem met uw sessietoken." @@ -4429,13 +4429,13 @@ msgstr "" msgid "Problem saving notice." msgstr "Er is een probleem opgetreden bij het opslaan van de mededeling." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "" "Er is een databasefout opgetreden bij het invoegen van het antwoord: %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4632,27 +4632,41 @@ msgstr "" "versie %s, beschikbaar onder de [GNU Affero General Public License](http://" "www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "Licentie voor siteinhoud" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 msgid "All " msgstr "Alle " -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "licentie." -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "Paginering" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "Later" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "Eerder" diff --git a/locale/nn/LC_MESSAGES/statusnet.po b/locale/nn/LC_MESSAGES/statusnet.po index 6ea81a38e..5a9d928fd 100644 --- a/locale/nn/LC_MESSAGES/statusnet.po +++ b/locale/nn/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:17:38+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:38:09+0000\n" "Language-Team: Norwegian Nynorsk\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nn\n" "X-Message-Group: out-statusnet\n" @@ -126,7 +126,7 @@ msgstr "Oppdateringar frÃ¥ %1$s og vener pÃ¥ %2$s!" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -383,7 +383,7 @@ msgstr "" #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 #, fuzzy msgid "Group not found!" msgstr "Fann ikkje API-metode." @@ -1094,7 +1094,7 @@ msgid "No such application." msgstr "Denne notisen finst ikkje." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "Det var eit problem med sesjons billetten din." @@ -4409,12 +4409,12 @@ msgstr "Du kan ikkje lengre legge inn notisar pÃ¥ denne sida." msgid "Problem saving notice." msgstr "Eit problem oppstod ved lagring av notis." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "Databasefeil, kan ikkje lagra svar: %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4615,28 +4615,42 @@ msgstr "" "%s, tilgjengeleg under [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:794 +#: lib/action.php:795 #, fuzzy msgid "Site content license" msgstr "StatusNets programvarelisens" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 msgid "All " msgstr "Alle" -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "lisens." -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "Paginering" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "« Etter" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "Før »" diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index 17f334cb4..b42a542b5 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-16 17:52:53+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:38:15+0000\n" "Last-Translator: Piotr DrÄ…g \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -19,7 +19,7 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" -"X-Generator: MediaWiki 1.16alpha (r61138); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: out-statusnet\n" @@ -139,7 +139,7 @@ msgstr "Aktualizacje z %1$s i przyjaciół na %2$s." #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -390,7 +390,7 @@ msgstr "Alias nie może być taki sam jak pseudonim." #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "Nie odnaleziono grupy." @@ -1068,7 +1068,7 @@ msgid "No such application." msgstr "Nie ma takiej aplikacji." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "WystÄ…piÅ‚ problem z tokenem sesji." @@ -4367,12 +4367,12 @@ msgstr "Zabroniono ci wysyÅ‚ania wpisów na tej stronie." msgid "Problem saving notice." msgstr "Problem podczas zapisywania wpisu." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "BÅ‚Ä…d bazy danych podczas wprowadzania odpowiedzi: %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4569,27 +4569,41 @@ msgstr "" "status.net/) w wersji %s, dostÄ™pnego na [Powszechnej Licencji Publicznej GNU " "Affero](http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "Licencja zawartoÅ›ci strony" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 msgid "All " msgstr "Wszystko " -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "licencja." -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "Paginacja" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "Później" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "WczeÅ›niej" diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index a7e2b9e33..9b136debd 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:17:49+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:38:17+0000\n" "Language-Team: Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: out-statusnet\n" @@ -133,7 +133,7 @@ msgstr "Actualizações de %1$s e amigos no %2$s!" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -383,7 +383,7 @@ msgstr "Os sinónimos não podem ser iguais ao nome do utilizador." #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "Grupo não foi encontrado!" @@ -1071,7 +1071,7 @@ msgid "No such application." msgstr "Nota não encontrada." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "Ocorreu um problema com a sua sessão." @@ -4400,12 +4400,12 @@ msgstr "Está proibido de publicar notas neste site." msgid "Problem saving notice." msgstr "Problema na gravação da nota." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "Ocorreu um erro na base de dados ao inserir a resposta: %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4602,27 +4602,41 @@ msgstr "" "disponibilizado nos termos da [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "Licença de conteúdos do site" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 msgid "All " msgstr "Tudo " -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "licença." -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "Paginação" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "Posteriores" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "Anteriores" diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index 3b07494f2..d28a14e68 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-18 23:16+0000\n" -"PO-Revision-Date: 2010-01-18 23:19:44+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:38:21+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61218); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" @@ -136,7 +136,7 @@ msgstr "Atualizações de %1$s e amigos no %2$s!" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -389,7 +389,7 @@ msgstr "O apelido não pode ser igual à identificação." #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "O grupo não foi encontrado!" @@ -1075,7 +1075,7 @@ msgid "No such application." msgstr "Essa aplicação não existe." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "Ocorreu um problema com o seu token de sessão." @@ -4599,27 +4599,41 @@ msgstr "" "versão %s, disponível sob a [GNU Affero General Public License] (http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "Licença do conteúdo do site" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 msgid "All " msgstr "Todas " -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "licença." -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "Paginação" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "Próximo" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "Anterior" diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index 505325bae..d95566fdf 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-18 23:16+0000\n" -"PO-Revision-Date: 2010-01-18 23:19:49+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:38:23+0000\n" "Language-Team: Russian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61218); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: out-statusnet\n" @@ -136,7 +136,7 @@ msgstr "Обновлено от %1$s и его друзей на %2$s!" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -390,7 +390,7 @@ msgstr "ÐÐ»Ð¸Ð°Ñ Ð½Ðµ может Ñовпадать Ñ Ð¸Ð¼ÐµÐ½ÐµÐ¼." #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "Группа не найдена!" @@ -1075,7 +1075,7 @@ msgid "No such application." msgstr "Ðет такой запиÑи." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "Проблема Ñ Ð’Ð°ÑˆÐµÐ¹ ÑеÑÑией. Попробуйте ещё раз, пожалуйÑта." @@ -4609,27 +4609,41 @@ msgstr "" "лицензией [GNU Affero General Public License](http://www.fsf.org/licensing/" "licenses/agpl-3.0.html)." -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "Ð›Ð¸Ñ†ÐµÐ½Ð·Ð¸Ñ Ñодержимого Ñайта" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 msgid "All " msgstr "All " -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "license." -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "Разбиение на Ñтраницы" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "Сюда" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "Туда" diff --git a/locale/statusnet.po b/locale/statusnet.po index 9c28de802..fedcf6e7b 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-19 23:52+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -123,7 +123,7 @@ msgstr "" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -368,7 +368,7 @@ msgstr "" #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "" @@ -1038,7 +1038,7 @@ msgid "No such application." msgstr "" #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "" @@ -4299,27 +4299,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "" -#: lib/action.php:803 -msgid "All " +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 +msgid "All " +msgstr "" + +#: lib/action.php:825 msgid "license." msgstr "" -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index d7e0f19c9..6046d5fe2 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-18 23:16+0000\n" -"PO-Revision-Date: 2010-01-19 23:55:02+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:38:31+0000\n" "Language-Team: Swedish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61275); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: out-statusnet\n" @@ -133,7 +133,7 @@ msgstr "Uppdateringar frÃ¥n %1$s och vänner pÃ¥ %2$s!" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -381,7 +381,7 @@ msgstr "Alias kan inte vara samma som smeknamn." #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "Grupp hittades inte!" @@ -1062,7 +1062,7 @@ msgid "No such application." msgstr "Ingen sÃ¥dan applikation." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "Det var ett problem med din sessions-token." @@ -4526,27 +4526,41 @@ msgstr "" "version %s, tillgänglig under [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "Licens för webbplatsinnehÃ¥ll" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 msgid "All " msgstr "Alla " -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "licens." -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "Numrering av sidor" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "Senare" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "Tidigare" diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index 84b9402c1..4b313d88f 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-16 17:53:10+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:38:34+0000\n" "Language-Team: Telugu\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61138); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: out-statusnet\n" @@ -125,7 +125,7 @@ msgstr "" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -377,7 +377,7 @@ msgstr "మారà±à°ªà±‡à°°à± పేరà±à°¤à±‹ సమానంగా ఉం #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "à°—à±à°‚పౠదొరకలేదà±!" @@ -1059,7 +1059,7 @@ msgid "No such application." msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ సందేశమేమీ లేదà±." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "" @@ -4197,12 +4197,12 @@ msgstr "à°ˆ సైటà±à°²à±‹ నోటీసà±à°²à± రాయడం నౠmsgid "Problem saving notice." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4405,28 +4405,42 @@ msgstr "" "html) à°•à°¿à°‚à°¦ లభà±à°¯à°®à°¯à±à°¯à±‡ [à°¸à±à°Ÿà±‡à°Ÿà°¸à±‌నెటà±](http://status.net/) మైకà±à°°à±‹à°¬à±à°²à°¾à°—ింగౠఉపకరణం సంచిక %s " "పై నడà±à°¸à±à°¤à±à°‚ది." -#: lib/action.php:794 +#: lib/action.php:795 #, fuzzy msgid "Site content license" msgstr "కొతà±à°¤ సందేశం" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 msgid "All " msgstr "à°…à°¨à±à°¨à±€ " -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "" -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "పేజీకరణ" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "తరà±à°µà°¾à°¤" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "ఇంతకà±à°°à°¿à°¤à°‚" diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index 99c424388..bcec74af8 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:18:07+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:38:37+0000\n" "Language-Team: Turkish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: out-statusnet\n" @@ -127,7 +127,7 @@ msgstr "" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -385,7 +385,7 @@ msgstr "" #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 #, fuzzy msgid "Group not found!" msgstr "Ä°stek bulunamadı!" @@ -1096,7 +1096,7 @@ msgid "No such application." msgstr "Böyle bir durum mesajı yok." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "" @@ -4327,12 +4327,12 @@ msgstr "" msgid "Problem saving notice." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "Cevap eklenirken veritabanı hatası: %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4540,29 +4540,43 @@ msgstr "" "licenses/agpl-3.0.html) lisansı ile korunan [StatusNet](http://status.net/) " "microbloglama yazılımının %s. versiyonunu kullanmaktadır." -#: lib/action.php:794 +#: lib/action.php:795 #, fuzzy msgid "Site content license" msgstr "Yeni durum mesajı" -#: lib/action.php:803 -msgid "All " +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 +msgid "All " +msgstr "" + +#: lib/action.php:825 msgid "license." msgstr "" -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "" -#: lib/action.php:1111 +#: lib/action.php:1133 #, fuzzy msgid "After" msgstr "« Sonra" -#: lib/action.php:1119 +#: lib/action.php:1141 #, fuzzy msgid "Before" msgstr "Önce »" diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index 4d8de517c..886b60cc3 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-16 17:53:16+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:38:40+0000\n" "Language-Team: Ukrainian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61138); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: out-statusnet\n" @@ -134,7 +134,7 @@ msgstr "ÐžÐ½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð²Ñ–Ð´ %1$s та друзів на %2$s!" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -385,7 +385,7 @@ msgstr "Додаткове Ñ–Ð¼â€™Ñ Ð½Ðµ може бути таким Ñами #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" msgstr "Групу не знайдено!" @@ -1067,7 +1067,7 @@ msgid "No such application." msgstr "Такого додатку немає." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "Виникли певні проблеми з токеном поточної ÑеÑÑ–Ñ—." @@ -4371,12 +4371,12 @@ msgstr "Вам заборонено надÑилати допиÑи до цьо msgid "Problem saving notice." msgstr "Проблема при збереженні допиÑу." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "Помилка бази даних при додаванні відповіді: %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4573,27 +4573,41 @@ msgstr "" "Ð´Ð»Ñ Ð¼Ñ–ÐºÑ€Ð¾Ð±Ð»Ð¾Ò‘Ñ–Ð², верÑÑ–Ñ %s, доÑтупному під [GNU Affero General Public " "License](http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:794 +#: lib/action.php:795 msgid "Site content license" msgstr "Ð›Ñ–Ñ†ÐµÐ½Ð·Ñ–Ñ Ð·Ð¼Ñ–Ñту Ñайту" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 msgid "All " msgstr "Ð’ÑÑ– " -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "ліцензіÑ." -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "ÐÑƒÐ¼ÐµÑ€Ð°Ñ†Ñ–Ñ Ñторінок" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "Вперед" -#: lib/action.php:1119 +#: lib/action.php:1141 msgid "Before" msgstr "Ðазад" diff --git a/locale/vi/LC_MESSAGES/statusnet.po b/locale/vi/LC_MESSAGES/statusnet.po index 1d889777d..4b977cee4 100644 --- a/locale/vi/LC_MESSAGES/statusnet.po +++ b/locale/vi/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:18:14+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:38:43+0000\n" "Language-Team: Vietnamese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: vi\n" "X-Message-Group: out-statusnet\n" @@ -126,7 +126,7 @@ msgstr "" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -387,7 +387,7 @@ msgstr "" #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 #, fuzzy msgid "Group not found!" msgstr "PhÆ°Æ¡ng thức API không tìm thấy!" @@ -1111,7 +1111,7 @@ msgid "No such application." msgstr "Không có tin nhắn nào." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 #, fuzzy msgid "There was a problem with your session token." msgstr "Có lá»—i xảy ra khi thao tác. Hãy thá»­ lại lần nữa." @@ -4478,12 +4478,12 @@ msgstr "" msgid "Problem saving notice." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "Lá»—i cÆ¡ sở dữ liệu khi chèn trả lá»i: %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%s (%s)" @@ -4696,29 +4696,43 @@ msgstr "" "quyá»n [GNU Affero General Public License](http://www.fsf.org/licensing/" "licenses/agpl-3.0.html)." -#: lib/action.php:794 +#: lib/action.php:795 #, fuzzy msgid "Site content license" msgstr "Tìm theo ná»™i dung của tin nhắn" -#: lib/action.php:803 -msgid "All " +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 +msgid "All " +msgstr "" + +#: lib/action.php:825 msgid "license." msgstr "" -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "" -#: lib/action.php:1111 +#: lib/action.php:1133 #, fuzzy msgid "After" msgstr "Sau" -#: lib/action.php:1119 +#: lib/action.php:1141 #, fuzzy msgid "Before" msgstr "TrÆ°á»›c" diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index ec2e005d1..aec8ae047 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:18:17+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:38:46+0000\n" "Language-Team: Simplified Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: out-statusnet\n" @@ -128,7 +128,7 @@ msgstr "æ¥è‡ª%2$s 上 %1$s 和好å‹çš„æ›´æ–°ï¼" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -385,7 +385,7 @@ msgstr "" #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 #, fuzzy msgid "Group not found!" msgstr "API 方法未实现ï¼" @@ -1100,7 +1100,7 @@ msgid "No such application." msgstr "没有这份通告。" #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 #, fuzzy msgid "There was a problem with your session token." msgstr "会è¯æ ‡è¯†æœ‰é—®é¢˜ï¼Œè¯·é‡è¯•ã€‚" @@ -4405,12 +4405,12 @@ msgstr "在这个网站你被ç¦æ­¢å‘布消æ¯ã€‚" msgid "Problem saving notice." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "添加回å¤æ—¶æ•°æ®åº“出错:%s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4618,29 +4618,43 @@ msgstr "" "General Public License](http://www.fsf.org/licensing/licenses/agpl-3.0.html)" "授æƒã€‚" -#: lib/action.php:794 +#: lib/action.php:795 #, fuzzy msgid "Site content license" msgstr "StatusNet软件注册è¯" -#: lib/action.php:803 +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 msgid "All " msgstr "全部" -#: lib/action.php:808 +#: lib/action.php:825 msgid "license." msgstr "注册è¯" -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "分页" -#: lib/action.php:1111 +#: lib/action.php:1133 #, fuzzy msgid "After" msgstr "« 之åŽ" -#: lib/action.php:1119 +#: lib/action.php:1141 #, fuzzy msgid "Before" msgstr "ä¹‹å‰ Â»" diff --git a/locale/zh_TW/LC_MESSAGES/statusnet.po b/locale/zh_TW/LC_MESSAGES/statusnet.po index 2fdb74d71..cbcbf1248 100644 --- a/locale/zh_TW/LC_MESSAGES/statusnet.po +++ b/locale/zh_TW/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-15 19:15+0000\n" -"PO-Revision-Date: 2010-01-15 19:18:21+0000\n" +"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"PO-Revision-Date: 2010-01-21 22:38:49+0000\n" "Language-Team: Traditional Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61101); Translate extension (2010-01-04)\n" +"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hant\n" "X-Message-Group: out-statusnet\n" @@ -126,7 +126,7 @@ msgstr "" #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:105 +#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 #: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 #: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 #: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 @@ -380,7 +380,7 @@ msgstr "" #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 -#: actions/apigroupshow.php:90 actions/apitimelinegroup.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 #, fuzzy msgid "Group not found!" msgstr "ç›®å‰ç„¡è«‹æ±‚" @@ -1086,7 +1086,7 @@ msgid "No such application." msgstr "無此通知" #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1167 +#: actions/showapplication.php:118 lib/action.php:1189 msgid "There was a problem with your session token." msgstr "" @@ -4249,12 +4249,12 @@ msgstr "" msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:1052 +#: classes/Notice.php:1059 #, php-format msgid "DB error inserting reply: %s" msgstr "增加回覆時,資料庫發生錯誤: %s" -#: classes/Notice.php:1423 +#: classes/Notice.php:1441 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4457,28 +4457,42 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:794 +#: lib/action.php:795 #, fuzzy msgid "Site content license" msgstr "新訊æ¯" -#: lib/action.php:803 -msgid "All " +#: lib/action.php:800 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:805 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" #: lib/action.php:808 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:820 +msgid "All " +msgstr "" + +#: lib/action.php:825 msgid "license." msgstr "" -#: lib/action.php:1102 +#: lib/action.php:1124 msgid "Pagination" msgstr "" -#: lib/action.php:1111 +#: lib/action.php:1133 msgid "After" msgstr "" -#: lib/action.php:1119 +#: lib/action.php:1141 #, fuzzy msgid "Before" msgstr "之å‰çš„內容»" -- cgit v1.2.3-54-g00ecf From 26fdf0c9d210d79c4e279fafd35eb25302911da3 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Thu, 21 Jan 2010 16:42:50 -0800 Subject: XMPP queued output & initial retooling of DB queue manager to support non-Notice objects. Queue handlers for XMPP individual & firehose output now send their XML stanzas to another output queue instead of connecting directly to the chat server. This lets us have as many general processing threads as we need, while all actual XMPP input and output go through a single daemon with a single connection open. This avoids problems with multiple connected resources: * multiple windows shown in some chat clients (psi, gajim, kopete) * extra load on server * incoming message delivery forwarding issues Database changes: * queue_item drops 'notice_id' in favor of a 'frame' blob. This is based on Craig Andrews' work branch to generalize queues to take any object, but conservatively leaving out the serialization for now. Table updater (preserves any existing queued items) in db/rc3to09.sql Code changes to watch out for: * Queue handlers should now define a handle() method instead of handle_notice() * QueueDaemon and XmppDaemon now share common i/o (IoMaster) and respawning thread management (RespawningDaemon) infrastructure. * The polling XmppConfirmManager has been dropped, as the message is queued directly when saving IM settings. * Enable $config['queue']['debug_memory'] to output current memory usage at each run through the event loop to watch for memory leaks To do: * Adapt XMPP i/o to component connection mode for multi-site support. * XMPP input can also be broken out to a queue, which would allow the actual notice save etc to be handled by general queue threads. * Make sure there are no problems with simply pushing serialized Notice objects to queues. * Find a way to improve interactive performance of the database-backed queue handler; polling is pretty painful to XMPP. * Possibly redo the way QueueHandlers are injected into a QueueManager. The grouping used to split out the XMPP output queue is a bit awkward. --- actions/imsettings.php | 10 +- classes/Queue_item.php | 30 ++- classes/statusnet.ini | 6 +- db/08to09.sql | 16 ++ db/rc3to09.sql | 16 ++ db/statusnet.sql | 5 +- lib/dbqueuemanager.php | 140 +++------- lib/default.php | 1 + lib/iomaster.php | 39 ++- lib/jabber.php | 43 ++-- lib/jabberqueuehandler.php | 4 +- lib/ombqueuehandler.php | 2 +- lib/pingqueuehandler.php | 2 +- lib/pluginqueuehandler.php | 2 +- lib/publicqueuehandler.php | 6 +- lib/queued_xmpp.php | 117 +++++++++ lib/queuehandler.php | 95 +------ lib/queuemanager.php | 125 +++++++-- lib/smsqueuehandler.php | 2 +- lib/spawningdaemon.php | 159 ++++++++++++ lib/stompqueuemanager.php | 56 ++-- lib/util.php | 3 +- lib/xmppconfirmmanager.php | 168 ------------ lib/xmppmanager.php | 286 ++++++++++++++++++--- lib/xmppoutqueuehandler.php | 55 ++++ plugins/Enjit/enjitqueuehandler.php | 9 +- plugins/Facebook/facebookqueuehandler.php | 2 +- plugins/RSSCloud/RSSCloudPlugin.php | 41 +-- plugins/RSSCloud/RSSCloudQueueHandler.php | 50 +--- plugins/TwitterBridge/twitterqueuehandler.php | 2 +- scripts/handlequeued.php | 2 +- scripts/queuedaemon.php | 149 ++--------- scripts/xmppdaemon.php | 353 ++------------------------ 33 files changed, 946 insertions(+), 1050 deletions(-) create mode 100644 db/rc3to09.sql create mode 100644 lib/queued_xmpp.php create mode 100644 lib/spawningdaemon.php delete mode 100644 lib/xmppconfirmmanager.php create mode 100644 lib/xmppoutqueuehandler.php mode change 100755 => 100644 plugins/RSSCloud/RSSCloudQueueHandler.php diff --git a/actions/imsettings.php b/actions/imsettings.php index 751c6117c..af4915843 100644 --- a/actions/imsettings.php +++ b/actions/imsettings.php @@ -309,6 +309,8 @@ class ImsettingsAction extends ConnectSettingsAction $confirm->address_type = 'jabber'; $confirm->user_id = $user->id; $confirm->code = common_confirmation_code(64); + $confirm->sent = common_sql_now(); + $confirm->claimed = common_sql_now(); $result = $confirm->insert(); @@ -318,11 +320,9 @@ class ImsettingsAction extends ConnectSettingsAction return; } - if (!common_config('queue', 'enabled')) { - jabber_confirm_address($confirm->code, - $user->nickname, - $jabber); - } + jabber_confirm_address($confirm->code, + $user->nickname, + $jabber); $msg = sprintf(_('A confirmation code was sent '. 'to the IM address you added. '. diff --git a/classes/Queue_item.php b/classes/Queue_item.php index cf805a606..f83c2cef1 100644 --- a/classes/Queue_item.php +++ b/classes/Queue_item.php @@ -10,8 +10,8 @@ class Queue_item extends Memcached_DataObject /* the code below is auto generated do not remove the above tag */ public $__table = 'queue_item'; // table name - public $notice_id; // int(4) primary_key not_null - public $transport; // varchar(8) primary_key not_null + public $id; // int(4) primary_key not_null + public $frame; // blob not_null public $created; // datetime() not_null public $claimed; // datetime() @@ -22,14 +22,21 @@ class Queue_item extends Memcached_DataObject /* the code above is auto generated do not remove the tag below */ ###END_AUTOCODE - function sequenceKey() - { return array(false, false); } - - static function top($transport=null) { + /** + * @param mixed $transports name of a single queue or array of queues to pull from + * If not specified, checks all queues in the system. + */ + static function top($transports=null) { $qi = new Queue_item(); - if ($transport) { - $qi->transport = $transport; + if ($transports) { + if (is_array($transports)) { + // @fixme use safer escaping + $list = implode("','", array_map('addslashes', $transports)); + $qi->whereAdd("transport in ('$list')"); + } else { + $qi->transport = $transports; + } } $qi->orderBy('created'); $qi->whereAdd('claimed is null'); @@ -42,7 +49,7 @@ class Queue_item extends Memcached_DataObject # XXX: potential race condition # can we force it to only update if claimed is still null # (or old)? - common_log(LOG_INFO, 'claiming queue item = ' . $qi->notice_id . + common_log(LOG_INFO, 'claiming queue item id = ' . $qi->id . ' for transport ' . $qi->transport); $orig = clone($qi); $qi->claimed = common_sql_now(); @@ -57,9 +64,4 @@ class Queue_item extends Memcached_DataObject $qi = null; return null; } - - function pkeyGet($kv) - { - return Memcached_DataObject::pkeyGet('Queue_item', $kv); - } } diff --git a/classes/statusnet.ini b/classes/statusnet.ini index 44088cf6b..6203650a6 100644 --- a/classes/statusnet.ini +++ b/classes/statusnet.ini @@ -428,14 +428,14 @@ tagged = K tag = K [queue_item] -notice_id = 129 +id = 129 +frame = 66 transport = 130 created = 142 claimed = 14 [queue_item__keys] -notice_id = K -transport = K +id = K [related_group] group_id = 129 diff --git a/db/08to09.sql b/db/08to09.sql index d9c25bc72..b10e47dbc 100644 --- a/db/08to09.sql +++ b/db/08to09.sql @@ -94,3 +94,19 @@ create table user_location_prefs ( constraint primary key (user_id) ) ENGINE=InnoDB CHARACTER SET utf8 COLLATE utf8_bin; +create table queue_item_new ( + id integer auto_increment primary key comment 'unique identifier', + frame blob not null comment 'data: object reference or opaque string', + transport varchar(8) not null comment 'queue for what? "email", "jabber", "sms", "irc", ...', + created datetime not null comment 'date this record was created', + claimed datetime comment 'date this item was claimed', + + index queue_item_created_idx (created) + +) ENGINE=InnoDB CHARACTER SET utf8 COLLATE utf8_bin; + +insert into queue_item_new (frame,transport,created,claimed) + select notice_id,transport,created,claimed from queue_item; +alter table queue_item rename to queue_item_old; +alter table queue_item_new rename to queue_item; + diff --git a/db/rc3to09.sql b/db/rc3to09.sql new file mode 100644 index 000000000..02dc7a6e2 --- /dev/null +++ b/db/rc3to09.sql @@ -0,0 +1,16 @@ +create table queue_item_new ( + id integer auto_increment primary key comment 'unique identifier', + frame blob not null comment 'data: object reference or opaque string', + transport varchar(8) not null comment 'queue for what? "email", "jabber", "sms", "irc", ...', + created datetime not null comment 'date this record was created', + claimed datetime comment 'date this item was claimed', + + index queue_item_created_idx (created) + +) ENGINE=InnoDB CHARACTER SET utf8 COLLATE utf8_bin; + +insert into queue_item_new (frame,transport,created,claimed) + select notice_id,transport,created,claimed from queue_item; +alter table queue_item rename to queue_item_old; +alter table queue_item_new rename to queue_item; + diff --git a/db/statusnet.sql b/db/statusnet.sql index 2a9ab74c7..17de4fd0d 100644 --- a/db/statusnet.sql +++ b/db/statusnet.sql @@ -274,13 +274,12 @@ create table remember_me ( ) ENGINE=InnoDB CHARACTER SET utf8 COLLATE utf8_bin; create table queue_item ( - - notice_id integer not null comment 'notice queued' references notice (id), + id integer auto_increment primary key comment 'unique identifier', + frame blob not null comment 'data: object reference or opaque string', transport varchar(8) not null comment 'queue for what? "email", "jabber", "sms", "irc", ...', created datetime not null comment 'date this record was created', claimed datetime comment 'date this item was claimed', - constraint primary key (notice_id, transport), index queue_item_created_idx (created) ) ENGINE=InnoDB CHARACTER SET utf8 COLLATE utf8_bin; diff --git a/lib/dbqueuemanager.php b/lib/dbqueuemanager.php index 889365b64..c6350fc66 100644 --- a/lib/dbqueuemanager.php +++ b/lib/dbqueuemanager.php @@ -31,19 +31,17 @@ class DBQueueManager extends QueueManager { /** - * Saves a notice object reference into the queue item table. + * Saves an object reference into the queue item table. * @return boolean true on success * @throws ServerException on failure */ public function enqueue($object, $queue) { - $notice = $object; - $qi = new Queue_item(); - $qi->notice_id = $notice->id; + $qi->frame = $this->encode($object); $qi->transport = $queue; - $qi->created = $notice->created; + $qi->created = common_sql_now(); $result = $qi->insert(); if (!$result) { @@ -57,146 +55,92 @@ class DBQueueManager extends QueueManager } /** - * Poll every minute for new events during idle periods. + * Poll every 10 seconds for new events during idle periods. * We'll look in more often when there's data available. * * @return int seconds */ public function pollInterval() { - return 60; + return 10; } /** * Run a polling cycle during idle processing in the input loop. - * @return boolean true if we had a hit + * @return boolean true if we should poll again for more data immediately */ public function poll() { $this->_log(LOG_DEBUG, 'Checking for notices...'); - $item = $this->_nextItem(); - if ($item === false) { + $qi = Queue_item::top($this->getQueues()); + if (empty($qi)) { $this->_log(LOG_DEBUG, 'No notices waiting; idling.'); return false; } - if ($item === true) { - // We dequeued an entry for a deleted or invalid notice. - // Consider it a hit for poll rate purposes. - return true; - } - list($queue, $notice) = $item; - $this->_log(LOG_INFO, 'Got notice '. $notice->id . ' for transport ' . $queue); - - // Yay! Got one! - $handler = $this->getHandler($queue); - if ($handler) { - if ($handler->handle_notice($notice)) { - $this->_log(LOG_INFO, "[$queue:notice $notice->id] Successfully handled notice"); - $this->_done($notice, $queue); + $queue = $qi->transport; + $item = $this->decode($qi->frame); + + if ($item) { + $rep = $this->logrep($item); + $this->_log(LOG_INFO, "Got $rep for transport $queue"); + + $handler = $this->getHandler($queue); + if ($handler) { + if ($handler->handle($item)) { + $this->_log(LOG_INFO, "[$queue:$rep] Successfully handled item"); + $this->_done($qi); + } else { + $this->_log(LOG_INFO, "[$queue:$rep] Failed to handle item"); + $this->_fail($qi); + } } else { - $this->_log(LOG_INFO, "[$queue:notice $notice->id] Failed to handle notice"); - $this->_fail($notice, $queue); + $this->_log(LOG_INFO, "[$queue:$rep] No handler for queue $queue; discarding."); + $this->_done($qi); } } else { - $this->_log(LOG_INFO, "[$queue:notice $notice->id] No handler for queue $queue; discarding."); - $this->_done($notice, $queue); + $this->_log(LOG_INFO, "[$queue] Got empty/deleted item, discarding"); + $this->_fail($qi); } return true; } - /** - * Pop the oldest unclaimed item off the queue set and claim it. - * - * @return mixed false if no items; true if bogus hit; otherwise array(string, Notice) - * giving the queue transport name. - */ - protected function _nextItem() - { - $start = time(); - $result = null; - - $qi = Queue_item::top(); - if (empty($qi)) { - return false; - } - - $queue = $qi->transport; - $notice = Notice::staticGet('id', $qi->notice_id); - if (empty($notice)) { - $this->_log(LOG_INFO, "[$queue:notice $notice->id] dequeued non-existent notice"); - $qi->delete(); - return true; - } - - $result = $notice; - return array($queue, $notice); - } - /** * Delete our claimed item from the queue after successful processing. * - * @param Notice $object - * @param string $queue + * @param QueueItem $qi */ - protected function _done($object, $queue) + protected function _done($qi) { - // XXX: right now, we only handle notices - - $notice = $object; - - $qi = Queue_item::pkeyGet(array('notice_id' => $notice->id, - 'transport' => $queue)); + $queue = $qi->transport; - if (empty($qi)) { - $this->_log(LOG_INFO, "[$queue:notice $notice->id] Cannot find queue item"); - } else { - if (empty($qi->claimed)) { - $this->_log(LOG_WARNING, "[$queue:notice $notice->id] Reluctantly releasing unclaimed queue item"); - } - $qi->delete(); - $qi->free(); + if (empty($qi->claimed)) { + $this->_log(LOG_WARNING, "Reluctantly releasing unclaimed queue item $qi->id from $qi->queue"); } + $qi->delete(); - $this->_log(LOG_INFO, "[$queue:notice $notice->id] done with item"); $this->stats('handled', $queue); - - $notice->free(); } /** * Free our claimed queue item for later reprocessing in case of * temporary failure. * - * @param Notice $object - * @param string $queue + * @param QueueItem $qi */ - protected function _fail($object, $queue) + protected function _fail($qi) { - // XXX: right now, we only handle notices - - $notice = $object; - - $qi = Queue_item::pkeyGet(array('notice_id' => $notice->id, - 'transport' => $queue)); + $queue = $qi->transport; - if (empty($qi)) { - $this->_log(LOG_INFO, "[$queue:notice $notice->id] Cannot find queue item"); + if (empty($qi->claimed)) { + $this->_log(LOG_WARNING, "[$queue:item $qi->id] Ignoring failure for unclaimed queue item"); } else { - if (empty($qi->claimed)) { - $this->_log(LOG_WARNING, "[$queue:notice $notice->id] Ignoring failure for unclaimed queue item"); - } else { - $orig = clone($qi); - $qi->claimed = null; - $qi->update($orig); - $qi = null; - } + $orig = clone($qi); + $qi->claimed = null; + $qi->update($orig); } - $this->_log(LOG_INFO, "[$queue:notice $notice->id] done with queue item"); $this->stats('error', $queue); - - $notice->free(); } protected function _log($level, $msg) diff --git a/lib/default.php b/lib/default.php index 764d309df..d258bbaf4 100644 --- a/lib/default.php +++ b/lib/default.php @@ -83,6 +83,7 @@ $default = 'stomp_password' => null, 'monitor' => null, // URL to monitor ping endpoint (work in progress) 'softlimit' => '90%', // total size or % of memory_limit at which to restart queue threads gracefully + 'debug_memory' => false, // true to spit memory usage to log ), 'license' => array('type' => 'cc', # can be 'cc', 'allrightsreserved', 'private' diff --git a/lib/iomaster.php b/lib/iomaster.php index ce77b53b2..004e92b3e 100644 --- a/lib/iomaster.php +++ b/lib/iomaster.php @@ -27,7 +27,7 @@ * @link http://status.net/ */ -class IoMaster +abstract class IoMaster { public $id; @@ -66,23 +66,18 @@ class IoMaster if ($site != common_config('site', 'server')) { StatusNet::init($site); } - - $classes = array(); - if (Event::handle('StartIoManagerClasses', array(&$classes))) { - $classes[] = 'QueueManager'; - if (common_config('xmpp', 'enabled') && !defined('XMPP_EMERGENCY_FLAG')) { - $classes[] = 'XmppManager'; // handles pings/reconnects - $classes[] = 'XmppConfirmManager'; // polls for outgoing confirmations - } - } - Event::handle('EndIoManagerClasses', array(&$classes)); - - foreach ($classes as $class) { - $this->instantiate($class); - } + $this->initManagers(); } } + /** + * Initialize IoManagers for the currently configured site + * which are appropriate to this instance. + * + * Pass class names into $this->instantiate() + */ + abstract function initManagers(); + /** * Pull all local sites from status_network table. * @return array of hostnames @@ -170,7 +165,7 @@ class IoMaster $write = array(); $except = array(); $this->logState('listening'); - common_log(LOG_INFO, "Waiting up to $timeout seconds for socket data..."); + common_log(LOG_DEBUG, "Waiting up to $timeout seconds for socket data..."); $ready = stream_select($read, $write, $except, $timeout, 0); if ($ready === false) { @@ -190,7 +185,7 @@ class IoMaster if ($timeout > 0 && empty($sockets)) { // If we had no listeners, sleep until the pollers' next requested wakeup. - common_log(LOG_INFO, "Sleeping $timeout seconds until next poll cycle..."); + common_log(LOG_DEBUG, "Sleeping $timeout seconds until next poll cycle..."); $this->logState('sleep'); sleep($timeout); } @@ -207,6 +202,8 @@ class IoMaster if ($usage > $memoryLimit) { common_log(LOG_INFO, "Queue thread hit soft memory limit ($usage > $memoryLimit); gracefully restarting."); break; + } else if (common_config('queue', 'debug_memory')) { + common_log(LOG_DEBUG, "Memory usage $usage"); } } } @@ -223,8 +220,7 @@ class IoMaster { $softLimit = trim(common_config('queue', 'softlimit')); if (substr($softLimit, -1) == '%') { - $limit = trim(ini_get('memory_limit')); - $limit = $this->parseMemoryLimit($limit); + $limit = $this->parseMemoryLimit(ini_get('memory_limit')); if ($limit > 0) { return intval(substr($softLimit, 0, -1) * $limit / 100); } else { @@ -242,9 +238,10 @@ class IoMaster * @param string $mem * @return int */ - protected function parseMemoryLimit($mem) + public function parseMemoryLimit($mem) { // http://www.php.net/manual/en/faq.using.php#faq.using.shorthandbytes + $mem = strtolower(trim($mem)); $size = array('k' => 1024, 'm' => 1024*1024, 'g' => 1024*1024*1024); @@ -253,7 +250,7 @@ class IoMaster } else if (is_numeric($mem)) { return intval($mem); } else { - $mult = strtolower(substr($mem, -1)); + $mult = substr($mem, -1); if (isset($size[$mult])) { return substr($mem, 0, -1) * $size[$mult]; } else { diff --git a/lib/jabber.php b/lib/jabber.php index 4cdfa6746..b6b23521b 100644 --- a/lib/jabber.php +++ b/lib/jabber.php @@ -85,6 +85,27 @@ class Sharing_XMPP extends XMPPHP_XMPP } } +/** + * Build an XMPP proxy connection that'll save outgoing messages + * to the 'xmppout' queue to be picked up by xmppdaemon later. + */ +function jabber_proxy() +{ + $proxy = new Queued_XMPP(common_config('xmpp', 'host') ? + common_config('xmpp', 'host') : + common_config('xmpp', 'server'), + common_config('xmpp', 'port'), + common_config('xmpp', 'user'), + common_config('xmpp', 'password'), + common_config('xmpp', 'resource') . 'daemon', + common_config('xmpp', 'server'), + common_config('xmpp', 'debug') ? + true : false, + common_config('xmpp', 'debug') ? + XMPPHP_Log::LEVEL_VERBOSE : null); + return $proxy; +} + /** * Lazy-connect the configured Jabber account to the configured server; * if already opened, the same connection will be returned. @@ -143,7 +164,7 @@ function jabber_connect($resource=null) } /** - * send a single notice to a given Jabber address + * Queue send for a single notice to a given Jabber address * * @param string $to JID to send the notice to * @param Notice $notice notice to send @@ -153,10 +174,7 @@ function jabber_connect($resource=null) function jabber_send_notice($to, $notice) { - $conn = jabber_connect(); - if (!$conn) { - return false; - } + $conn = jabber_proxy(); $profile = Profile::staticGet($notice->profile_id); if (!$profile) { common_log(LOG_WARNING, 'Refusing to send notice with ' . @@ -221,10 +239,7 @@ function jabber_format_entry($profile, $notice) function jabber_send_message($to, $body, $type='chat', $subject=null) { - $conn = jabber_connect(); - if (!$conn) { - return false; - } + $conn = jabber_proxy(); $conn->message($to, $body, $type, $subject); return true; } @@ -319,7 +334,7 @@ function jabber_special_presence($type, $to=null, $show=null, $status=null) } /** - * broadcast a notice to all subscribers and reply recipients + * Queue broadcast of a notice to all subscribers and reply recipients * * This function will send a notice to all subscribers on the local server * who have Jabber addresses, and have Jabber notification enabled, and @@ -354,7 +369,7 @@ function jabber_broadcast_notice($notice) $sent_to = array(); - $conn = jabber_connect(); + $conn = jabber_proxy(); $ni = $notice->whoGets(); @@ -389,14 +404,13 @@ function jabber_broadcast_notice($notice) 'Sending notice ' . $notice->id . ' to ' . $user->jabber, __FILE__); $conn->message($user->jabber, $msg, 'chat', null, $entry); - $conn->processTime(0); } return true; } /** - * send a notice to all public listeners + * Queue send of a notice to all public listeners * * For notices that are generated on the local system (by users), we can optionally * forward them to remote listeners by XMPP. @@ -429,7 +443,7 @@ function jabber_public_notice($notice) $msg = jabber_format_notice($profile, $notice); $entry = jabber_format_entry($profile, $notice); - $conn = jabber_connect(); + $conn = jabber_proxy(); foreach ($public as $address) { common_log(LOG_INFO, @@ -437,7 +451,6 @@ function jabber_public_notice($notice) ' to public listener ' . $address, __FILE__); $conn->message($address, $msg, 'chat', null, $entry); - $conn->processTime(0); } $profile->free(); } diff --git a/lib/jabberqueuehandler.php b/lib/jabberqueuehandler.php index b1518866d..83471f2df 100644 --- a/lib/jabberqueuehandler.php +++ b/lib/jabberqueuehandler.php @@ -34,14 +34,14 @@ class JabberQueueHandler extends QueueHandler return 'jabber'; } - function handle_notice($notice) + function handle($notice) { require_once(INSTALLDIR.'/lib/jabber.php'); try { return jabber_broadcast_notice($notice); } catch (XMPPHP_Exception $e) { $this->log(LOG_ERR, "Got an XMPPHP_Exception: " . $e->getMessage()); - exit(1); + return false; } } } diff --git a/lib/ombqueuehandler.php b/lib/ombqueuehandler.php index 3ffc1313b..24896c784 100644 --- a/lib/ombqueuehandler.php +++ b/lib/ombqueuehandler.php @@ -36,7 +36,7 @@ class OmbQueueHandler extends QueueHandler * @fixme doesn't currently report failure back to the queue manager * because omb_broadcast_notice() doesn't report it to us */ - function handle_notice($notice) + function handle($notice) { if ($this->is_remote($notice)) { $this->log(LOG_DEBUG, 'Ignoring remote notice ' . $notice->id); diff --git a/lib/pingqueuehandler.php b/lib/pingqueuehandler.php index 8bb218078..4e4d74cb1 100644 --- a/lib/pingqueuehandler.php +++ b/lib/pingqueuehandler.php @@ -30,7 +30,7 @@ class PingQueueHandler extends QueueHandler { return 'ping'; } - function handle_notice($notice) { + function handle($notice) { require_once INSTALLDIR . '/lib/ping.php'; return ping_broadcast_notice($notice); } diff --git a/lib/pluginqueuehandler.php b/lib/pluginqueuehandler.php index 24d504699..9653ccad4 100644 --- a/lib/pluginqueuehandler.php +++ b/lib/pluginqueuehandler.php @@ -42,7 +42,7 @@ class PluginQueueHandler extends QueueHandler return 'plugin'; } - function handle_notice($notice) + function handle($notice) { Event::handle('HandleQueuedNotice', array(&$notice)); return true; diff --git a/lib/publicqueuehandler.php b/lib/publicqueuehandler.php index 9ea9ee73a..c9edb8d5d 100644 --- a/lib/publicqueuehandler.php +++ b/lib/publicqueuehandler.php @@ -23,7 +23,6 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { /** * Queue handler for pushing new notices to public XMPP subscribers. - * @fixme correct this exception handling */ class PublicQueueHandler extends QueueHandler { @@ -33,15 +32,14 @@ class PublicQueueHandler extends QueueHandler return 'public'; } - function handle_notice($notice) + function handle($notice) { require_once(INSTALLDIR.'/lib/jabber.php'); try { return jabber_public_notice($notice); } catch (XMPPHP_Exception $e) { $this->log(LOG_ERR, "Got an XMPPHP_Exception: " . $e->getMessage()); - die($e->getMessage()); + return false; } - return true; } } diff --git a/lib/queued_xmpp.php b/lib/queued_xmpp.php new file mode 100644 index 000000000..4b890c4ca --- /dev/null +++ b/lib/queued_xmpp.php @@ -0,0 +1,117 @@ +. + * + * @category Network + * @package StatusNet + * @author Brion Vibber + * @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') && !defined('LACONICA')) { + exit(1); +} + +require_once INSTALLDIR . '/lib/jabber.php'; + +class Queued_XMPP extends XMPPHP_XMPP +{ + /** + * Constructor + * + * @param string $host + * @param integer $port + * @param string $user + * @param string $password + * @param string $resource + * @param string $server + * @param boolean $printlog + * @param string $loglevel + */ + public function __construct($host, $port, $user, $password, $resource, $server = null, $printlog = false, $loglevel = null) + { + parent::__construct($host, $port, $user, $password, $resource, $server, $printlog, $loglevel); + // Normally the fulljid isn't filled out until resource binding time; + // we need to save it here since we're not talking to a real server. + $this->fulljid = "{$this->basejid}/{$this->resource}"; + } + + /** + * Send a formatted message to the outgoing queue for later forwarding + * to a real XMPP connection. + * + * @param string $msg + */ + public function send($msg, $timeout=NULL) + { + $qm = QueueManager::get(); + $qm->enqueue(strval($msg), 'xmppout'); + } + + /** + * Since we'll be getting input through a queue system's run loop, + * we'll process one standalone message at a time rather than our + * own XMPP message pump. + * + * @param string $message + */ + public function processMessage($message) { + $frame = array_shift($this->frames); + xml_parse($this->parser, $frame->body, false); + } + + //@{ + /** + * Stream i/o functions disabled; push input through processMessage() + */ + public function connect($timeout = 30, $persistent = false, $sendinit = true) + { + throw new Exception("Can't connect to server from XMPP queue proxy."); + } + + public function disconnect() + { + throw new Exception("Can't connect to server from XMPP queue proxy."); + } + + public function process() + { + throw new Exception("Can't read stream from XMPP queue proxy."); + } + + public function processUntil($event, $timeout=-1) + { + throw new Exception("Can't read stream from XMPP queue proxy."); + } + + public function read() + { + throw new Exception("Can't read stream from XMPP queue proxy."); + } + + public function readyToProcess() + { + throw new Exception("Can't read stream from XMPP queue proxy."); + } + //@} +} + diff --git a/lib/queuehandler.php b/lib/queuehandler.php index 613be6e33..2909cd83b 100644 --- a/lib/queuehandler.php +++ b/lib/queuehandler.php @@ -22,51 +22,20 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { exit(1); } /** * Base class for queue handlers. * - * As extensions of the Daemon class, each queue handler has the ability - * to launch itself in the background, at which point it'll pass control - * to the configured QueueManager class to poll for updates. + * As of 0.9, queue handlers are short-lived for items as they are + * dequeued by a QueueManager running in an IoMaster in a daemon + * such as queuedaemon.php. + * + * Extensions requiring long-running maintenance or polling should + * register an IoManager. * * Subclasses must override at least the following methods: * - transport - * - handle_notice + * - handle */ -#class QueueHandler extends Daemon class QueueHandler { -# function __construct($id=null, $daemonize=true) -# { -# parent::__construct($daemonize); -# -# if ($id) { -# $this->set_id($id); -# } -# } - - /** - * How many seconds a polling-based queue manager should wait between - * checks for new items to handle. - * - * Defaults to 60 seconds; override to speed up or slow down. - * - * @fixme not really compatible with global queue manager - * @return int timeout in seconds - */ -# function timeout() -# { -# return 60; -# } - -# function class_name() -# { -# return ucfirst($this->transport()) . 'Handler'; -# } - -# function name() -# { -# return strtolower($this->class_name().'.'.$this->get_id()); -# } - /** * Return transport keyword which identifies items this queue handler * services; must be defined for all subclasses. @@ -83,61 +52,17 @@ class QueueHandler /** * Here's the meat of your queue handler -- you're handed a Notice - * object, which you may do as you will with. + * or other object, which you may do as you will with. * * If this function indicates failure, a warning will be logged * and the item is placed back in the queue to be re-run. * - * @param Notice $notice - * @return boolean true on success, false on failure - */ - function handle_notice($notice) - { - return true; - } - - /** - * Setup and start of run loop for this queue handler as a daemon. - * Most of the heavy lifting is passed on to the QueueManager's service() - * method, which passes control back to our handle_notice() method for - * each notice that comes in on the queue. - * - * Most of the time this won't need to be overridden in a subclass. - * + * @param mixed $object * @return boolean true on success, false on failure */ - function run() + function handle($object) { - if (!$this->start()) { - $this->log(LOG_WARNING, 'failed to start'); - return false; - } - - $this->log(LOG_INFO, 'checking for queued notices'); - - $queue = $this->transport(); - $timeout = $this->timeout(); - - $qm = QueueManager::get(); - - $qm->service($queue, $this); - - $this->log(LOG_INFO, 'finished servicing the queue'); - - if (!$this->finish()) { - $this->log(LOG_WARNING, 'failed to clean up'); - return false; - } - - $this->log(LOG_INFO, 'terminating normally'); - return true; } - - - function log($level, $msg) - { - common_log($level, $this->class_name() . ' ('. $this->get_id() .'): '.$msg); - } } diff --git a/lib/queuemanager.php b/lib/queuemanager.php index 291174d3c..4eb39bfa8 100644 --- a/lib/queuemanager.php +++ b/lib/queuemanager.php @@ -39,6 +39,10 @@ abstract class QueueManager extends IoManager { static $qm = null; + public $master = null; + public $handlers = array(); + public $groups = array(); + /** * Factory function to pull the appropriate QueueManager object * for this site's configuration. It can then be used to queue @@ -109,6 +113,64 @@ abstract class QueueManager extends IoManager */ abstract function enqueue($object, $queue); + /** + * Build a representation for an object for logging + * @param mixed + * @return string + */ + function logrep($object) { + if (is_object($object)) { + $class = get_class($object); + if (isset($object->id)) { + return "$class $object->id"; + } + return $class; + } + if (is_string($object)) { + $len = strlen($object); + $fragment = mb_substr($object, 0, 32); + if (mb_strlen($object) > 32) { + $fragment .= '...'; + } + return "string '$fragment' ($len bytes)"; + } + return strval($object); + } + + /** + * Encode an object for queued storage. + * Next gen may use serialization. + * + * @param mixed $object + * @return string + */ + protected function encode($object) + { + if ($object instanceof Notice) { + return $object->id; + } else if (is_string($object)) { + return $object; + } else { + throw new ServerException("Can't queue this type", 500); + } + } + + /** + * Decode an object from queued storage. + * Accepts back-compat notice reference entries and strings for now. + * + * @param string + * @return mixed + */ + protected function decode($frame) + { + if (is_numeric($frame)) { + return Notice::staticGet(intval($frame)); + } else { + return $frame; + } + } + /** * Instantiate the appropriate QueueHandler class for the given queue. * @@ -131,13 +193,15 @@ abstract class QueueManager extends IoManager } /** - * Get a list of all registered queue transport names. + * Get a list of registered queue transport names to be used + * for this daemon. * * @return array of strings */ function getQueues() { - return array_keys($this->handlers); + $group = $this->activeGroup(); + return array_keys($this->groups[$group]); } /** @@ -148,33 +212,29 @@ abstract class QueueManager extends IoManager */ function initialize() { + // @fixme we'll want to be able to listen to particular queues... if (Event::handle('StartInitializeQueueManager', array($this))) { - if (!defined('XMPP_ONLY_FLAG')) { // hack! - $this->connect('plugin', 'PluginQueueHandler'); - $this->connect('omb', 'OmbQueueHandler'); - $this->connect('ping', 'PingQueueHandler'); - if (common_config('sms', 'enabled')) { - $this->connect('sms', 'SmsQueueHandler'); - } + $this->connect('plugin', 'PluginQueueHandler'); + $this->connect('omb', 'OmbQueueHandler'); + $this->connect('ping', 'PingQueueHandler'); + if (common_config('sms', 'enabled')) { + $this->connect('sms', 'SmsQueueHandler'); } // XMPP output handlers... - if (common_config('xmpp', 'enabled') && !defined('XMPP_EMERGENCY_FLAG')) { - $this->connect('jabber', 'JabberQueueHandler'); - $this->connect('public', 'PublicQueueHandler'); - - // @fixme this should move up a level or should get an actual queue - $this->connect('confirm', 'XmppConfirmHandler'); - } + $this->connect('jabber', 'JabberQueueHandler'); + $this->connect('public', 'PublicQueueHandler'); + + // @fixme this should get an actual queue + //$this->connect('confirm', 'XmppConfirmHandler'); + + // For compat with old plugins not registering their own handlers. + $this->connect('plugin', 'PluginQueueHandler'); + + $this->connect('xmppout', 'XmppOutQueueHandler', 'xmppdaemon'); - if (!defined('XMPP_ONLY_FLAG')) { // hack! - // For compat with old plugins not registering their own handlers. - $this->connect('plugin', 'PluginQueueHandler'); - } - } - if (!defined('XMPP_ONLY_FLAG')) { // hack! - Event::handle('EndInitializeQueueManager', array($this)); } + Event::handle('EndInitializeQueueManager', array($this)); } /** @@ -183,10 +243,27 @@ abstract class QueueManager extends IoManager * * @param string $transport * @param string $class + * @param string $group */ - public function connect($transport, $class) + public function connect($transport, $class, $group='queuedaemon') { $this->handlers[$transport] = $class; + $this->groups[$group][$transport] = $class; + } + + /** + * @return string queue group to use for this request + */ + function activeGroup() + { + $group = 'queuedaemon'; + if ($this->master) { + // hack hack + if ($this->master instanceof XmppMaster) { + return 'xmppdaemon'; + } + } + return $group; } /** diff --git a/lib/smsqueuehandler.php b/lib/smsqueuehandler.php index 48a96409d..6085d2b4a 100644 --- a/lib/smsqueuehandler.php +++ b/lib/smsqueuehandler.php @@ -31,7 +31,7 @@ class SmsQueueHandler extends QueueHandler return 'sms'; } - function handle_notice($notice) + function handle($notice) { require_once(INSTALLDIR.'/lib/mail.php'); return mail_broadcast_notice_sms($notice); diff --git a/lib/spawningdaemon.php b/lib/spawningdaemon.php new file mode 100644 index 000000000..8baefe88e --- /dev/null +++ b/lib/spawningdaemon.php @@ -0,0 +1,159 @@ +. + */ + +/** + * Base class for daemon that can launch one or more processing threads, + * respawning them if they exit. + * + * This is mainly intended for indefinite workloads such as monitoring + * a queue or maintaining an IM channel. + * + * Child classes should implement the + * + * We can then pass individual items through the QueueHandler subclasses + * they belong to. We additionally can handle queues for multiple sites. + * + * @package QueueHandler + * @author Brion Vibber + */ +abstract class SpawningDaemon extends Daemon +{ + protected $threads=1; + + function __construct($id=null, $daemonize=true, $threads=1) + { + parent::__construct($daemonize); + + if ($id) { + $this->set_id($id); + } + $this->threads = $threads; + } + + /** + * Perform some actual work! + * + * @return boolean true on success, false on failure + */ + public abstract function runThread(); + + /** + * Spawn one or more background processes and let them start running. + * Each individual process will execute whatever's in the runThread() + * method, which should be overridden. + * + * Child processes will be automatically respawned when they exit. + * + * @todo possibly allow for not respawning on "normal" exits... + * though ParallelizingDaemon is probably better for workloads + * that have forseeable endpoints. + */ + function run() + { + $children = array(); + for ($i = 1; $i <= $this->threads; $i++) { + $pid = pcntl_fork(); + if ($pid < 0) { + $this->log(LOG_ERROR, "Couldn't fork for thread $i; aborting\n"); + exit(1); + } else if ($pid == 0) { + $this->initAndRunChild($i); + } else { + $this->log(LOG_INFO, "Spawned thread $i as pid $pid"); + $children[$i] = $pid; + } + } + + $this->log(LOG_INFO, "Waiting for children to complete."); + while (count($children) > 0) { + $status = null; + $pid = pcntl_wait($status); + if ($pid > 0) { + $i = array_search($pid, $children); + if ($i === false) { + $this->log(LOG_ERR, "Unrecognized child pid $pid exited!"); + continue; + } + unset($children[$i]); + $this->log(LOG_INFO, "Thread $i pid $pid exited."); + + $pid = pcntl_fork(); + if ($pid < 0) { + $this->log(LOG_ERROR, "Couldn't fork to respawn thread $i; aborting thread.\n"); + } else if ($pid == 0) { + $this->initAndRunChild($i); + } else { + $this->log(LOG_INFO, "Respawned thread $i as pid $pid"); + $children[$i] = $pid; + } + } + } + $this->log(LOG_INFO, "All child processes complete."); + return true; + } + + /** + * Initialize things for a fresh thread, call runThread(), and + * exit at completion with appropriate return value. + */ + protected function initAndRunChild($thread) + { + $this->set_id($this->get_id() . "." . $thread); + $this->resetDb(); + $ok = $this->runThread(); + exit($ok ? 0 : 1); + } + + /** + * Reconnect to the database for each child process, + * or they'll get very confused trying to use the + * same socket. + */ + protected function resetDb() + { + // @fixme do we need to explicitly open the db too + // or is this implied? + global $_DB_DATAOBJECT; + unset($_DB_DATAOBJECT['CONNECTIONS']); + + // Reconnect main memcached, or threads will stomp on + // each other and corrupt their requests. + $cache = common_memcache(); + if ($cache) { + $cache->reconnect(); + } + + // Also reconnect memcached for status_network table. + if (!empty(Status_network::$cache)) { + Status_network::$cache->close(); + Status_network::$cache = null; + } + } + + function log($level, $msg) + { + common_log($level, get_class($this) . ' ('. $this->get_id() .'): '.$msg); + } + + function name() + { + return strtolower(get_class($this).'.'.$this->get_id()); + } +} + diff --git a/lib/stompqueuemanager.php b/lib/stompqueuemanager.php index 00590fdb6..f057bd9e4 100644 --- a/lib/stompqueuemanager.php +++ b/lib/stompqueuemanager.php @@ -39,7 +39,6 @@ class StompQueueManager extends QueueManager var $base = null; var $con = null; - protected $master = null; protected $sites = array(); function __construct() @@ -104,11 +103,12 @@ class StompQueueManager extends QueueManager */ function getQueues() { + $group = $this->activeGroup(); $site = common_config('site', 'server'); - if (empty($this->handlers[$site])) { + if (empty($this->groups[$site][$group])) { return array(); } else { - return array_keys($this->handlers[$site]); + return array_keys($this->groups[$site][$group]); } } @@ -118,10 +118,12 @@ class StompQueueManager extends QueueManager * * @param string $transport * @param string $class + * @param string $group */ - public function connect($transport, $class) + public function connect($transport, $class, $group='queuedaemon') { $this->handlers[common_config('site', 'server')][$transport] = $class; + $this->groups[common_config('site', 'server')][$group][$transport] = $class; } /** @@ -130,23 +132,23 @@ class StompQueueManager extends QueueManager */ public function enqueue($object, $queue) { - $notice = $object; + $msg = $this->encode($object); + $rep = $this->logrep($object); $this->_connect(); // XXX: serialize and send entire notice $result = $this->con->send($this->queueName($queue), - $notice->id, // BODY of the message - array ('created' => $notice->created)); + $msg, // BODY of the message + array ('created' => common_sql_now())); if (!$result) { - common_log(LOG_ERR, 'Error sending to '.$queue.' queue'); + common_log(LOG_ERR, "Error sending $rep to $queue queue"); return false; } - common_log(LOG_DEBUG, 'complete remote queueing notice ID = ' - . $notice->id . ' for ' . $queue); + common_log(LOG_DEBUG, "complete remote queueing $rep for $queue"); $this->stats('enqueued', $queue); } @@ -174,7 +176,7 @@ class StompQueueManager extends QueueManager $ok = true; $frames = $this->con->readFrames(); foreach ($frames as $frame) { - $ok = $ok && $this->_handleNotice($frame); + $ok = $ok && $this->_handleItem($frame); } return $ok; } @@ -265,7 +267,7 @@ class StompQueueManager extends QueueManager } /** - * Handle and acknowledge a notice event that's come in through a queue. + * Handle and acknowledge an event that's come in through a queue. * * If the queue handler reports failure, the message is requeued for later. * Missing notices or handler classes will drop the message. @@ -276,7 +278,7 @@ class StompQueueManager extends QueueManager * @param StompFrame $frame * @return bool */ - protected function _handleNotice($frame) + protected function _handleItem($frame) { list($site, $queue) = $this->parseDestination($frame->headers['destination']); if ($site != common_config('site', 'server')) { @@ -284,15 +286,23 @@ class StompQueueManager extends QueueManager StatusNet::init($site); } - $id = intval($frame->body); - $info = "notice $id posted at {$frame->headers['created']} in queue $queue"; + if (is_numeric($frame->body)) { + $id = intval($frame->body); + $info = "notice $id posted at {$frame->headers['created']} in queue $queue"; - $notice = Notice::staticGet('id', $id); - if (empty($notice)) { - $this->_log(LOG_WARNING, "Skipping missing $info"); - $this->con->ack($frame); - $this->stats('badnotice', $queue); - return false; + $notice = Notice::staticGet('id', $id); + if (empty($notice)) { + $this->_log(LOG_WARNING, "Skipping missing $info"); + $this->con->ack($frame); + $this->stats('badnotice', $queue); + return false; + } + + $item = $notice; + } else { + // @fixme should we serialize, or json, or what here? + $info = "string posted at {$frame->headers['created']} in queue $queue"; + $item = $frame->body; } $handler = $this->getHandler($queue); @@ -303,7 +313,7 @@ class StompQueueManager extends QueueManager return false; } - $ok = $handler->handle_notice($notice); + $ok = $handler->handle($item); if (!$ok) { $this->_log(LOG_WARNING, "Failed handling $info"); @@ -311,7 +321,7 @@ class StompQueueManager extends QueueManager // this kind of queue management ourselves; // if we don't ack, it should resend... $this->con->ack($frame); - $this->enqueue($notice, $queue); + $this->enqueue($item, $queue); $this->stats('requeued', $queue); return false; } diff --git a/lib/util.php b/lib/util.php index ef8a5d1f0..fb3b8be87 100644 --- a/lib/util.php +++ b/lib/util.php @@ -1130,7 +1130,8 @@ function common_request_id() $pid = getmypid(); $server = common_config('site', 'server'); if (php_sapi_name() == 'cli') { - return "$server:$pid"; + $script = basename($_SERVER['PHP_SELF']); + return "$server:$script:$pid"; } else { static $req_id = null; if (!isset($req_id)) { diff --git a/lib/xmppconfirmmanager.php b/lib/xmppconfirmmanager.php deleted file mode 100644 index ee4e294fd..000000000 --- a/lib/xmppconfirmmanager.php +++ /dev/null @@ -1,168 +0,0 @@ -. - */ - -if (!defined('STATUSNET') && !defined('LACONICA')) { - exit(1); -} - -/** - * Event handler for pushing new confirmations to Jabber users. - * @fixme recommend redoing this on a queue-trigger model - * @fixme expiration of old items got dropped in the past, put it back? - */ -class XmppConfirmManager extends IoManager -{ - - /** - * @return mixed XmppConfirmManager, or false if unneeded - */ - public static function get() - { - if (common_config('xmpp', 'enabled')) { - $site = common_config('site', 'server'); - return new XmppConfirmManager(); - } else { - return false; - } - } - - /** - * Tell the i/o master we need one instance for each supporting site - * being handled in this process. - */ - public static function multiSite() - { - return IoManager::INSTANCE_PER_SITE; - } - - function __construct() - { - $this->site = common_config('site', 'server'); - } - - /** - * 10 seconds? Really? That seems a bit frequent. - */ - function pollInterval() - { - return 10; - } - - /** - * Ping! - * @return boolean true if we found something - */ - function poll() - { - $this->switchSite(); - $confirm = $this->next_confirm(); - if ($confirm) { - $this->handle_confirm($confirm); - return true; - } else { - return false; - } - } - - protected function handle_confirm($confirm) - { - require_once INSTALLDIR . '/lib/jabber.php'; - - common_log(LOG_INFO, 'Sending confirmation for ' . $confirm->address); - $user = User::staticGet($confirm->user_id); - if (!$user) { - common_log(LOG_WARNING, 'Confirmation for unknown user ' . $confirm->user_id); - return; - } - $success = jabber_confirm_address($confirm->code, - $user->nickname, - $confirm->address); - if (!$success) { - common_log(LOG_ERR, 'Confirmation failed for ' . $confirm->address); - # Just let the claim age out; hopefully things work then - return; - } else { - common_log(LOG_INFO, 'Confirmation sent for ' . $confirm->address); - # Mark confirmation sent; need a dupe so we don't have the WHERE clause - $dupe = Confirm_address::staticGet('code', $confirm->code); - if (!$dupe) { - common_log(LOG_WARNING, 'Could not refetch confirm', __FILE__); - return; - } - $orig = clone($dupe); - $dupe->sent = $dupe->claimed; - $result = $dupe->update($orig); - if (!$result) { - common_log_db_error($dupe, 'UPDATE', __FILE__); - # Just let the claim age out; hopefully things work then - return; - } - } - return true; - } - - protected function next_confirm() - { - $confirm = new Confirm_address(); - $confirm->whereAdd('claimed IS null'); - $confirm->whereAdd('sent IS null'); - # XXX: eventually we could do other confirmations in the queue, too - $confirm->address_type = 'jabber'; - $confirm->orderBy('modified DESC'); - $confirm->limit(1); - if ($confirm->find(true)) { - common_log(LOG_INFO, 'Claiming confirmation for ' . $confirm->address); - # working around some weird DB_DataObject behaviour - $confirm->whereAdd(''); # clears where stuff - $original = clone($confirm); - $confirm->claimed = common_sql_now(); - $result = $confirm->update($original); - if ($result) { - common_log(LOG_INFO, 'Succeeded in claim! '. $result); - return $confirm; - } else { - common_log(LOG_INFO, 'Failed in claim!'); - return false; - } - } - return null; - } - - protected function clear_old_confirm_claims() - { - $confirm = new Confirm(); - $confirm->claimed = null; - $confirm->whereAdd('now() - claimed > '.CLAIM_TIMEOUT); - $confirm->update(DB_DATAOBJECT_WHEREADD_ONLY); - $confirm->free(); - unset($confirm); - } - - /** - * Make sure we're on the right site configuration - */ - protected function switchSite() - { - if ($this->site != common_config('site', 'server')) { - common_log(LOG_DEBUG, __METHOD__ . ": switching to site $this->site"); - $this->stats('switch'); - StatusNet::init($this->site); - } - } -} diff --git a/lib/xmppmanager.php b/lib/xmppmanager.php index dfff63a30..299175dd7 100644 --- a/lib/xmppmanager.php +++ b/lib/xmppmanager.php @@ -70,6 +70,7 @@ class XmppManager extends IoManager function __construct() { $this->site = common_config('site', 'server'); + $this->resource = common_config('xmpp', 'resource') . 'daemon'; } /** @@ -86,15 +87,19 @@ class XmppManager extends IoManager # Low priority; we don't want to receive messages common_log(LOG_INFO, "INITIALIZE"); - $this->conn = jabber_connect($this->resource()); + $this->conn = jabber_connect($this->resource); if (empty($this->conn)) { common_log(LOG_ERR, "Couldn't connect to server."); return false; } - $this->conn->addEventHandler('message', 'forward_message', $this); + $this->log(LOG_DEBUG, "Initializing stanza handlers."); + + $this->conn->addEventHandler('message', 'handle_message', $this); + $this->conn->addEventHandler('presence', 'handle_presence', $this); $this->conn->addEventHandler('reconnect', 'handle_reconnect', $this); + $this->conn->setReconnectTimeout(600); jabber_send_presence("Send me a message to post a notice", 'available', null, 'available', -1); @@ -175,12 +180,37 @@ class XmppManager extends IoManager } } + /** + * For queue handlers to pass us a message to push out, + * if we're active. + * + * @fixme should this be blocking etc? + * + * @param string $msg XML stanza to send + * @return boolean success + */ + public function send($msg) + { + if ($this->conn && !$this->conn->isDisconnected()) { + $bytes = $this->conn->send($msg); + if ($bytes > 0) { + $this->conn->processTime(0); + return true; + } else { + return false; + } + } else { + // Can't send right now... + return false; + } + } + /** * Send a keepalive ping to the XMPP server. */ protected function sendPing() { - $jid = jabber_daemon_address().'/'.$this->resource(); + $jid = jabber_daemon_address().'/'.$this->resource; $server = common_config('xmpp', 'server'); if (!isset($this->pingid)) { @@ -206,61 +236,239 @@ class XmppManager extends IoManager $this->conn->presence(null, 'available', null, 'available', -1); } + + function get_user($from) + { + $user = User::staticGet('jabber', jabber_normalize_jid($from)); + return $user; + } + /** - * Callback for Jabber message event. - * - * This connection handles output; if we get a message straight to us, - * forward it on to our XmppDaemon listener for processing. - * - * @param $pl + * XMPP callback for handling message input... + * @param array $pl XMPP payload */ - function forward_message(&$pl) + function handle_message(&$pl) { + $from = jabber_normalize_jid($pl['from']); + if ($pl['type'] != 'chat') { - common_log(LOG_DEBUG, 'Ignoring message of type ' . $pl['type'] . ' from ' . $pl['from']); + $this->log(LOG_WARNING, "Ignoring message of type ".$pl['type']." from $from."); return; } - $listener = $this->listener(); - if (strtolower($listener) == strtolower($pl['from'])) { - common_log(LOG_WARNING, 'Ignoring loop message.'); + + if (mb_strlen($pl['body']) == 0) { + $this->log(LOG_WARNING, "Ignoring message with empty body from $from."); return; } - common_log(LOG_INFO, 'Forwarding message from ' . $pl['from'] . ' to ' . $listener); - $this->conn->message($this->listener(), $pl['body'], 'chat', null, $this->ofrom($pl['from'])); + + // Forwarded from another daemon for us to handle; this shouldn't + // happen any more but we might get some legacy items. + if ($this->is_self($from)) { + $this->log(LOG_INFO, "Got forwarded notice from self ($from)."); + $from = $this->get_ofrom($pl); + $this->log(LOG_INFO, "Originally sent by $from."); + if (is_null($from) || $this->is_self($from)) { + $this->log(LOG_INFO, "Ignoring notice originally sent by $from."); + return; + } + } + + $user = $this->get_user($from); + + // For common_current_user to work + global $_cur; + $_cur = $user; + + if (!$user) { + $this->from_site($from, 'Unknown user; go to ' . + common_local_url('imsettings') . + ' to add your address to your account'); + $this->log(LOG_WARNING, 'Message from unknown user ' . $from); + return; + } + if ($this->handle_command($user, $pl['body'])) { + $this->log(LOG_INFO, "Command message by $from handled."); + return; + } else if ($this->is_autoreply($pl['body'])) { + $this->log(LOG_INFO, 'Ignoring auto reply from ' . $from); + return; + } else if ($this->is_otr($pl['body'])) { + $this->log(LOG_INFO, 'Ignoring OTR from ' . $from); + return; + } else { + + $this->log(LOG_INFO, 'Posting a notice from ' . $user->nickname); + + $this->add_notice($user, $pl); + } + + $user->free(); + unset($user); + unset($_cur); + + unset($pl['xml']); + $pl['xml'] = null; + + $pl = null; + unset($pl); } - /** - * Build an block with an ofrom entry for forwarded messages - * - * @param string $from Jabber ID of original sender - * @return string XML fragment - */ - protected function ofrom($from) + + function is_self($from) { - $address = "\n"; - $address .= "
\n"; - $address .= "\n"; - return $address; + return preg_match('/^'.strtolower(jabber_daemon_address()).'/', strtolower($from)); } - /** - * Build the complete JID of the XmppDaemon process which - * handles primary XMPP input for this site. - * - * @return string Jabber ID - */ - protected function listener() + function get_ofrom($pl) + { + $xml = $pl['xml']; + $addresses = $xml->sub('addresses'); + if (!$addresses) { + $this->log(LOG_WARNING, 'Forwarded message without addresses'); + return null; + } + $address = $addresses->sub('address'); + if (!$address) { + $this->log(LOG_WARNING, 'Forwarded message without address'); + return null; + } + if (!array_key_exists('type', $address->attrs)) { + $this->log(LOG_WARNING, 'No type for forwarded message'); + return null; + } + $type = $address->attrs['type']; + if ($type != 'ofrom') { + $this->log(LOG_WARNING, 'Type of forwarded message is not ofrom'); + return null; + } + if (!array_key_exists('jid', $address->attrs)) { + $this->log(LOG_WARNING, 'No jid for forwarded message'); + return null; + } + $jid = $address->attrs['jid']; + if (!$jid) { + $this->log(LOG_WARNING, 'Could not get jid from address'); + return null; + } + $this->log(LOG_DEBUG, 'Got message forwarded from jid ' . $jid); + return $jid; + } + + function is_autoreply($txt) + { + if (preg_match('/[\[\(]?[Aa]uto[-\s]?[Rr]e(ply|sponse)[\]\)]/', $txt)) { + return true; + } else if (preg_match('/^System: Message wasn\'t delivered. Offline storage size was exceeded.$/', $txt)) { + return true; + } else { + return false; + } + } + + function is_otr($txt) + { + if (preg_match('/^\?OTR/', $txt)) { + return true; + } else { + return false; + } + } + + function from_site($address, $msg) + { + $text = '['.common_config('site', 'name') . '] ' . $msg; + jabber_send_message($address, $text); + } + + function handle_command($user, $body) { - if (common_config('xmpp', 'listener')) { - return common_config('xmpp', 'listener'); + $inter = new CommandInterpreter(); + $cmd = $inter->handle_command($user, $body); + if ($cmd) { + $chan = new XMPPChannel($this->conn); + $cmd->execute($chan); + return true; } else { - return jabber_daemon_address() . '/' . common_config('xmpp','resource') . 'daemon'; + return false; + } + } + + function add_notice(&$user, &$pl) + { + $body = trim($pl['body']); + $content_shortened = common_shorten_links($body); + if (Notice::contentTooLong($content_shortened)) { + $from = jabber_normalize_jid($pl['from']); + $this->from_site($from, sprintf(_('Message too long - maximum is %1$d characters, you sent %2$d.'), + Notice::maxContent(), + mb_strlen($content_shortened))); + return; + } + + try { + $notice = Notice::saveNew($user->id, $content_shortened, 'xmpp'); + } catch (Exception $e) { + $this->log(LOG_ERR, $e->getMessage()); + $this->from_site($user->jabber, $e->getMessage()); + return; } + + common_broadcast_notice($notice); + $this->log(LOG_INFO, + 'Added notice ' . $notice->id . ' from user ' . $user->nickname); + $notice->free(); + unset($notice); + } + + function handle_presence(&$pl) + { + $from = jabber_normalize_jid($pl['from']); + switch ($pl['type']) { + case 'subscribe': + # We let anyone subscribe + $this->subscribed($from); + $this->log(LOG_INFO, + 'Accepted subscription from ' . $from); + break; + case 'subscribed': + case 'unsubscribed': + case 'unsubscribe': + $this->log(LOG_INFO, + 'Ignoring "' . $pl['type'] . '" from ' . $from); + break; + default: + if (!$pl['type']) { + $user = User::staticGet('jabber', $from); + if (!$user) { + $this->log(LOG_WARNING, 'Presence from unknown user ' . $from); + return; + } + if ($user->updatefrompresence) { + $this->log(LOG_INFO, 'Updating ' . $user->nickname . + ' status from presence.'); + $this->add_notice($user, $pl); + } + $user->free(); + unset($user); + } + break; + } + unset($pl['xml']); + $pl['xml'] = null; + + $pl = null; + unset($pl); + } + + function log($level, $msg) + { + $text = 'XMPPDaemon('.$this->resource.'): '.$msg; + common_log($level, $text); } - protected function resource() + function subscribed($to) { - return 'queue' . posix_getpid(); // @fixme PIDs won't be host-unique + jabber_special_presence('subscribed', $to); } /** diff --git a/lib/xmppoutqueuehandler.php b/lib/xmppoutqueuehandler.php new file mode 100644 index 000000000..2afa260f1 --- /dev/null +++ b/lib/xmppoutqueuehandler.php @@ -0,0 +1,55 @@ +. + */ + +/** + * Queue handler for pre-processed outgoing XMPP messages. + * Formatted XML stanzas will have been pushed into the queue + * via the Queued_XMPP connection proxy, probably from some + * other queue processor. + * + * Here, the XML stanzas are simply pulled out of the queue and + * pushed out over the wire; an XmppManager is needed to set up + * and maintain the actual server connection. + * + * This queue will be run via XmppDaemon rather than QueueDaemon. + * + * @author Brion Vibber + */ +class XmppOutQueueHandler extends QueueHandler +{ + function transport() { + return 'xmppout'; + } + + /** + * Take a previously-queued XMPP stanza and send it out ot the server. + * @param string $msg + * @return boolean true on success + */ + function handle($msg) + { + assert(is_string($msg)); + + $xmpp = XmppManager::get(); + $ok = $xmpp->send($msg); + + return $ok; + } +} + diff --git a/plugins/Enjit/enjitqueuehandler.php b/plugins/Enjit/enjitqueuehandler.php index f0e706b92..14085cc5e 100644 --- a/plugins/Enjit/enjitqueuehandler.php +++ b/plugins/Enjit/enjitqueuehandler.php @@ -32,14 +32,7 @@ class EnjitQueueHandler extends QueueHandler return 'enjit'; } - function start() - { - $this->log(LOG_INFO, "Starting EnjitQueueHandler"); - $this->log(LOG_INFO, "Broadcasting to ".common_config('enjit', 'apiurl')); - return true; - } - - function handle_notice($notice) + function handle($notice) { $profile = Profile::staticGet($notice->profile_id); diff --git a/plugins/Facebook/facebookqueuehandler.php b/plugins/Facebook/facebookqueuehandler.php index 1778690e5..524af7bc4 100644 --- a/plugins/Facebook/facebookqueuehandler.php +++ b/plugins/Facebook/facebookqueuehandler.php @@ -28,7 +28,7 @@ class FacebookQueueHandler extends QueueHandler return 'facebook'; } - function handle_notice($notice) + function handle($notice) { if ($this->_isLocal($notice)) { return facebookBroadcastNotice($notice); diff --git a/plugins/RSSCloud/RSSCloudPlugin.php b/plugins/RSSCloud/RSSCloudPlugin.php index 2de162628..9f444c8bb 100644 --- a/plugins/RSSCloud/RSSCloudPlugin.php +++ b/plugins/RSSCloud/RSSCloudPlugin.php @@ -138,6 +138,9 @@ class RSSCloudPlugin extends Plugin case 'RSSCloudNotifier': include_once INSTALLDIR . '/plugins/RSSCloud/RSSCloudNotifier.php'; return false; + case 'RSSCloudQueueHandler': + include_once INSTALLDIR . '/plugins/RSSCloud/RSSCloudQueueHandler.php'; + return false; case 'RSSCloudRequestNotifyAction': case 'LoggingAggregatorAction': include_once INSTALLDIR . '/plugins/RSSCloud/' . @@ -193,32 +196,6 @@ class RSSCloudPlugin extends Plugin return true; } - /** - * broadcast the message when not using queuehandler - * - * @param Notice &$notice the notice - * @param array $queue destination queue - * - * @return boolean hook return - */ - - function onUnqueueHandleNotice(&$notice, $queue) - { - if (($queue == 'rsscloud') && ($this->_isLocal($notice))) { - - common_debug('broadcasting rssCloud bound notice ' . $notice->id); - - $profile = $notice->getProfile(); - - $notifier = new RSSCloudNotifier(); - $notifier->notify($profile); - - return false; - } - - return true; - } - /** * Determine whether the notice was locally created * @@ -261,19 +238,15 @@ class RSSCloudPlugin extends Plugin } /** - * Add RSSCloudQueueHandler to the list of valid daemons to - * start + * Register RSSCloud notice queue handler * - * @param array $daemons the list of daemons to run + * @param QueueManager $manager * * @return boolean hook return - * */ - - function onGetValidDaemons($daemons) + function onEndInitializeQueueManager($manager) { - array_push($daemons, INSTALLDIR . - '/plugins/RSSCloud/RSSCloudQueueHandler.php'); + $manager->connect('rsscloud', 'RSSCloudQueueHandler'); return true; } diff --git a/plugins/RSSCloud/RSSCloudQueueHandler.php b/plugins/RSSCloud/RSSCloudQueueHandler.php old mode 100755 new mode 100644 index 693dd27c1..295c26189 --- a/plugins/RSSCloud/RSSCloudQueueHandler.php +++ b/plugins/RSSCloud/RSSCloudQueueHandler.php @@ -1,4 +1,3 @@ -#!/usr/bin/env php . */ -define('INSTALLDIR', realpath(dirname(__FILE__) . '/../..')); - -$shortoptions = 'i::'; -$longoptions = array('id::'); - -$helptext = <<log(LOG_INFO, "INITIALIZE"); - $this->notifier = new RSSCloudNotifier(); - return true; - } - - function handle_notice($notice) + function handle($notice) { $profile = $notice->getProfile(); - return $this->notifier->notify($profile); - } - - function finish() - { + $notifier = new RSSCloudNotifier(); + return $notifier->notify($profile); } - -} - -if (have_option('i')) { - $id = get_option_value('i'); -} else if (have_option('--id')) { - $id = get_option_value('--id'); -} else if (count($args) > 0) { - $id = $args[0]; -} else { - $id = null; } -$handler = new RSSCloudQueueHandler($id); - -$handler->runOnce(); diff --git a/plugins/TwitterBridge/twitterqueuehandler.php b/plugins/TwitterBridge/twitterqueuehandler.php index 5089ca7b7..b5a624e83 100644 --- a/plugins/TwitterBridge/twitterqueuehandler.php +++ b/plugins/TwitterBridge/twitterqueuehandler.php @@ -28,7 +28,7 @@ class TwitterQueueHandler extends QueueHandler return 'twitter'; } - function handle_notice($notice) + function handle($notice) { return broadcast_twitter($notice); } diff --git a/scripts/handlequeued.php b/scripts/handlequeued.php index 9031437aa..815884969 100755 --- a/scripts/handlequeued.php +++ b/scripts/handlequeued.php @@ -50,7 +50,7 @@ if (empty($notice)) { exit(1); } -if (!$handler->handle_notice($notice)) { +if (!$handler->handle($notice)) { print "Failed to handle notice id $noticeId on queue '$queue'.\n"; exit(1); } diff --git a/scripts/queuedaemon.php b/scripts/queuedaemon.php index 162f617e0..a9cfda6d7 100755 --- a/scripts/queuedaemon.php +++ b/scripts/queuedaemon.php @@ -29,6 +29,8 @@ $longoptions = array('id=', 'foreground', 'all', 'threads=', 'skip-xmpp', 'xmpp- * * Recognizes Linux and Mac OS X; others will return default of 1. * + * @fixme move this to SpawningDaemon, but to get the default val for help + * text we seem to need it before loading infrastructure * @return intval */ function getProcessorCount() @@ -83,143 +85,29 @@ define('CLAIM_TIMEOUT', 1200); * We can then pass individual items through the QueueHandler subclasses * they belong to. */ -class QueueDaemon extends Daemon +class QueueDaemon extends SpawningDaemon { - protected $allsites; - protected $threads=1; + protected $allsites = false; function __construct($id=null, $daemonize=true, $threads=1, $allsites=false) { - parent::__construct($daemonize); - - if ($id) { - $this->set_id($id); - } + parent::__construct($id, $daemonize, $threads); $this->all = $allsites; - $this->threads = $threads; - } - - /** - * How many seconds a polling-based queue manager should wait between - * checks for new items to handle. - * - * Defaults to 60 seconds; override to speed up or slow down. - * - * @return int timeout in seconds - */ - function timeout() - { - return 60; - } - - function name() - { - return strtolower(get_class($this).'.'.$this->get_id()); - } - - function run() - { - if ($this->threads > 1) { - return $this->runThreads(); - } else { - return $this->runLoop(); - } - } - - function runThreads() - { - $children = array(); - for ($i = 1; $i <= $this->threads; $i++) { - $pid = pcntl_fork(); - if ($pid < 0) { - print "Couldn't fork for thread $i; aborting\n"; - exit(1); - } else if ($pid == 0) { - $this->runChild($i); - exit(0); - } else { - $this->log(LOG_INFO, "Spawned thread $i as pid $pid"); - $children[$i] = $pid; - } - } - - $this->log(LOG_INFO, "Waiting for children to complete."); - while (count($children) > 0) { - $status = null; - $pid = pcntl_wait($status); - if ($pid > 0) { - $i = array_search($pid, $children); - if ($i === false) { - $this->log(LOG_ERR, "Unrecognized child pid $pid exited!"); - continue; - } - unset($children[$i]); - $this->log(LOG_INFO, "Thread $i pid $pid exited."); - - $pid = pcntl_fork(); - if ($pid < 0) { - print "Couldn't fork to respawn thread $i; aborting thread.\n"; - } else if ($pid == 0) { - $this->runChild($i); - exit(0); - } else { - $this->log(LOG_INFO, "Respawned thread $i as pid $pid"); - $children[$i] = $pid; - } - } - } - $this->log(LOG_INFO, "All child processes complete."); - return true; - } - - function runChild($thread) - { - $this->set_id($this->get_id() . "." . $thread); - $this->resetDb(); - $this->runLoop(); - } - - /** - * Reconnect to the database for each child process, - * or they'll get very confused trying to use the - * same socket. - */ - function resetDb() - { - // @fixme do we need to explicitly open the db too - // or is this implied? - global $_DB_DATAOBJECT; - unset($_DB_DATAOBJECT['CONNECTIONS']); - - // Reconnect main memcached, or threads will stomp on - // each other and corrupt their requests. - $cache = common_memcache(); - if ($cache) { - $cache->reconnect(); - } - - // Also reconnect memcached for status_network table. - if (!empty(Status_network::$cache)) { - Status_network::$cache->close(); - Status_network::$cache = null; - } } /** * Setup and start of run loop for this queue handler as a daemon. * Most of the heavy lifting is passed on to the QueueManager's service() - * method, which passes control on to the QueueHandler's handle_notice() - * method for each notice that comes in on the queue. - * - * Most of the time this won't need to be overridden in a subclass. + * method, which passes control on to the QueueHandler's handle() + * method for each item that comes in on the queue. * * @return boolean true on success, false on failure */ - function runLoop() + function runThread() { $this->log(LOG_INFO, 'checking for queued notices'); - $master = new IoMaster($this->get_id()); + $master = new QueueMaster($this->get_id()); $master->init($this->all); $master->service(); @@ -229,10 +117,25 @@ class QueueDaemon extends Daemon return true; } +} - function log($level, $msg) +class QueueMaster extends IoMaster +{ + /** + * Initialize IoManagers for the currently configured site + * which are appropriate to this instance. + */ + function initManagers() { - common_log($level, get_class($this) . ' ('. $this->get_id() .'): '.$msg); + $classes = array(); + if (Event::handle('StartQueueDaemonIoManagers', array(&$classes))) { + $classes[] = 'QueueManager'; + } + Event::handle('EndQueueDaemonIoManagers', array(&$classes)); + + foreach ($classes as $class) { + $this->instantiate($class); + } } } diff --git a/scripts/xmppdaemon.php b/scripts/xmppdaemon.php index cef9c4bd0..fd7cf055b 100755 --- a/scripts/xmppdaemon.php +++ b/scripts/xmppdaemon.php @@ -33,347 +33,46 @@ END_OF_XMPP_HELP; require_once INSTALLDIR.'/scripts/commandline.inc'; -require_once INSTALLDIR . '/lib/common.php'; require_once INSTALLDIR . '/lib/jabber.php'; -require_once INSTALLDIR . '/lib/daemon.php'; -# This is kind of clunky; we create a class to call the global functions -# in jabber.php, which create a new XMPP class. A more elegant (?) solution -# might be to use make this a subclass of XMPP. - -class XMPPDaemon extends Daemon +class XMPPDaemon extends SpawningDaemon { - function __construct($resource=null, $daemonize=true) - { - parent::__construct($daemonize); - - static $attrs = array('server', 'port', 'user', 'password', 'host'); - - foreach ($attrs as $attr) - { - $this->$attr = common_config('xmpp', $attr); - } - - if ($resource) { - $this->resource = $resource . 'daemon'; - } else { - $this->resource = common_config('xmpp', 'resource') . 'daemon'; - } - - $this->jid = $this->user.'@'.$this->server.'/'.$this->resource; - - $this->log(LOG_INFO, "INITIALIZE XMPPDaemon {$this->jid}"); - } - - function connect() - { - $connect_to = ($this->host) ? $this->host : $this->server; - - $this->log(LOG_INFO, "Connecting to $connect_to on port $this->port"); - - $this->conn = jabber_connect($this->resource); - - if (!$this->conn) { - return false; - } - - $this->log(LOG_INFO, "Connected"); - - $this->conn->setReconnectTimeout(600); - - $this->log(LOG_INFO, "Sending initial presence."); - - jabber_send_presence("Send me a message to post a notice", 'available', - null, 'available', 100); - - $this->log(LOG_INFO, "Done connecting."); - - return !$this->conn->isDisconnected(); - } - - function name() - { - return strtolower('xmppdaemon.'.$this->resource); - } - - function run() + function __construct($id=null, $daemonize=true, $threads=1) { - if ($this->connect()) { - - $this->log(LOG_DEBUG, "Initializing stanza handlers."); - - $this->conn->addEventHandler('message', 'handle_message', $this); - $this->conn->addEventHandler('presence', 'handle_presence', $this); - $this->conn->addEventHandler('reconnect', 'handle_reconnect', $this); - - $this->log(LOG_DEBUG, "Beginning processing loop."); - - while ($this->conn->processTime(60)) { - $this->sendPing(); - } + if ($threads != 1) { + // This should never happen. :) + throw new Exception("XMPPDaemon can must run single-threaded"); } + parent::__construct($id, $daemonize, $threads); } - function sendPing() + function runThread() { - if (!isset($this->pingid)) { - $this->pingid = 0; - } else { - $this->pingid++; - } + common_log(LOG_INFO, 'Waiting to listen to XMPP and queues'); - $this->log(LOG_DEBUG, "Sending ping #{$this->pingid}"); + $master = new XmppMaster($this->get_id()); + $master->init(); + $master->service(); - $this->conn->send(""); - } + common_log(LOG_INFO, 'terminating normally'); - function handle_reconnect(&$pl) - { - $this->log(LOG_DEBUG, "Got reconnection callback."); - $this->conn->processUntil('session_start'); - $this->log(LOG_DEBUG, "Sending reconnection presence."); - $this->conn->presence('Send me a message to post a notice', 'available', null, 'available', 100); - unset($pl['xml']); - $pl['xml'] = null; - - $pl = null; - unset($pl); - } - - function get_user($from) - { - $user = User::staticGet('jabber', jabber_normalize_jid($from)); - return $user; + return true; } - function handle_message(&$pl) - { - $from = jabber_normalize_jid($pl['from']); - - if ($pl['type'] != 'chat') { - $this->log(LOG_WARNING, "Ignoring message of type ".$pl['type']." from $from."); - return; - } - - if (mb_strlen($pl['body']) == 0) { - $this->log(LOG_WARNING, "Ignoring message with empty body from $from."); - return; - } - - # Forwarded from another daemon (probably a broadcaster) for - # us to handle - - if ($this->is_self($from)) { - $this->log(LOG_INFO, "Got forwarded notice from self ($from)."); - $from = $this->get_ofrom($pl); - $this->log(LOG_INFO, "Originally sent by $from."); - if (is_null($from) || $this->is_self($from)) { - $this->log(LOG_INFO, "Ignoring notice originally sent by $from."); - return; - } - } - - $user = $this->get_user($from); - - // For common_current_user to work - global $_cur; - $_cur = $user; - - if (!$user) { - $this->from_site($from, 'Unknown user; go to ' . - common_local_url('imsettings') . - ' to add your address to your account'); - $this->log(LOG_WARNING, 'Message from unknown user ' . $from); - return; - } - if ($this->handle_command($user, $pl['body'])) { - $this->log(LOG_INFO, "Command message by $from handled."); - return; - } else if ($this->is_autoreply($pl['body'])) { - $this->log(LOG_INFO, 'Ignoring auto reply from ' . $from); - return; - } else if ($this->is_otr($pl['body'])) { - $this->log(LOG_INFO, 'Ignoring OTR from ' . $from); - return; - } else { - - $this->log(LOG_INFO, 'Posting a notice from ' . $user->nickname); - - $this->add_notice($user, $pl); - } - - $user->free(); - unset($user); - unset($_cur); - - unset($pl['xml']); - $pl['xml'] = null; - - $pl = null; - unset($pl); - } - - function is_self($from) - { - return preg_match('/^'.strtolower(jabber_daemon_address()).'/', strtolower($from)); - } - - function get_ofrom($pl) - { - $xml = $pl['xml']; - $addresses = $xml->sub('addresses'); - if (!$addresses) { - $this->log(LOG_WARNING, 'Forwarded message without addresses'); - return null; - } - $address = $addresses->sub('address'); - if (!$address) { - $this->log(LOG_WARNING, 'Forwarded message without address'); - return null; - } - if (!array_key_exists('type', $address->attrs)) { - $this->log(LOG_WARNING, 'No type for forwarded message'); - return null; - } - $type = $address->attrs['type']; - if ($type != 'ofrom') { - $this->log(LOG_WARNING, 'Type of forwarded message is not ofrom'); - return null; - } - if (!array_key_exists('jid', $address->attrs)) { - $this->log(LOG_WARNING, 'No jid for forwarded message'); - return null; - } - $jid = $address->attrs['jid']; - if (!$jid) { - $this->log(LOG_WARNING, 'Could not get jid from address'); - return null; - } - $this->log(LOG_DEBUG, 'Got message forwarded from jid ' . $jid); - return $jid; - } - - function is_autoreply($txt) - { - if (preg_match('/[\[\(]?[Aa]uto[-\s]?[Rr]e(ply|sponse)[\]\)]/', $txt)) { - return true; - } else if (preg_match('/^System: Message wasn\'t delivered. Offline storage size was exceeded.$/', $txt)) { - return true; - } else { - return false; - } - } - - function is_otr($txt) - { - if (preg_match('/^\?OTR/', $txt)) { - return true; - } else { - return false; - } - } - - function from_site($address, $msg) - { - $text = '['.common_config('site', 'name') . '] ' . $msg; - jabber_send_message($address, $text); - } - - function handle_command($user, $body) - { - $inter = new CommandInterpreter(); - $cmd = $inter->handle_command($user, $body); - if ($cmd) { - $chan = new XMPPChannel($this->conn); - $cmd->execute($chan); - return true; - } else { - return false; - } - } - - function add_notice(&$user, &$pl) - { - $body = trim($pl['body']); - $content_shortened = common_shorten_links($body); - if (Notice::contentTooLong($content_shortened)) { - $from = jabber_normalize_jid($pl['from']); - $this->from_site($from, sprintf(_('Message too long - maximum is %1$d characters, you sent %2$d.'), - Notice::maxContent(), - mb_strlen($content_shortened))); - return; - } - - try { - $notice = Notice::saveNew($user->id, $content_shortened, 'xmpp'); - } catch (Exception $e) { - $this->log(LOG_ERR, $e->getMessage()); - $this->from_site($user->jabber, $e->getMessage()); - return; - } - - common_broadcast_notice($notice); - $this->log(LOG_INFO, - 'Added notice ' . $notice->id . ' from user ' . $user->nickname); - $notice->free(); - unset($notice); - } - - function handle_presence(&$pl) - { - $from = jabber_normalize_jid($pl['from']); - switch ($pl['type']) { - case 'subscribe': - # We let anyone subscribe - $this->subscribed($from); - $this->log(LOG_INFO, - 'Accepted subscription from ' . $from); - break; - case 'subscribed': - case 'unsubscribed': - case 'unsubscribe': - $this->log(LOG_INFO, - 'Ignoring "' . $pl['type'] . '" from ' . $from); - break; - default: - if (!$pl['type']) { - $user = User::staticGet('jabber', $from); - if (!$user) { - $this->log(LOG_WARNING, 'Presence from unknown user ' . $from); - return; - } - if ($user->updatefrompresence) { - $this->log(LOG_INFO, 'Updating ' . $user->nickname . - ' status from presence.'); - $this->add_notice($user, $pl); - } - $user->free(); - unset($user); - } - break; - } - unset($pl['xml']); - $pl['xml'] = null; - - $pl = null; - unset($pl); - } - - function log($level, $msg) - { - $text = 'XMPPDaemon('.$this->resource.'): '.$msg; - common_log($level, $text); - if (!$this->daemonize) - { - $line = common_log_line($level, $text); - echo $line; - echo "\n"; - } - } +} - function subscribed($to) - { - jabber_special_presence('subscribed', $to); +class XmppMaster extends IoMaster +{ + /** + * Initialize IoManagers for the currently configured site + * which are appropriate to this instance. + */ + function initManagers() + { + // @fixme right now there's a hack in QueueManager to determine + // which queues to subscribe to based on the master class. + $this->instantiate('QueueManager'); + $this->instantiate('XmppManager'); } } -- cgit v1.2.3-54-g00ecf From 672126968f42ebda3cc444190c4364ea35144dad Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Fri, 22 Jan 2010 10:12:26 -0500 Subject: Updated some references to the long gnone "isEnclosure" function to the new "getEnclosure" --- classes/File.php | 2 ++ lib/api.php | 9 +++++---- lib/util.php | 17 +++++------------ 3 files changed, 12 insertions(+), 16 deletions(-) diff --git a/classes/File.php b/classes/File.php index c527c4ffe..34e4632a8 100644 --- a/classes/File.php +++ b/classes/File.php @@ -251,6 +251,8 @@ class File extends Memcached_DataObject if($oembed->modified) $enclosure->modified=$oembed->modified; unset($oembed->size); } + } else { + return false; } } } diff --git a/lib/api.php b/lib/api.php index 794b14050..b4803fe62 100644 --- a/lib/api.php +++ b/lib/api.php @@ -288,11 +288,12 @@ class ApiAction extends Action $twitter_status['attachments'] = array(); foreach ($attachments as $attachment) { - if ($attachment->isEnclosure()) { + $enclosure_o=$attachment->getEnclosure(); + if ($attachment_enclosure) { $enclosure = array(); - $enclosure['url'] = $attachment->url; - $enclosure['mimetype'] = $attachment->mimetype; - $enclosure['size'] = $attachment->size; + $enclosure['url'] = $enclosure_o->url; + $enclosure['mimetype'] = $enclosure_o->mimetype; + $enclosure['size'] = $enclosure_o->size; $twitter_status['attachments'][] = $enclosure; } } diff --git a/lib/util.php b/lib/util.php index fb3b8be87..01b159ac1 100644 --- a/lib/util.php +++ b/lib/util.php @@ -596,20 +596,13 @@ function common_linkify($url) { } if (!empty($f)) { - if ($f->isEnclosure()) { + if ($f->getEnclosure()) { $is_attachment = true; $attachment_id = $f->id; - } else { - $foe = File_oembed::staticGet('file_id', $f->id); - if (!empty($foe)) { - // if it has OEmbed info, it's an attachment, too - $is_attachment = true; - $attachment_id = $f->id; - - $thumb = File_thumbnail::staticGet('file_id', $f->id); - if (!empty($thumb)) { - $has_thumb = true; - } + + $thumb = File_thumbnail::staticGet('file_id', $f->id); + if (!empty($thumb)) { + $has_thumb = true; } } } -- cgit v1.2.3-54-g00ecf From 7be5e7e524bbe3a789b2f352f14a011fc1dc8ba2 Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Fri, 22 Jan 2010 10:40:21 -0500 Subject: stupid mistake... let's not talk about this. --- lib/api.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/api.php b/lib/api.php index b4803fe62..825262b4c 100644 --- a/lib/api.php +++ b/lib/api.php @@ -289,7 +289,7 @@ class ApiAction extends Action foreach ($attachments as $attachment) { $enclosure_o=$attachment->getEnclosure(); - if ($attachment_enclosure) { + if ($enclosure_o) { $enclosure = array(); $enclosure['url'] = $enclosure_o->url; $enclosure['mimetype'] = $enclosure_o->mimetype; -- cgit v1.2.3-54-g00ecf From b7940ef39f476b6a4cd7619267b735e98b0d7cfa Mon Sep 17 00:00:00 2001 From: Eric Helgeson Date: Fri, 22 Jan 2010 11:02:23 -0500 Subject: Fix unqueuemanager to work with new Queue layout pushed in 0e852def6ae5aa529cca0aef1187152fb5a880be "* Queue handlers should now define a handle() method instead of handle_notice()" And Queue managers should call handle() :) --- lib/unqueuemanager.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/unqueuemanager.php b/lib/unqueuemanager.php index 5595eac05..785de7c8c 100644 --- a/lib/unqueuemanager.php +++ b/lib/unqueuemanager.php @@ -47,7 +47,7 @@ class UnQueueManager extends QueueManager $handler = $this->getHandler($queue); if ($handler) { - $handler->handle_notice($notice); + $handler->handle($notice); } else { if (Event::handle('UnqueueHandleNotice', array(&$notice, $queue))) { throw new ServerException("UnQueueManager: Unknown queue: $queue"); -- cgit v1.2.3-54-g00ecf From c9aafe2d4ff8ae2057d124e3ca281679c7ff0885 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Fri, 22 Jan 2010 19:18:14 +0100 Subject: Fixed innerHTML problem in IE7 and 8 for badge script --- js/identica-badge.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/js/identica-badge.js b/js/identica-badge.js index 8276f22a1..e43d1c43c 100644 --- a/js/identica-badge.js +++ b/js/identica-badge.js @@ -223,7 +223,7 @@ function markupPost(raw, server) { }, changeUserTo : function(el) { $.a.user = el.rel; - $.s.h.a.innerHTML = el.rev + $.a.headerText; + $.s.h.a.appendChild(document.createTextNode(el.rev + $.a.headerText)); $.s.h.a.href = 'http://' + $.a.server + '/' + el.id; $.f.runSearch(); }, -- cgit v1.2.3-54-g00ecf From 845f051c2f85248ef85d0a34f032792ca83f04a4 Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Fri, 22 Jan 2010 18:02:05 -0500 Subject: StompQueueManager uses decode() to decode queued frames --- lib/stompqueuemanager.php | 21 +-------------------- 1 file changed, 1 insertion(+), 20 deletions(-) diff --git a/lib/stompqueuemanager.php b/lib/stompqueuemanager.php index 8f0091a13..4bbdeedc2 100644 --- a/lib/stompqueuemanager.php +++ b/lib/stompqueuemanager.php @@ -294,26 +294,7 @@ class StompQueueManager extends QueueManager StatusNet::init($site); } - if (is_numeric($frame->body)) { - $id = intval($frame->body); - $info = "notice $id posted at {$frame->headers['created']} in queue $queue"; - - $notice = Notice::staticGet('id', $id); - if (empty($notice)) { - $this->_log(LOG_WARNING, "Skipping missing $info"); - $this->ack($frame); - $this->commit(); - $this->begin(); - $this->stats('badnotice', $queue); - return false; - } - - $item = $notice; - } else { - // @fixme should we serialize, or json, or what here? - $info = "string posted at {$frame->headers['created']} in queue $queue"; - $item = $frame->body; - } + $item = $this->decode($frame->body); $handler = $this->getHandler($queue); if (!$handler) { -- cgit v1.2.3-54-g00ecf From 23c0d663d63c49183494ebb049160af633a2d2ec Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Sat, 23 Jan 2010 01:03:41 -0500 Subject: Allow for instances as well as class names to be passed as queue handlers and iomanagers. --- lib/iomaster.php | 10 +++++++--- lib/queuemanager.php | 6 ++++-- 2 files changed, 11 insertions(+), 5 deletions(-) diff --git a/lib/iomaster.php b/lib/iomaster.php index 004e92b3e..29bd677bd 100644 --- a/lib/iomaster.php +++ b/lib/iomaster.php @@ -102,7 +102,7 @@ abstract class IoMaster */ protected function instantiate($class) { - if (isset($this->singletons[$class])) { + if (is_string($class) && isset($this->singletons[$class])) { // Already instantiated a multi-site-capable handler. // Just let it know it should listen to this site too! $this->singletons[$class]->addSite(common_config('site', 'server')); @@ -129,7 +129,11 @@ abstract class IoMaster protected function getManager($class) { - return call_user_func(array($class, 'get')); + if(is_object($class)){ + return $class; + } else { + return call_user_func(array($class, 'get')); + } } /** @@ -347,7 +351,7 @@ abstract class IoMaster * for per-queue and per-site records. * * @param string $key counter name - * @param array $owners list of owner keys like 'queue:jabber' or 'site:stat01' + * @param array $owners list of owner keys like 'queue:xmpp' or 'site:stat01' */ public function stats($key, $owners=array()) { diff --git a/lib/queuemanager.php b/lib/queuemanager.php index 4eb39bfa8..b2e86b127 100644 --- a/lib/queuemanager.php +++ b/lib/queuemanager.php @@ -181,7 +181,9 @@ abstract class QueueManager extends IoManager { if (isset($this->handlers[$queue])) { $class = $this->handlers[$queue]; - if (class_exists($class)) { + if(is_object($class)) { + return $class; + } else if (class_exists($class)) { return new $class(); } else { common_log(LOG_ERR, "Nonexistent handler class '$class' for queue '$queue'"); @@ -242,7 +244,7 @@ abstract class QueueManager extends IoManager * Only registered transports will be reliably picked up! * * @param string $transport - * @param string $class + * @param string $class class name or object instance * @param string $group */ public function connect($transport, $class, $group='queuedaemon') -- cgit v1.2.3-54-g00ecf From 8c54151dbd2dbf99b23124ec618b2fa5570ac2ee Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Sat, 23 Jan 2010 13:08:59 -0500 Subject: Use StartQueueDaemonIoManagers instead of removed StartIoManagerClasses event --- plugins/Imap/ImapPlugin.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/plugins/Imap/ImapPlugin.php b/plugins/Imap/ImapPlugin.php index 89a775a16..d1e920b00 100644 --- a/plugins/Imap/ImapPlugin.php +++ b/plugins/Imap/ImapPlugin.php @@ -86,7 +86,7 @@ class ImapPlugin extends Plugin } } - function onStartIoManagerClasses(&$classes) + function onStartQueueDaemonIoManagers(&$classes) { $classes[] = new ImapManager($this); } -- cgit v1.2.3-54-g00ecf From dd513b3e535ce298252e1861af07b38651e83b8e Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Sun, 24 Jan 2010 15:34:40 +0100 Subject: Added version info for MobileProfile plugin --- plugins/MobileProfile/MobileProfilePlugin.php | 14 +++++++++++--- 1 file changed, 11 insertions(+), 3 deletions(-) diff --git a/plugins/MobileProfile/MobileProfilePlugin.php b/plugins/MobileProfile/MobileProfilePlugin.php index d426fc282..5c913836d 100644 --- a/plugins/MobileProfile/MobileProfilePlugin.php +++ b/plugins/MobileProfile/MobileProfilePlugin.php @@ -414,7 +414,15 @@ class MobileProfilePlugin extends WAP20Plugin return $proto.'://'.$serverpart.'/'.$pathpart.$relative; } -} - -?> + function onPluginVersion(&$versions) + { + $versions[] = array('name' => 'MobileProfile', + 'version' => STATUSNET_VERSION, + 'author' => 'Sarven Capadisli', + 'homepage' => 'http://status.net/wiki/Plugin:MobileProfile', + 'rawdescription' => + _m('XHTML MobileProfile output for supporting user agents.')); + return true; + } +} -- cgit v1.2.3-54-g00ecf From a5836d33e4fcd0c51a6cb6d67863f109f454ccb0 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Fri, 22 Jan 2010 15:04:53 -0800 Subject: Fix for PoweredByStatusNetPlugin to be localizable (was broken for non-English word order) (Note the .po files will have to be added manually for now as we haven't set TranslateWiki up for plugins I think) --- .../PoweredByStatusNetPlugin.php | 5 ++-- .../locale/PoweredByStatusNet.po | 32 ++++++++++++++++++++++ 2 files changed, 35 insertions(+), 2 deletions(-) create mode 100644 plugins/PoweredByStatusNet/locale/PoweredByStatusNet.po diff --git a/plugins/PoweredByStatusNet/PoweredByStatusNetPlugin.php b/plugins/PoweredByStatusNet/PoweredByStatusNetPlugin.php index c59fcca89..14d1608d3 100644 --- a/plugins/PoweredByStatusNet/PoweredByStatusNetPlugin.php +++ b/plugins/PoweredByStatusNet/PoweredByStatusNetPlugin.php @@ -46,8 +46,9 @@ class PoweredByStatusNetPlugin extends Plugin function onEndAddressData($action) { $action->elementStart('span', 'poweredby'); - $action->text(_('powered by')); - $action->element('a', array('href' => 'http://status.net/'), 'StatusNet'); + $action->raw(sprintf(_m('powered by %s'), + sprintf('%s', + _m('StatusNet')))); $action->elementEnd('span'); return true; diff --git a/plugins/PoweredByStatusNet/locale/PoweredByStatusNet.po b/plugins/PoweredByStatusNet/locale/PoweredByStatusNet.po new file mode 100644 index 000000000..bd39124ef --- /dev/null +++ b/plugins/PoweredByStatusNet/locale/PoweredByStatusNet.po @@ -0,0 +1,32 @@ +# SOME DESCRIPTIVE TITLE. +# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER +# This file is distributed under the same license as the PACKAGE package. +# FIRST AUTHOR , YEAR. +# +#, fuzzy +msgid "" +msgstr "" +"Project-Id-Version: PACKAGE VERSION\n" +"Report-Msgid-Bugs-To: \n" +"POT-Creation-Date: 2010-01-22 15:03-0800\n" +"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" +"Last-Translator: FULL NAME \n" +"Language-Team: LANGUAGE \n" +"MIME-Version: 1.0\n" +"Content-Type: text/plain; charset=CHARSET\n" +"Content-Transfer-Encoding: 8bit\n" + +#: PoweredByStatusNetPlugin.php:49 +#, php-format +msgid "powered by %s" +msgstr "" + +#: PoweredByStatusNetPlugin.php:51 +msgid "StatusNet" +msgstr "" + +#: PoweredByStatusNetPlugin.php:64 +msgid "" +"Outputs powered by StatusNet after site " +"name." +msgstr "" -- cgit v1.2.3-54-g00ecf From 5c021620801d4e06dd7eebcbacfbf040397297a8 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Mon, 25 Jan 2010 22:44:05 +0100 Subject: Updated howto create a theme --- theme/README | 51 ++++++++++++++++++++++++++++++--------------------- 1 file changed, 30 insertions(+), 21 deletions(-) diff --git a/theme/README b/theme/README index 266a89fdf..e154a723c 100644 --- a/theme/README +++ b/theme/README @@ -2,37 +2,46 @@ * * @package StatusNet * @author Sarven Capadisli - * @copyright 2009 StatusNet, Inc. + * @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/ */ -Location of key paths and files under theme/: +== Location of key paths and files == +

+base/css/
+base/css/display.css                #layout, typography rules
+base/images/                        #common icons, illustrations
+base/images/icons/icons-01.png      #main icons file (combined into a single file)
 
-./base/css/
-./base/css/display.css
-./base/images/
+default/css/
+default/css/display.css             #imports the base stylesheet for layout and adds background images and colour rules
+default/logo.png                    #default site logo for this theme
+default/mobilelogo.png              #default logo for the mobile output
+default/default-avatar-mini.png     #24x24 default avatar for minilists
+default/default-avatar-stream.png   #48x48 default avatar for notice timelines
+default/default-avatar-profile.png  #96x96 default avatar for the profile page
+
-./default/css/ -./default/css/display.css -./default/images/ -./base/display.css contains layout, typography rules: -Only alter this file if you want to change the layout of the site. Please note that, any updates to this in future statusnet releases may not be compatible with your version. +== How to create your own theme == -./default/css/display.css contains only the background images and colour rules: -This file is a good basis for creating your own theme. -Let's create a theme: +You probably want to do one of the following: -1. To start off, copy over the default theme: -cp -r default mytheme -2. Edit your mytheme stylesheet: -nano mytheme/css/display.css +* If you just want to change the text, link, background, content, sidebar colours, background image: +** Do this from the Admin->Design settings (recommended!). You could also create a directory and a file structure like the default theme, search and replace with your own values. This is more work, but, you can do this if you plan to make additional *minimal* changes. -a) Search and replace your colours and background images, or -b) Create your own layout either importing a separate stylesheet (e.g., change to @import url(base.css);) or simply place it before the rest of the rules. -4. Set /config.php to load 'mytheme': -$config['site']['theme'] = 'mytheme'; +* If you want to change the background images and colours: +# Create a directory and a file structure like the default theme. +# Have your stylesheet import base/css/display.css and add your own styles below. It is okay to add *minimal* changes here. + + +* If you want to create a different layout, typography, background images and colours: +** Create your own theme directory (base or default) with stylesheets and images like. + + +Finally, enable your theme by selecting it from the Admin->Design interface. You can set site's logo from here as well. + -- cgit v1.2.3-54-g00ecf From b3121d09c9dc49579934189fc56a0e0195c673f9 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Mon, 25 Jan 2010 14:55:04 +0000 Subject: An update to geolocation cookie to use a single file and set the expiry date to 30 days from now. --- js/util.js | 12 ++++++++++-- 1 file changed, 10 insertions(+), 2 deletions(-) diff --git a/js/util.js b/js/util.js index a7339010a..8d52d859b 100644 --- a/js/util.js +++ b/js/util.js @@ -495,7 +495,7 @@ var SN = { // StatusNet $('#'+SN.C.S.NoticeLocationId).val(''); $('#'+SN.C.S.NoticeDataGeo).attr('checked', false); - $.cookie(SN.C.S.NoticeDataGeoCookie, 'disabled'); + $.cookie(SN.C.S.NoticeDataGeoCookie, 'disabled', { path: '/', expires: SN.U.GetDateFromNow(30) }); } function getJSONgeocodeURL(geocodeURL, data) { @@ -537,7 +537,8 @@ var SN = { // StatusNet NLNU: location.url, NDG: true }; - $.cookie(SN.C.S.NoticeDataGeoCookie, JSON.stringify(cookieValue)); + + $.cookie(SN.C.S.NoticeDataGeoCookie, JSON.stringify(cookieValue), { path: '/', expires: SN.U.GetDateFromNow(30) }); }); } @@ -658,6 +659,13 @@ var SN = { // StatusNet } return false; }); + }, + + GetDateFromNow: function(days) { + var date = new Date(); + date.setTime(date.getTime() + (days * 24 * 60 * 60 * 1000)); + + return date; } }, -- cgit v1.2.3-54-g00ecf From 1cc86baba6ae5062d87c14d6108a2a494b6c53ce Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Tue, 26 Jan 2010 01:58:10 +0100 Subject: Setting the geo location cookie expire date far into the future: 2029 ;) --- js/util.js | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/js/util.js b/js/util.js index 8d52d859b..b864867fd 100644 --- a/js/util.js +++ b/js/util.js @@ -495,7 +495,7 @@ var SN = { // StatusNet $('#'+SN.C.S.NoticeLocationId).val(''); $('#'+SN.C.S.NoticeDataGeo).attr('checked', false); - $.cookie(SN.C.S.NoticeDataGeoCookie, 'disabled', { path: '/', expires: SN.U.GetDateFromNow(30) }); + $.cookie(SN.C.S.NoticeDataGeoCookie, 'disabled', { path: '/', expires: SN.U.GetFullYear(2029, 0, 1) }); } function getJSONgeocodeURL(geocodeURL, data) { @@ -538,7 +538,7 @@ var SN = { // StatusNet NDG: true }; - $.cookie(SN.C.S.NoticeDataGeoCookie, JSON.stringify(cookieValue), { path: '/', expires: SN.U.GetDateFromNow(30) }); + $.cookie(SN.C.S.NoticeDataGeoCookie, JSON.stringify(cookieValue), { path: '/', expires: SN.U.GetFullYear(2029, 0, 1) }); }); } @@ -661,9 +661,9 @@ var SN = { // StatusNet }); }, - GetDateFromNow: function(days) { + GetFullYear: function(year, month, day) { var date = new Date(); - date.setTime(date.getTime() + (days * 24 * 60 * 60 * 1000)); + date.setFullYear(year, month, day); return date; } -- cgit v1.2.3-54-g00ecf From 3fc3a2b326a01cd443f36456fe3e7b43ed4b4f2b Mon Sep 17 00:00:00 2001 From: Julien C Date: Tue, 8 Dec 2009 22:16:03 +0100 Subject: Allow logging in using Twitter Signed-off-by: Julien C --- plugins/TwitterBridge/TwitterBridgePlugin.php | 26 ++ plugins/TwitterBridge/twitter_connect.gif | Bin 0 -> 2205 bytes plugins/TwitterBridge/twitterauthorization.php | 433 +++++++++++++++++++++++-- plugins/TwitterBridge/twitterlogin.php | 95 ++++++ 4 files changed, 527 insertions(+), 27 deletions(-) create mode 100644 plugins/TwitterBridge/twitter_connect.gif create mode 100644 plugins/TwitterBridge/twitterlogin.php diff --git a/plugins/TwitterBridge/TwitterBridgePlugin.php b/plugins/TwitterBridge/TwitterBridgePlugin.php index 57b3c1c99..e39ec7be0 100644 --- a/plugins/TwitterBridge/TwitterBridgePlugin.php +++ b/plugins/TwitterBridge/TwitterBridgePlugin.php @@ -72,9 +72,34 @@ class TwitterBridgePlugin extends Plugin $m->connect('twitter/authorization', array('action' => 'twitterauthorization')); $m->connect('settings/twitter', array('action' => 'twittersettings')); + + $m->connect('main/twitterlogin', array('action' => 'twitterlogin')); return true; } + + + + /* + * Add a login tab for Twitter Connect + * + * @param Action &action the current action + * + * @return void + */ + function onEndLoginGroupNav(&$action) + { + + $action_name = $action->trimmed('action'); + + $action->menuItem(common_local_url('twitterlogin'), + _('Twitter'), + _('Login or register using Twitter'), + 'twitterlogin' === $action_name); + + return true; + } + /** * Add the Twitter Settings page to the Connect Settings menu @@ -108,6 +133,7 @@ class TwitterBridgePlugin extends Plugin switch ($cls) { case 'TwittersettingsAction': case 'TwitterauthorizationAction': + case 'TwitterloginAction': include_once INSTALLDIR . '/plugins/TwitterBridge/' . strtolower(mb_substr($cls, 0, -6)) . '.php'; return false; diff --git a/plugins/TwitterBridge/twitter_connect.gif b/plugins/TwitterBridge/twitter_connect.gif new file mode 100644 index 000000000..e3d8f3ed7 Binary files /dev/null and b/plugins/TwitterBridge/twitter_connect.gif differ diff --git a/plugins/TwitterBridge/twitterauthorization.php b/plugins/TwitterBridge/twitterauthorization.php index 4af2f0394..8ae725374 100644 --- a/plugins/TwitterBridge/twitterauthorization.php +++ b/plugins/TwitterBridge/twitterauthorization.php @@ -21,7 +21,7 @@ * * @category TwitterauthorizationAction * @package StatusNet - * @author Zach Copely + * @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/ @@ -50,6 +50,10 @@ require_once INSTALLDIR . '/plugins/TwitterBridge/twitter.php'; */ class TwitterauthorizationAction extends Action { + var $twuid = null; + var $tw_fields = null; + var $access_token = null; + /** * Initialize class members. Looks for 'oauth_token' parameter. * @@ -76,29 +80,56 @@ class TwitterauthorizationAction extends Action function handle($args) { parent::handle($args); - - if (!common_logged_in()) { - $this->clientError(_m('Not logged in.'), 403); + + if (common_logged_in()) { + $user = common_current_user(); + $flink = Foreign_link::getByUserID($user->id, TWITTER_SERVICE); + + // If there's already a foreign link record, it means we already + // have an access token, and this is unecessary. So go back. + + if (isset($flink)) { + common_redirect(common_local_url('twittersettings')); + } } - - $user = common_current_user(); - $flink = Foreign_link::getByUserID($user->id, TWITTER_SERVICE); - - // If there's already a foreign link record, it means we already - // have an access token, and this is unecessary. So go back. - - if (isset($flink)) { - common_redirect(common_local_url('twittersettings')); - } - - // $this->oauth_token is only populated once Twitter authorizes our - // request token. If it's empty we're at the beginning of the auth - // process - - if (empty($this->oauth_token)) { - $this->authorizeRequestToken(); + + + if ($_SERVER['REQUEST_METHOD'] == 'POST') { + // User was not logged in to StatusNet before + $this->twuid = $this->trimmed('twuid'); + $this->tw_fields = array("name" => $this->trimmed('name'), "fullname" => $this->trimmed('fullname')); + $this->access_token = new OAuthToken($this->trimmed('access_token_key'), $this->trimmed('access_token_secret')); + + $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 ($this->arg('create')) { + if (!$this->boolean('license')) { + $this->showForm(_('You can\'t register if you don\'t agree to the license.'), + $this->trimmed('newname')); + return; + } + $this->createNewUser(); + } else if ($this->arg('connect')) { + $this->connectNewUser(); + } else { + common_debug('Twitter Connect Plugin - ' . + print_r($this->args, true)); + $this->showForm(_('Something weird happened.'), + $this->trimmed('newname')); + } } else { - $this->saveAccessToken(); + // $this->oauth_token is only populated once Twitter authorizes our + // request token. If it's empty we're at the beginning of the auth + // process + + if (empty($this->oauth_token)) { + $this->authorizeRequestToken(); + } else { + $this->saveAccessToken(); + } } } @@ -170,16 +201,25 @@ class TwitterauthorizationAction extends Action $this->serverError(_m('Couldn\'t link your Twitter account.')); } - // Save the access token and Twitter user info - - $this->saveForeignLink($atok, $twitter_user); + if (common_logged_in()) { + // Save the access token and Twitter user info + $this->saveForeignLink($atok, $twitter_user); + } + else{ + $this->twuid = $twitter_user->id; + $this->tw_fields = array("name" => $twitter_user->screen_name, "fullname" => $twitter_user->name); + $this->access_token = $atok; + $this->tryLogin(); + } // Clean up the the mess we made in the session unset($_SESSION['twitter_request_token']); unset($_SESSION['twitter_request_token_secret']); - - common_redirect(common_local_url('twittersettings')); + + if (common_logged_in()) { + common_redirect(common_local_url('twittersettings')); + } } /** @@ -220,5 +260,344 @@ class TwitterauthorizationAction extends Action save_twitter_user($twitter_user->id, $twitter_user->screen_name); } + + + + function showPageNotice() + { + if ($this->error) { + $this->element('div', array('class' => 'error'), $this->error); + } else { + $this->element('div', 'instructions', + sprintf(_('This is the first time you\'ve logged into %s so we must connect your Twitter account to a local account. You can either create a new account, or connect with your existing account, if you have one.'), common_config('site', 'name'))); + } + } + + function title() + { + return _('Twitter Account Setup'); + } + + function showForm($error=null, $username=null) + { + $this->error = $error; + $this->username = $username; + + $this->showPage(); + } + + function showPage() + { + parent::showPage(); + } + + function showContent() + { + if (!empty($this->message_text)) { + $this->element('p', null, $this->message); + return; + } + + $this->elementStart('form', array('method' => 'post', + 'id' => 'form_settings_twitter_connect', + 'class' => 'form_settings', + 'action' => common_local_url('twitterauthorization'))); + $this->elementStart('fieldset', array('id' => 'settings_twitter_connect_options')); + $this->element('legend', null, _('Connection options')); + $this->elementStart('ul', 'form_data'); + $this->elementStart('li'); + $this->element('input', array('type' => 'checkbox', + 'id' => 'license', + 'class' => 'checkbox', + 'name' => 'license', + 'value' => 'true')); + $this->elementStart('label', array('class' => 'checkbox', 'for' => 'license')); + $this->text(_('My text and files are available under ')); + $this->element('a', array('href' => common_config('license', 'url')), + common_config('license', 'title')); + $this->text(_(' except this private data: password, email address, IM address, phone number.')); + $this->elementEnd('label'); + $this->elementEnd('li'); + $this->elementEnd('ul'); + $this->hidden('access_token_key', $this->access_token->key); + $this->hidden('access_token_secret', $this->access_token->secret); + $this->hidden('twuid', $this->twuid); + $this->hidden('tw_fields_name', $this->tw_fields['name']); + $this->hidden('tw_fields_fullname', $this->tw_fields['fullname']); + + $this->elementStart('fieldset'); + $this->hidden('token', common_session_token()); + $this->element('legend', null, + _('Create new account')); + $this->element('p', null, + _('Create a new user with this nickname.')); + $this->elementStart('ul', 'form_data'); + $this->elementStart('li'); + $this->input('newname', _('New nickname'), + ($this->username) ? $this->username : '', + _('1-64 lowercase letters or numbers, no punctuation or spaces')); + $this->elementEnd('li'); + $this->elementEnd('ul'); + $this->submit('create', _('Create')); + $this->elementEnd('fieldset'); + + $this->elementStart('fieldset'); + $this->element('legend', null, + _('Connect existing account')); + $this->element('p', null, + _('If you already have an account, login with your username and password to connect it to your Twitter account.')); + $this->elementStart('ul', 'form_data'); + $this->elementStart('li'); + $this->input('nickname', _('Existing nickname')); + $this->elementEnd('li'); + $this->elementStart('li'); + $this->password('password', _('Password')); + $this->elementEnd('li'); + $this->elementEnd('ul'); + $this->submit('connect', _('Connect')); + $this->elementEnd('fieldset'); + + $this->elementEnd('fieldset'); + $this->elementEnd('form'); + } + + function message($msg) + { + $this->message_text = $msg; + $this->showPage(); + } + + function createNewUser() + { + if (common_config('site', 'closed')) { + $this->clientError(_('Registration not allowed.')); + return; + } + + $invite = null; + + if (common_config('site', 'inviteonly')) { + $code = $_SESSION['invitecode']; + if (empty($code)) { + $this->clientError(_('Registration not allowed.')); + return; + } + + $invite = Invitation::staticGet($code); + + if (empty($invite)) { + $this->clientError(_('Not a valid invitation code.')); + return; + } + } + + $nickname = $this->trimmed('newname'); + + if (!Validate::string($nickname, array('min_length' => 1, + 'max_length' => 64, + 'format' => NICKNAME_FMT))) { + $this->showForm(_('Nickname must have only lowercase letters and numbers and no spaces.')); + return; + } + + if (!User::allowed_nickname($nickname)) { + $this->showForm(_('Nickname not allowed.')); + return; + } + + if (User::staticGet('nickname', $nickname)) { + $this->showForm(_('Nickname already in use. Try another one.')); + return; + } + + $fullname = trim($this->tw_fields['fullname']); + + $args = array('nickname' => $nickname, 'fullname' => $fullname); + + if (!empty($invite)) { + $args['code'] = $invite->code; + } + + $user = User::register($args); + + $result = $this->flinkUser($user->id, $this->twuid); + + if (!$result) { + $this->serverError(_('Error connecting user to Twitter.')); + return; + } + + common_set_user($user); + common_real_login(true); + + common_debug('Twitter Connect Plugin - ' . + "Registered new user $user->id from Twitter user $this->fbuid"); + + common_redirect(common_local_url('showstream', array('nickname' => $user->nickname)), + 303); + } + + function connectNewUser() + { + $nickname = $this->trimmed('nickname'); + $password = $this->trimmed('password'); + + if (!common_check_user($nickname, $password)) { + $this->showForm(_('Invalid username or password.')); + return; + } + + $user = User::staticGet('nickname', $nickname); + + if (!empty($user)) { + common_debug('Twitter Connect Plugin - ' . + "Legit user to connect to Twitter: $nickname"); + } + + $result = $this->flinkUser($user->id, $this->twuid); + + if (!$result) { + $this->serverError(_('Error connecting user to Twitter.')); + return; + } + + common_debug('Twitter Connnect Plugin - ' . + "Connected Twitter user $this->fbuid to local user $user->id"); + + common_set_user($user); + common_real_login(true); + + $this->goHome($user->nickname); + } + + function connectUser() + { + $user = common_current_user(); + + $result = $this->flinkUser($user->id, $this->twuid); + + if (empty($result)) { + $this->serverError(_('Error connecting user to Twitter.')); + return; + } + + common_debug('Twitter Connect Plugin - ' . + "Connected Twitter user $this->fbuid to local user $user->id"); + + // Return to Twitter connection settings tab + common_redirect(common_local_url('twittersettings'), 303); + } + + function tryLogin() + { + common_debug('Twitter Connect Plugin - ' . + "Trying login for Twitter user $this->fbuid."); + + $flink = Foreign_link::getByForeignID($this->twuid, TWITTER_SERVICE); + + if (!empty($flink)) { + $user = $flink->getUser(); + + if (!empty($user)) { + + common_debug('Twitter Connect Plugin - ' . + "Logged in Twitter user $flink->foreign_id as user $user->id ($user->nickname)"); + + common_set_user($user); + common_real_login(true); + $this->goHome($user->nickname); + } + + } else { + + common_debug('Twitter Connect Plugin - ' . + "No flink found for twuid: $this->twuid - new user"); + + $this->showForm(null, $this->bestNewNickname()); + } + } + + function goHome($nickname) + { + $url = common_get_returnto(); + if ($url) { + // We don't have to return to it again + common_set_returnto(null); + } else { + $url = common_local_url('all', + array('nickname' => + $nickname)); + } + + common_redirect($url, 303); + } + + function flinkUser($user_id, $twuid) + { + $flink = new Foreign_link(); + + $flink->user_id = $user_id; + $flink->foreign_id = $twuid; + $flink->service = TWITTER_SERVICE; + + $creds = TwitterOAuthClient::packToken($this->access_token); + + $flink->credentials = $creds; + $flink->created = common_sql_now(); + + // Defaults: noticesync on, everything else off + + $flink->set_flags(true, false, false, false); + + $flink_id = $flink->insert(); + + if (empty($flink_id)) { + common_log_db_error($flink, 'INSERT', __FILE__); + $this->serverError(_('Couldn\'t link your Twitter account.')); + } + + save_twitter_user($twuid, $this->tw_fields['name']); + + return $flink_id; + } + + + function bestNewNickname() + { + if (!empty($this->tw_fields['name'])) { + $nickname = $this->nicknamize($this->tw_fields['name']); + if ($this->isNewNickname($nickname)) { + return $nickname; + } + } + + return null; + } + + // Given a string, try to make it work as a nickname + + function nicknamize($str) + { + $str = preg_replace('/\W/', '', $str); + $str = str_replace(array('-', '_'), '', $str); + return strtolower($str); + } + + function isNewNickname($str) + { + if (!Validate::string($str, array('min_length' => 1, + 'max_length' => 64, + 'format' => NICKNAME_FMT))) { + return false; + } + if (!User::allowed_nickname($str)) { + return false; + } + if (User::staticGet('nickname', $str)) { + return false; + } + return true; + } + } diff --git a/plugins/TwitterBridge/twitterlogin.php b/plugins/TwitterBridge/twitterlogin.php new file mode 100644 index 000000000..ae468ea15 --- /dev/null +++ b/plugins/TwitterBridge/twitterlogin.php @@ -0,0 +1,95 @@ +. + * + * @category Settings + * @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 . '/plugins/TwitterBridge/twitter.php'; + +/** + * Settings for Twitter integration + * + * @category Settings + * @package StatusNet + * @author Evan Prodromou + * @author Julien Chaumond + * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 + * @link http://status.net/ + * + * @see SettingsAction + */ + + +class TwitterloginAction extends Action +{ + function handle($args) + { + parent::handle($args); + + if (common_is_real_login()) { + $this->clientError(_('Already logged in.')); + } + + $this->showPage(); + } + + function title() + { + return _('Twitter Login'); + } + + function getInstructions() + { + return _('Login with your Twitter Account'); + } + + function showPageNotice() + { + $instr = $this->getInstructions(); + $output = common_markup_to_html($instr); + $this->elementStart('div', 'instructions'); + $this->raw($output); + $this->elementEnd('div'); + } + + function showContent() + { + $this->elementStart('a', array('href' => common_local_url('twitterauthorization'))); + $this->element('img', array('src' => common_path('plugins/TwitterBridge/twitter_connect.gif'), + 'alt' => 'Connect my Twitter account')); + $this->elementEnd('a'); + } + + function showLocalNav() + { + $nav = new LoginGroupNav($this); + $nav->show(); + } +} -- cgit v1.2.3-54-g00ecf From d429710fe182abb5c9681a5c46e3c87d08a04574 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Tue, 26 Jan 2010 01:25:33 +0000 Subject: - Twitter username wasn't getting stored in Foreign_user when linking Twitter account (fixed) - Updates to comments --- plugins/TwitterBridge/twitterauthorization.php | 109 +++++++++++++------------ 1 file changed, 58 insertions(+), 51 deletions(-) diff --git a/plugins/TwitterBridge/twitterauthorization.php b/plugins/TwitterBridge/twitterauthorization.php index 8ae725374..3f7316b7a 100644 --- a/plugins/TwitterBridge/twitterauthorization.php +++ b/plugins/TwitterBridge/twitterauthorization.php @@ -53,7 +53,7 @@ class TwitterauthorizationAction extends Action var $twuid = null; var $tw_fields = null; var $access_token = null; - + /** * Initialize class members. Looks for 'oauth_token' parameter. * @@ -80,31 +80,37 @@ class TwitterauthorizationAction extends Action function handle($args) { parent::handle($args); - + if (common_logged_in()) { $user = common_current_user(); $flink = Foreign_link::getByUserID($user->id, TWITTER_SERVICE); - + // If there's already a foreign link record, it means we already // have an access token, and this is unecessary. So go back. - + if (isset($flink)) { common_redirect(common_local_url('twittersettings')); } } - - + if ($_SERVER['REQUEST_METHOD'] == 'POST') { + // User was not logged in to StatusNet before + $this->twuid = $this->trimmed('twuid'); - $this->tw_fields = array("name" => $this->trimmed('name'), "fullname" => $this->trimmed('fullname')); + + $this->tw_fields = array('name' => $this->trimmed('tw_fields_name'), + 'fullname' => $this->trimmed('tw_fields_fullname')); + $this->access_token = new OAuthToken($this->trimmed('access_token_key'), $this->trimmed('access_token_secret')); $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 ($this->arg('create')) { if (!$this->boolean('license')) { $this->showForm(_('You can\'t register if you don\'t agree to the license.'), @@ -124,7 +130,7 @@ class TwitterauthorizationAction extends Action // $this->oauth_token is only populated once Twitter authorizes our // request token. If it's empty we're at the beginning of the auth // process - + if (empty($this->oauth_token)) { $this->authorizeRequestToken(); } else { @@ -181,6 +187,8 @@ class TwitterauthorizationAction extends Action $this->serverError(_m('Couldn\'t link your Twitter account.')); } + $twitter_user = null; + try { $client = new TwitterOAuthClient($_SESSION['twitter_request_token'], @@ -196,16 +204,19 @@ class TwitterauthorizationAction extends Action $twitter_user = $client->verifyCredentials(); } catch (OAuthClientException $e) { - $msg = sprintf('OAuth client cURL error - code: %1$s, msg: %2$s', + $msg = sprintf('OAuth client error - code: %1$s, msg: %2$s', $e->getCode(), $e->getMessage()); $this->serverError(_m('Couldn\'t link your Twitter account.')); } if (common_logged_in()) { + // Save the access token and Twitter user info + $this->saveForeignLink($atok, $twitter_user); - } - else{ + + } else { + $this->twuid = $twitter_user->id; $this->tw_fields = array("name" => $twitter_user->screen_name, "fullname" => $twitter_user->name); $this->access_token = $atok; @@ -216,7 +227,7 @@ class TwitterauthorizationAction extends Action unset($_SESSION['twitter_request_token']); unset($_SESSION['twitter_request_token_secret']); - + if (common_logged_in()) { common_redirect(common_local_url('twittersettings')); } @@ -260,8 +271,34 @@ class TwitterauthorizationAction extends Action save_twitter_user($twitter_user->id, $twitter_user->screen_name); } + function flinkUser($user_id, $twuid) + { + $flink = new Foreign_link(); + + $flink->user_id = $user_id; + $flink->foreign_id = $twuid; + $flink->service = TWITTER_SERVICE; + + $creds = TwitterOAuthClient::packToken($this->access_token); + $flink->credentials = $creds; + $flink->created = common_sql_now(); + // Defaults: noticesync on, everything else off + + $flink->set_flags(true, false, false, false); + + $flink_id = $flink->insert(); + + if (empty($flink_id)) { + common_log_db_error($flink, 'INSERT', __FILE__); + $this->serverError(_('Couldn\'t link your Twitter account.')); + } + + save_twitter_user($twuid, $this->tw_fields['name']); + + return $flink_id; + } function showPageNotice() { @@ -430,7 +467,7 @@ class TwitterauthorizationAction extends Action common_set_user($user); common_real_login(true); - common_debug('Twitter Connect Plugin - ' . + common_debug('TwitterBridge Plugin - ' . "Registered new user $user->id from Twitter user $this->fbuid"); common_redirect(common_local_url('showstream', array('nickname' => $user->nickname)), @@ -450,7 +487,7 @@ class TwitterauthorizationAction extends Action $user = User::staticGet('nickname', $nickname); if (!empty($user)) { - common_debug('Twitter Connect Plugin - ' . + common_debug('TwitterBridge Plugin - ' . "Legit user to connect to Twitter: $nickname"); } @@ -461,7 +498,7 @@ class TwitterauthorizationAction extends Action return; } - common_debug('Twitter Connnect Plugin - ' . + common_debug('TwitterBridge Plugin - ' . "Connected Twitter user $this->fbuid to local user $user->id"); common_set_user($user); @@ -481,17 +518,17 @@ class TwitterauthorizationAction extends Action return; } - common_debug('Twitter Connect Plugin - ' . + common_debug('TwitterBridge Plugin - ' . "Connected Twitter user $this->fbuid to local user $user->id"); // Return to Twitter connection settings tab common_redirect(common_local_url('twittersettings'), 303); } - + function tryLogin() { - common_debug('Twitter Connect Plugin - ' . - "Trying login for Twitter user $this->fbuid."); + common_debug('TwitterBridge Plugin - ' . + "Trying login for Twitter user $this->twuid."); $flink = Foreign_link::getByForeignID($this->twuid, TWITTER_SERVICE); @@ -500,7 +537,7 @@ class TwitterauthorizationAction extends Action if (!empty($user)) { - common_debug('Twitter Connect Plugin - ' . + common_debug('TwitterBridge Plugin - ' . "Logged in Twitter user $flink->foreign_id as user $user->id ($user->nickname)"); common_set_user($user); @@ -510,7 +547,7 @@ class TwitterauthorizationAction extends Action } else { - common_debug('Twitter Connect Plugin - ' . + common_debug('TwitterBridge Plugin - ' . "No flink found for twuid: $this->twuid - new user"); $this->showForm(null, $this->bestNewNickname()); @@ -531,37 +568,7 @@ class TwitterauthorizationAction extends Action common_redirect($url, 303); } - - function flinkUser($user_id, $twuid) - { - $flink = new Foreign_link(); - - $flink->user_id = $user_id; - $flink->foreign_id = $twuid; - $flink->service = TWITTER_SERVICE; - - $creds = TwitterOAuthClient::packToken($this->access_token); - - $flink->credentials = $creds; - $flink->created = common_sql_now(); - - // Defaults: noticesync on, everything else off - - $flink->set_flags(true, false, false, false); - - $flink_id = $flink->insert(); - if (empty($flink_id)) { - common_log_db_error($flink, 'INSERT', __FILE__); - $this->serverError(_('Couldn\'t link your Twitter account.')); - } - - save_twitter_user($twuid, $this->tw_fields['name']); - - return $flink_id; - } - - function bestNewNickname() { if (!empty($this->tw_fields['name'])) { -- cgit v1.2.3-54-g00ecf From e5bd707055fe2a4bec852efdca11b8b1f28dc126 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Tue, 26 Jan 2010 01:51:40 +0000 Subject: Ask the user to set a password before disconnecting from Twitter --- plugins/TwitterBridge/twittersettings.php | 33 ++++++++++++++++++++++++++++--- 1 file changed, 30 insertions(+), 3 deletions(-) diff --git a/plugins/TwitterBridge/twittersettings.php b/plugins/TwitterBridge/twittersettings.php index bc9a636a1..0137060e9 100644 --- a/plugins/TwitterBridge/twittersettings.php +++ b/plugins/TwitterBridge/twittersettings.php @@ -121,8 +121,35 @@ class TwittersettingsAction extends ConnectSettingsAction $this->elementEnd('p'); $this->element('p', 'form_note', _m('Connected Twitter account')); + $this->elementEnd('fieldset'); + + $this->elementStart('fieldset'); + + $this->element('legend', null, _m('Disconnect my account from Twitter')); - $this->submit('remove', _m('Remove')); + if (!$user->password) { + + $this->elementStart('p', array('class' => 'form_guide')); + $this->text(_m('Disconnecting your Twitter ' . + 'could make it impossible to log in! Please ')); + $this->element('a', + array('href' => common_local_url('passwordsettings')), + _m('set a password')); + + $this->text(_m(' first.')); + $this->elementEnd('p'); + } else { + + $note = _m('Keep your %1$s account but disconnect from Twitter. ' . + 'You can use your %1$s password to log in.'); + + $site = common_config('site', 'name'); + + $this->element('p', 'instructions', + sprintf($note, $site)); + + $this->submit('disconnect', _m('Disconnect')); + } $this->elementEnd('fieldset'); @@ -205,7 +232,7 @@ class TwittersettingsAction extends ConnectSettingsAction if ($this->arg('save')) { $this->savePreferences(); - } else if ($this->arg('remove')) { + } else if ($this->arg('disconnect')) { $this->removeTwitterAccount(); } else { $this->showForm(_m('Unexpected form submission.')); @@ -231,7 +258,7 @@ class TwittersettingsAction extends ConnectSettingsAction return; } - $this->showForm(_m('Twitter account removed.'), true); + $this->showForm(_m('Twitter account disconnected.'), true); } /** -- cgit v1.2.3-54-g00ecf From 7064d15e67cd6818e0a03a74fb63d5ca215dd1bd Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Tue, 26 Jan 2010 02:40:44 +0000 Subject: Use "Sign in with Twitter" auth pattern and official Twitter button for Twitter-based login. See: http://apiwiki.twitter.com/Sign-in-with-Twitter --- plugins/TwitterBridge/twitter_connect.gif | Bin 2205 -> 0 bytes plugins/TwitterBridge/twitterauthorization.php | 8 +++++--- plugins/TwitterBridge/twitterlogin.php | 11 ++++++----- plugins/TwitterBridge/twitteroauthclient.php | 7 +++++-- 4 files changed, 16 insertions(+), 10 deletions(-) delete mode 100644 plugins/TwitterBridge/twitter_connect.gif diff --git a/plugins/TwitterBridge/twitter_connect.gif b/plugins/TwitterBridge/twitter_connect.gif deleted file mode 100644 index e3d8f3ed7..000000000 Binary files a/plugins/TwitterBridge/twitter_connect.gif and /dev/null differ diff --git a/plugins/TwitterBridge/twitterauthorization.php b/plugins/TwitterBridge/twitterauthorization.php index 3f7316b7a..15408668f 100644 --- a/plugins/TwitterBridge/twitterauthorization.php +++ b/plugins/TwitterBridge/twitterauthorization.php @@ -50,9 +50,10 @@ require_once INSTALLDIR . '/plugins/TwitterBridge/twitter.php'; */ class TwitterauthorizationAction extends Action { - var $twuid = null; - var $tw_fields = null; + var $twuid = null; + var $tw_fields = null; var $access_token = null; + var $signin = null; /** * Initialize class members. Looks for 'oauth_token' parameter. @@ -65,6 +66,7 @@ class TwitterauthorizationAction extends Action { parent::prepare($args); + $this->signin = $this->boolean('signin'); $this->oauth_token = $this->arg('oauth_token'); return true; @@ -160,7 +162,7 @@ class TwitterauthorizationAction extends Action $_SESSION['twitter_request_token'] = $req_tok->key; $_SESSION['twitter_request_token_secret'] = $req_tok->secret; - $auth_link = $client->getAuthorizeLink($req_tok); + $auth_link = $client->getAuthorizeLink($req_tok, $this->signin); } catch (OAuthClientException $e) { $msg = sprintf('OAuth client cURL error - code: %1s, msg: %2s', diff --git a/plugins/TwitterBridge/twitterlogin.php b/plugins/TwitterBridge/twitterlogin.php index ae468ea15..ae67b4c15 100644 --- a/plugins/TwitterBridge/twitterlogin.php +++ b/plugins/TwitterBridge/twitterlogin.php @@ -46,7 +46,6 @@ require_once INSTALLDIR . '/plugins/TwitterBridge/twitter.php'; * @see SettingsAction */ - class TwitterloginAction extends Action { function handle($args) @@ -67,7 +66,7 @@ class TwitterloginAction extends Action function getInstructions() { - return _('Login with your Twitter Account'); + return _('Login with your Twitter account'); } function showPageNotice() @@ -81,9 +80,11 @@ class TwitterloginAction extends Action function showContent() { - $this->elementStart('a', array('href' => common_local_url('twitterauthorization'))); - $this->element('img', array('src' => common_path('plugins/TwitterBridge/twitter_connect.gif'), - 'alt' => 'Connect my Twitter account')); + $this->elementStart('a', array('href' => common_local_url('twitterauthorization', + null, + array('signin' => true)))); + $this->element('img', array('src' => common_path('plugins/TwitterBridge/Sign-in-with-Twitter-lighter.png'), + 'alt' => 'Sign in with Twitter')); $this->elementEnd('a'); } diff --git a/plugins/TwitterBridge/twitteroauthclient.php b/plugins/TwitterBridge/twitteroauthclient.php index bad2b74ca..277e7ab40 100644 --- a/plugins/TwitterBridge/twitteroauthclient.php +++ b/plugins/TwitterBridge/twitteroauthclient.php @@ -45,6 +45,7 @@ class TwitterOAuthClient extends OAuthClient { public static $requestTokenURL = 'https://twitter.com/oauth/request_token'; public static $authorizeURL = 'https://twitter.com/oauth/authorize'; + public static $signinUrl = 'https://twitter.com/oauth/authenticate'; public static $accessTokenURL = 'https://twitter.com/oauth/access_token'; /** @@ -97,9 +98,11 @@ class TwitterOAuthClient extends OAuthClient * * @return the link */ - function getAuthorizeLink($request_token) + function getAuthorizeLink($request_token, $signin = false) { - return parent::getAuthorizeLink(self::$authorizeURL, + $url = ($signin) ? self::$signinUrl : self::$authorizeURL; + + return parent::getAuthorizeLink($url, $request_token, common_local_url('twitterauthorization')); } -- cgit v1.2.3-54-g00ecf From 7a0a133401a3803b607e06d9f593f7e225be3a8a Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Tue, 26 Jan 2010 07:29:40 +0000 Subject: - Remove redundant function - clean up log msgs --- plugins/TwitterBridge/twitterauthorization.php | 74 ++++++++++---------------- 1 file changed, 28 insertions(+), 46 deletions(-) diff --git a/plugins/TwitterBridge/twitterauthorization.php b/plugins/TwitterBridge/twitterauthorization.php index 15408668f..a95cdebb9 100644 --- a/plugins/TwitterBridge/twitterauthorization.php +++ b/plugins/TwitterBridge/twitterauthorization.php @@ -101,7 +101,7 @@ class TwitterauthorizationAction extends Action $this->twuid = $this->trimmed('twuid'); - $this->tw_fields = array('name' => $this->trimmed('tw_fields_name'), + $this->tw_fields = array('screen_name' => $this->trimmed('tw_fields_screen_name'), 'fullname' => $this->trimmed('tw_fields_fullname')); $this->access_token = new OAuthToken($this->trimmed('access_token_key'), $this->trimmed('access_token_secret')); @@ -215,12 +215,15 @@ class TwitterauthorizationAction extends Action // Save the access token and Twitter user info - $this->saveForeignLink($atok, $twitter_user); + $user = common_current_user(); + $this->saveForeignLink($user->id, $twitter_user->id, $atok); + save_twitter_user($twitter_user->id, $twitter_user->name); } else { $this->twuid = $twitter_user->id; - $this->tw_fields = array("name" => $twitter_user->screen_name, "fullname" => $twitter_user->name); + $this->tw_fields = array("screen_name" => $twitter_user->screen_name, + "name" => $twitter_user->name); $this->access_token = $atok; $this->tryLogin(); } @@ -239,41 +242,13 @@ class TwitterauthorizationAction extends Action * Saves a Foreign_link between Twitter user and local user, * which includes the access token and secret. * - * @param OAuthToken $access_token the access token to save - * @param mixed $twitter_user twitter API user object + * @param int $user_id StatusNet user ID + * @param int $twuid Twitter user ID + * @param OAuthToken $token the access token to save * * @return nothing */ - function saveForeignLink($access_token, $twitter_user) - { - $user = common_current_user(); - - $flink = new Foreign_link(); - - $flink->user_id = $user->id; - $flink->foreign_id = $twitter_user->id; - $flink->service = TWITTER_SERVICE; - - $creds = TwitterOAuthClient::packToken($access_token); - - $flink->credentials = $creds; - $flink->created = common_sql_now(); - - // Defaults: noticesync on, everything else off - - $flink->set_flags(true, false, false, false); - - $flink_id = $flink->insert(); - - if (empty($flink_id)) { - common_log_db_error($flink, 'INSERT', __FILE__); - $this->serverError(_m('Couldn\'t link your Twitter account.')); - } - - save_twitter_user($twitter_user->id, $twitter_user->screen_name); - } - - function flinkUser($user_id, $twuid) + function saveForeignLink($user_id, $twuid, $access_token) { $flink = new Foreign_link(); @@ -281,7 +256,7 @@ class TwitterauthorizationAction extends Action $flink->foreign_id = $twuid; $flink->service = TWITTER_SERVICE; - $creds = TwitterOAuthClient::packToken($this->access_token); + $creds = TwitterOAuthClient::packToken($access_token); $flink->credentials = $creds; $flink->created = common_sql_now(); @@ -297,8 +272,6 @@ class TwitterauthorizationAction extends Action $this->serverError(_('Couldn\'t link your Twitter account.')); } - save_twitter_user($twuid, $this->tw_fields['name']); - return $flink_id; } @@ -361,8 +334,8 @@ class TwitterauthorizationAction extends Action $this->hidden('access_token_key', $this->access_token->key); $this->hidden('access_token_secret', $this->access_token->secret); $this->hidden('twuid', $this->twuid); + $this->hidden('tw_fields_screen_name', $this->tw_fields['screen_name']); $this->hidden('tw_fields_name', $this->tw_fields['name']); - $this->hidden('tw_fields_fullname', $this->tw_fields['fullname']); $this->elementStart('fieldset'); $this->hidden('token', common_session_token()); @@ -449,7 +422,7 @@ class TwitterauthorizationAction extends Action return; } - $fullname = trim($this->tw_fields['fullname']); + $fullname = trim($this->tw_fields['name']); $args = array('nickname' => $nickname, 'fullname' => $fullname); @@ -459,7 +432,11 @@ class TwitterauthorizationAction extends Action $user = User::register($args); - $result = $this->flinkUser($user->id, $this->twuid); + $result = $this->saveForeignLink($user->id, + $this->twuid, + $this->access_token); + + save_twitter_user($this->twuid, $this->tw_fields['screen_name']); if (!$result) { $this->serverError(_('Error connecting user to Twitter.')); @@ -470,7 +447,7 @@ class TwitterauthorizationAction extends Action common_real_login(true); common_debug('TwitterBridge Plugin - ' . - "Registered new user $user->id from Twitter user $this->fbuid"); + "Registered new user $user->id from Twitter user $this->twuid"); common_redirect(common_local_url('showstream', array('nickname' => $user->nickname)), 303); @@ -493,7 +470,11 @@ class TwitterauthorizationAction extends Action "Legit user to connect to Twitter: $nickname"); } - $result = $this->flinkUser($user->id, $this->twuid); + $result = $this->saveForeignLink($user->id, + $this->twuid, + $this->access_token); + + save_twitter_user($this->twuid, $this->tw_fields['screen_name']); if (!$result) { $this->serverError(_('Error connecting user to Twitter.')); @@ -501,7 +482,7 @@ class TwitterauthorizationAction extends Action } common_debug('TwitterBridge Plugin - ' . - "Connected Twitter user $this->fbuid to local user $user->id"); + "Connected Twitter user $this->twuid to local user $user->id"); common_set_user($user); common_real_login(true); @@ -521,7 +502,7 @@ class TwitterauthorizationAction extends Action } common_debug('TwitterBridge Plugin - ' . - "Connected Twitter user $this->fbuid to local user $user->id"); + "Connected Twitter user $this->twuid to local user $user->id"); // Return to Twitter connection settings tab common_redirect(common_local_url('twittersettings'), 303); @@ -532,7 +513,8 @@ class TwitterauthorizationAction extends Action common_debug('TwitterBridge Plugin - ' . "Trying login for Twitter user $this->twuid."); - $flink = Foreign_link::getByForeignID($this->twuid, TWITTER_SERVICE); + $flink = Foreign_link::getByForeignID($this->twuid, + TWITTER_SERVICE); if (!empty($flink)) { $user = $flink->getUser(); -- cgit v1.2.3-54-g00ecf From d6a0dec76537628ac680a9f483f75c5abdd01077 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Tue, 26 Jan 2010 07:50:01 +0000 Subject: Add Julien C to author comments --- plugins/TwitterBridge/TwitterBridgePlugin.php | 12 +++++------- plugins/TwitterBridge/twitterauthorization.php | 8 +++++--- plugins/TwitterBridge/twitterlogin.php | 15 ++++++++------- 3 files changed, 18 insertions(+), 17 deletions(-) diff --git a/plugins/TwitterBridge/TwitterBridgePlugin.php b/plugins/TwitterBridge/TwitterBridgePlugin.php index e39ec7be0..c7f57ffc7 100644 --- a/plugins/TwitterBridge/TwitterBridgePlugin.php +++ b/plugins/TwitterBridge/TwitterBridgePlugin.php @@ -20,7 +20,8 @@ * @category Plugin * @package StatusNet * @author Zach Copley - * @copyright 2009 Control Yourself, Inc. + * @author Julien C + * @copyright 2009-2010 Control Yourself, Inc. * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://laconi.ca/ */ @@ -41,6 +42,7 @@ define('TWITTERBRIDGEPLUGIN_VERSION', '0.9'); * @category Plugin * @package StatusNet * @author Zach Copley + * @author Julien C * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://laconi.ca/ * @link http://twitter.com/ @@ -72,16 +74,13 @@ class TwitterBridgePlugin extends Plugin $m->connect('twitter/authorization', array('action' => 'twitterauthorization')); $m->connect('settings/twitter', array('action' => 'twittersettings')); - $m->connect('main/twitterlogin', array('action' => 'twitterlogin')); return true; } - - - + /* - * Add a login tab for Twitter Connect + * Add a login tab for 'Sign in with Twitter' * * @param Action &action the current action * @@ -99,7 +98,6 @@ class TwitterBridgePlugin extends Plugin return true; } - /** * Add the Twitter Settings page to the Connect Settings menu diff --git a/plugins/TwitterBridge/twitterauthorization.php b/plugins/TwitterBridge/twitterauthorization.php index a95cdebb9..b2657ff61 100644 --- a/plugins/TwitterBridge/twitterauthorization.php +++ b/plugins/TwitterBridge/twitterauthorization.php @@ -19,10 +19,11 @@ * You should have received a copy of the GNU Affero General Public License * along with this program. If not, see . * - * @category TwitterauthorizationAction + * @category Plugin * @package StatusNet * @author Zach Copley - * @copyright 2009 StatusNet, Inc. + * @author Julien C + * @copyright 2009-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/ */ @@ -41,9 +42,10 @@ require_once INSTALLDIR . '/plugins/TwitterBridge/twitter.php'; * (Foreign_link) between the StatusNet user and Twitter user and stores the * access token and secret in the link. * - * @category Twitter + * @category Plugin * @package StatusNet * @author Zach Copley + * @author Julien C * @license http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0 * @link http://laconi.ca/ * diff --git a/plugins/TwitterBridge/twitterlogin.php b/plugins/TwitterBridge/twitterlogin.php index ae67b4c15..79421fb27 100644 --- a/plugins/TwitterBridge/twitterlogin.php +++ b/plugins/TwitterBridge/twitterlogin.php @@ -2,7 +2,7 @@ /** * StatusNet, the distributed open-source microblogging tool * - * Settings for Twitter integration + * 'Sign in with Twitter' login page * * PHP version 5 * @@ -19,10 +19,11 @@ * You should have received a copy of the GNU Affero General Public License * along with this program. If not, see . * - * @category Settings + * @category Login * @package StatusNet - * @author Evan Prodromou - * @copyright 2008-2009 StatusNet, Inc. + * @author Julien Chaumond + * @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/ */ @@ -34,12 +35,12 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { require_once INSTALLDIR . '/plugins/TwitterBridge/twitter.php'; /** - * Settings for Twitter integration + * Page for logging in with Twitter * - * @category Settings + * @category Login * @package StatusNet - * @author Evan Prodromou * @author Julien Chaumond + * @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/ * -- cgit v1.2.3-54-g00ecf From 7695daebb7463a83ddddb06fb56bf8875973c695 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Tue, 26 Jan 2010 19:13:05 +0100 Subject: Updated geolocation sharing in notice form for Realtime pop --- plugins/Realtime/realtimeupdate.css | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/plugins/Realtime/realtimeupdate.css b/plugins/Realtime/realtimeupdate.css index 56f869354..31e7c2ae6 100644 --- a/plugins/Realtime/realtimeupdate.css +++ b/plugins/Realtime/realtimeupdate.css @@ -18,7 +18,8 @@ display:none; } .realtime-popup #form_notice label[for=notice_data-attach], -.realtime-popup #form_notice #notice_data-attach { +.realtime-popup #form_notice #notice_data-attach, +.realtime-popup #form_notice label[for=notice_data-geo] { top:0; } -- cgit v1.2.3-54-g00ecf From 656d95418c6d7f8b884c4c8af14ad6952032ace6 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Wed, 27 Jan 2010 15:08:33 +0000 Subject: Better alignment for notice in shownotice page --- theme/base/css/display.css | 9 +++++---- 1 file changed, 5 insertions(+), 4 deletions(-) diff --git a/theme/base/css/display.css b/theme/base/css/display.css index 84e9426c7..65dd15990 100644 --- a/theme/base/css/display.css +++ b/theme/base/css/display.css @@ -1039,12 +1039,13 @@ overflow:visible; #showstream .notice div.entry-content { margin-left:0; } -#shownotice .notice .entry-title, -#shownotice .notice div.entry-content { -margin-left:110px; -} #shownotice .notice .entry-title { +margin-left:110px; font-size:2.2em; +min-height:123px; +} +#shownotice .notice div.entry-content { +margin-left:0; } .notice p.entry-content { -- cgit v1.2.3-54-g00ecf From b6de415f9dc2127e83ab1f14d1e8eba4b9446710 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Thu, 28 Jan 2010 01:07:28 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans --- locale/ar/LC_MESSAGES/statusnet.po | 532 ++++++++++++++----------- locale/arz/LC_MESSAGES/statusnet.po | 537 ++++++++++++++----------- locale/bg/LC_MESSAGES/statusnet.po | 534 ++++++++++++++----------- locale/ca/LC_MESSAGES/statusnet.po | 571 ++++++++++++++------------ locale/cs/LC_MESSAGES/statusnet.po | 542 ++++++++++++++----------- locale/de/LC_MESSAGES/statusnet.po | 545 ++++++++++++++----------- locale/el/LC_MESSAGES/statusnet.po | 551 ++++++++++++++----------- locale/en_GB/LC_MESSAGES/statusnet.po | 646 ++++++++++++++++-------------- locale/es/LC_MESSAGES/statusnet.po | 545 ++++++++++++++----------- locale/fa/LC_MESSAGES/statusnet.po | 534 ++++++++++++++----------- locale/fi/LC_MESSAGES/statusnet.po | 545 ++++++++++++++----------- locale/fr/LC_MESSAGES/statusnet.po | 555 +++++++++++++++----------- locale/ga/LC_MESSAGES/statusnet.po | 544 ++++++++++++++----------- locale/he/LC_MESSAGES/statusnet.po | 542 ++++++++++++++----------- locale/hsb/LC_MESSAGES/statusnet.po | 533 ++++++++++++++----------- locale/ia/LC_MESSAGES/statusnet.po | 532 ++++++++++++++----------- locale/is/LC_MESSAGES/statusnet.po | 543 ++++++++++++++----------- locale/it/LC_MESSAGES/statusnet.po | 538 ++++++++++++++----------- locale/ja/LC_MESSAGES/statusnet.po | 532 ++++++++++++++----------- locale/ko/LC_MESSAGES/statusnet.po | 545 ++++++++++++++----------- locale/mk/LC_MESSAGES/statusnet.po | 534 ++++++++++++++----------- locale/nb/LC_MESSAGES/statusnet.po | 535 ++++++++++++++----------- locale/nl/LC_MESSAGES/statusnet.po | 536 ++++++++++++++----------- locale/nn/LC_MESSAGES/statusnet.po | 545 ++++++++++++++----------- locale/pl/LC_MESSAGES/statusnet.po | 540 ++++++++++++++----------- locale/pt/LC_MESSAGES/statusnet.po | 534 ++++++++++++++----------- locale/pt_BR/LC_MESSAGES/statusnet.po | 536 ++++++++++++++----------- locale/ru/LC_MESSAGES/statusnet.po | 731 ++++++++++++++++++---------------- locale/statusnet.po | 518 +++++++++++++----------- locale/sv/LC_MESSAGES/statusnet.po | 534 ++++++++++++++----------- locale/te/LC_MESSAGES/statusnet.po | 680 +++++++++++++++++-------------- locale/tr/LC_MESSAGES/statusnet.po | 542 ++++++++++++++----------- locale/uk/LC_MESSAGES/statusnet.po | 541 ++++++++++++++----------- locale/vi/LC_MESSAGES/statusnet.po | 544 ++++++++++++++----------- locale/zh_CN/LC_MESSAGES/statusnet.po | 545 ++++++++++++++----------- locale/zh_TW/LC_MESSAGES/statusnet.po | 538 ++++++++++++++----------- 36 files changed, 11252 insertions(+), 8627 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index bbe2597a2..f6aa348cc 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -9,18 +9,72 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:37:00+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:58:20+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=6; plural= n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 " "&& n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +msgid "Access" +msgstr "Ù†Ùاذ" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "اذ٠إعدادت الموقع" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "سجّل" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "خاص" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "أأمنع المستخدمين المجهولين (غير الوالجين) من عرض الموقع؟" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "بالدعوة Ùقط" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "" + +#: actions/accessadminpanel.php:173 +msgid "Closed" +msgstr "Ù…Ùغلق" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "عطّل التسجيل الجديد." + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "أرسل" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "اذ٠إعدادت الموقع" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -35,7 +89,7 @@ msgstr "لا صÙحة كهذه" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -134,8 +188,7 @@ msgstr "" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -151,7 +204,7 @@ msgstr "لم يتم العثور على وسيلة API." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "تتطلب هذه الطريقة POST." @@ -180,7 +233,7 @@ msgstr "لم يمكن Ø­Ùظ الملÙ." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -476,7 +529,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "الحساب" @@ -533,17 +593,17 @@ msgstr "Ø­ÙØ°ÙÙت الحالة." msgid "No status with that ID found." msgstr "لا حالة ÙˆÙجدت بهذه الهوية." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "" -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "لم يوجد" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -594,11 +654,6 @@ msgstr "مسار %s الزمني العام" msgid "%s updates from everyone!" msgstr "" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "كرّره %s" - #: actions/apitimelineretweetedtome.php:111 #, php-format msgid "Repeated to %s" @@ -997,17 +1052,6 @@ msgstr "استعد التصميمات المبدئية" msgid "Reset back to default" msgstr "ارجع إلى المبدئي" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "أرسل" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "احÙظ التصميم" @@ -1020,12 +1064,14 @@ msgstr "هذا الشعار ليس Ù…Ùضلًا!" msgid "Add to favorites" msgstr "أض٠إلى المÙضلات" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "لا مستند كهذا." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" msgstr "عدّل التطبيق" #: actions/editapplication.php:66 @@ -1042,7 +1088,7 @@ msgid "No such application." msgstr "لا تطبيق كهذا." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "" @@ -1241,7 +1287,7 @@ msgid "Cannot normalize that email address" msgstr "" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "ليس عنوان بريد صالح." @@ -1253,7 +1299,7 @@ msgstr "هذا هو عنوان بريدك الإكتروني سابقًا." msgid "That email address already belongs to another user." msgstr "هذا البريد الإلكتروني ملك مستخدم آخر بالÙعل." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "تعذّر إدراج رمز التأكيد." @@ -1545,7 +1591,7 @@ msgstr "%1$s أعضاء المجموعة, الصÙحة %2$d" msgid "A list of the users in this group." msgstr "قائمة بمستخدمي هذه المجموعة." -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "إداري" @@ -1720,6 +1766,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "هذه ليست هويتك ÙÙŠ جابر." +#: actions/inbox.php:59 +#, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1870,7 +1921,7 @@ msgstr "اسم المستخدم أو كلمة السر غير صحيحان." msgid "Error setting user. You are probably not authorized." msgstr "خطأ أثناء ضبط المستخدم. لست Ù…Ùصرحًا على الأرجح." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Ù„Ùج" @@ -1928,7 +1979,8 @@ msgid "No current status" msgstr "لا حالة حالية" #: actions/newapplication.php:52 -msgid "New application" +#, fuzzy +msgid "New Application" msgstr "تطبيق جديد" #: actions/newapplication.php:64 @@ -2102,7 +2154,7 @@ msgstr "" #: actions/oembed.php:86 actions/shownotice.php:180 #, php-format msgid "%1$s's status on %2$s" -msgstr "" +msgstr "حالة %1$s ÙÙŠ يوم %2$s" #: actions/oembed.php:157 msgid "content type " @@ -2112,8 +2164,8 @@ msgstr "نوع المحتوى " msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "ليس نسق بيانات مدعوم." @@ -2177,6 +2229,11 @@ msgstr "توكن دخول غير صحيح محدد." msgid "Login token expired." msgstr "توكن الدخول انتهى." +#: actions/outbox.php:58 +#, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2247,7 +2304,7 @@ msgstr "تعذّر Ø­Ùظ كلمة السر الجديدة." msgid "Password saved." msgstr "Ø­ÙÙظت كلمة السر." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "المسارات" @@ -2255,132 +2312,148 @@ msgstr "المسارات" msgid "Path and server settings for this StatusNet site." msgstr "" -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, php-format msgid "Theme directory not readable: %s" msgstr "لا يمكن قراءة دليل السمات: %s" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "لا يمكن الكتابة ÙÙŠ دليل الأÙتارات: %s" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "لا يمكن الكتابة ÙÙŠ دليل الخلÙيات: %s" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "لا يمكن قراءة دليل المحليات: %s" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "الموقع" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "خادوم" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "اسم مضي٠خادوم الموقع." + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "المسار" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 msgid "Site path" msgstr "مسار الموقع" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "مسار المحليات" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "مسار دليل المحليات" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "مسارات Ùاخرة" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "أأستخدم مسارات Ùاخرة (يمكن قراءتها وتذكرها بسهولة أكبر)ØŸ" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "السمة" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "خادوم السمات" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "مسار السمات" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "دليل السمات" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 msgid "Avatars" msgstr "Ø£Ùتارات" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 msgid "Avatar server" msgstr "خادوم الأÙتارات" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 msgid "Avatar path" msgstr "مسار الأÙتارات" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 msgid "Avatar directory" msgstr "دليل الأÙتار." -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "خلÙيات" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "خادوم الخلÙيات" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "مسار الخلÙيات" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "دليل الخلÙيات" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 msgid "Never" msgstr "مطلقا" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "أحيانًا" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "دائمًا" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "استخدم SSL" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 msgid "SSL server" msgstr "خادم SSL" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 msgid "Save paths" msgstr "احÙظ المسارات" @@ -2485,7 +2558,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "اللغة" @@ -2511,7 +2584,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "لم تÙختر المنطقة الزمنية." @@ -2775,7 +2848,7 @@ msgstr "عذرا، رمز دعوة غير صالح." msgid "Registration successful" msgstr "نجح التسجيل" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "سجّل" @@ -2815,7 +2888,7 @@ msgid "Same as password above. Required." msgstr "Ù†Ùس كلمة السر أعلاه. مطلوب." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "البريد الإلكتروني" @@ -2949,6 +3022,11 @@ msgstr "مكرر!" msgid "Replies to %s" msgstr "الردود على %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "الردود على %s" + #: actions/replies.php:144 #, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3072,6 +3150,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "إشعارات %s المÙÙضلة" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "" @@ -3125,6 +3208,11 @@ msgstr "إنها إحدى وسائل مشاركة ما تحب." msgid "%s group" msgstr "مجموعة %s" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "%1$s أعضاء المجموعة, الصÙحة %2$d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "مل٠المجموعة الشخصي" @@ -3235,6 +3323,11 @@ msgstr "Ø­Ùذ٠الإشعار." msgid " tagged %s" msgstr "" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%1$s والأصدقاء, الصÙحة %2$d" + #: actions/showstream.php:122 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3312,192 +3405,144 @@ msgstr "المستخدم مسكت من قبل." msgid "Basic settings for this StatusNet site." msgstr "الإعدادات الأساسية لموقع StatusNet هذا." -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "يجب ألا يكون طول اسم الموقع صÙرًا." -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 msgid "You must have a valid contact email address." msgstr "يجب أن تملك عنوان بريد إلكتروني صحيح." -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "لغة غير معروÙØ© \"%s\"." -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "حد النص الأدنى هو 140 حرÙًا." -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "عام" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 msgid "Site name" msgstr "اسم الموقع" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "اسم موقعك، \"التدوين المصغر لشركتك\" مثلا" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 msgid "Contact email address for your site" msgstr "عنوان البريد الإلكتروني للاتصال بموقعك" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 msgid "Local" msgstr "محلي" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "المنطقة الزمنية المبدئية" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "المنطقة الزمنية المبدئية للموقع؛ ت‌ع‌م عادة." -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "لغة الموقع المبدئية" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "مسارات" - -#: actions/siteadminpanel.php:306 -msgid "Server" -msgstr "خادوم" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "اسم مضي٠خادوم الموقع." - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "مسارات Ùاخرة" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "أأستخدم مسارات Ùاخرة (يمكن قراءتها وتذكرها بسهولة أكبر)ØŸ" - -#: actions/siteadminpanel.php:318 -msgid "Access" -msgstr "Ù†Ùاذ" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "خاص" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "أأمنع المستخدمين المجهولين (غير الوالجين) من عرض الموقع؟" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "بالدعوة Ùقط" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "" - -#: actions/siteadminpanel.php:333 -msgid "Closed" -msgstr "Ù…Ùغلق" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "عطّل التسجيل الجديد." - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "ÙÙŠ مهمة Ù…Ùجدولة" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "التكرار" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "بلّغ عن المسار" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "الحدود" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "حد النص" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "أقصى عدد للحرو٠ÙÙŠ الإشعارات." -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 msgid "Save site settings" msgstr "اذ٠إعدادت الموقع" @@ -3688,6 +3733,11 @@ msgstr "جابر" msgid "SMS" msgstr "رسائل قصيرة" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "الإشعارات الموسومة ب%s" + #: actions/tag.php:86 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -3971,6 +4021,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "استمتع بالنقانق!" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "%1$s أعضاء المجموعة, الصÙحة %2$d" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "ابحث عن المزيد من المجموعات" @@ -4032,7 +4087,7 @@ msgstr "" msgid "Plugins" msgstr "ملحقات" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "النسخة" @@ -4086,44 +4141,49 @@ msgstr "تعذّر إدراج الرسالة." msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:225 +#: classes/Notice.php:214 msgid "Problem saving notice. Too long." msgstr "مشكلة ÙÙŠ Ø­Ùظ الإشعار. طويل جدًا." -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "مشكلة ÙÙŠ Ø­Ùظ الإشعار. مستخدم غير معروÙ." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "مشكلة أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "مشكلة أثناء Ø­Ùظ الإشعار." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تي @%1$s %2$s" @@ -4178,124 +4238,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "صÙحة غير Ù…Ùعنونة" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "الرئيسية" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "المل٠الشخصي ومسار الأصدقاء الزمني" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "اتصل" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect to services" msgstr "" -#: lib/action.php:442 +#: lib/action.php:448 msgid "Change site configuration" msgstr "غيّر ضبط الموقع" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "ادعÙ" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "اخرج" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "اخرج من الموقع" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "أنشئ حسابًا" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "Ù„Ùج إلى الموقع" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "مساعدة" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "ساعدني!" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "ابحث" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "ابحث عن أشخاص أو نص" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "إشعار الموقع" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "المشاهدات المحلية" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "إشعار الصÙحة" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "عن" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "الأسئلة المكررة" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "الشروط" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "خصوصية" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "المصدر" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "اتصل" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "رخصة برنامج StatusNet" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4304,12 +4364,12 @@ msgstr "" "**%%site.name%%** خدمة تدوين مصغر يقدمها لك [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4320,41 +4380,41 @@ msgstr "" "المتوÙر تحت [رخصة غنو Ø£Ùيرو العمومية](http://www.fsf.org/licensing/licenses/" "agpl-3.0.html)." -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "رخصة محتوى الموقع" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "" -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "الرخصة." -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "بعد" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "قبل" @@ -4386,10 +4446,24 @@ msgstr "ضبط الموقع الأساسي" msgid "Design configuration" msgstr "ضبط التصميم" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "ضبط المسارات" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "ضبط التصميم" + +#: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "ضبط المسارات" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "عدّل التطبيق" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -4970,12 +5044,12 @@ msgstr "ميجابايت" msgid "kB" msgstr "كيلوبايت" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "[%s]" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "مصدر صندوق وارد غير معرو٠%d." @@ -5393,19 +5467,19 @@ msgstr "الردود" msgid "Favorites" msgstr "المÙضلات" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "صندوق الوارد" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "رسائلك الواردة" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "صندوق الصادر" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "رسائلك المÙرسلة" @@ -5647,47 +5721,47 @@ msgstr "رسالة" msgid "Moderate" msgstr "" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "قبل لحظات قليلة" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "قبل دقيقة تقريبًا" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "قبل ساعة تقريبًا" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "قبل يوم تقريبا" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "قبل شهر تقريبًا" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "قبل سنة تقريبًا" @@ -5701,7 +5775,7 @@ msgstr "%s ليس لونًا صحيحًا!" msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "" -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "" diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index 20bb7a4b2..9ac285b14 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -9,18 +9,72 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:37:03+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:58:23+0000\n" "Language-Team: Egyptian Spoken Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=6; plural= n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 " "&& n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +msgid "Access" +msgstr "Ù†Ùاذ" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "اذ٠إعدادت الموقع" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "سجّل" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "خاص" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "أأمنع المستخدمين المجهولين (غير الوالجين) من عرض الموقع؟" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "بالدعوه Ùقط" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "" + +#: actions/accessadminpanel.php:173 +msgid "Closed" +msgstr "Ù…Ùغلق" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "عطّل التسجيل الجديد." + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "أرسل" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "اذ٠إعدادت الموقع" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -35,7 +89,7 @@ msgstr "لا صÙحه كهذه" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -134,8 +188,7 @@ msgstr "" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -151,7 +204,7 @@ msgstr "لم يتم العثور على وسيله API." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "تتطلب هذه الطريقه POST." @@ -180,7 +233,7 @@ msgstr "لم يمكن Ø­Ùظ الملÙ." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -476,7 +529,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "الحساب" @@ -533,17 +593,17 @@ msgstr "Ø­ÙØ°ÙÙت الحاله." msgid "No status with that ID found." msgstr "" -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "" -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "لم يوجد" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -594,11 +654,6 @@ msgstr "مسار %s الزمنى العام" msgid "%s updates from everyone!" msgstr "" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "" - #: actions/apitimelineretweetedtome.php:111 #, php-format msgid "Repeated to %s" @@ -997,17 +1052,6 @@ msgstr "استعد التصميمات المبدئية" msgid "Reset back to default" msgstr "ارجع إلى المبدئي" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "أرسل" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "احÙظ التصميم" @@ -1020,13 +1064,15 @@ msgstr "هذا الشعار ليس Ù…Ùضلًا!" msgid "Add to favorites" msgstr "أض٠إلى المÙضلات" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "لا مستند كهذا." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "تطبيقات OAuth" #: actions/editapplication.php:66 msgid "You must be logged in to edit an application." @@ -1042,7 +1088,7 @@ msgid "No such application." msgstr "لا تطبيق كهذا." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "" @@ -1241,7 +1287,7 @@ msgid "Cannot normalize that email address" msgstr "" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "ليس عنوان بريد صالح." @@ -1253,7 +1299,7 @@ msgstr "هذا هو عنوان بريدك الإكترونى سابقًا." msgid "That email address already belongs to another user." msgstr "هذا البريد الإلكترونى ملك مستخدم آخر بالÙعل." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "تعذّر إدراج رمز التأكيد." @@ -1545,7 +1591,7 @@ msgstr "%1$s أعضاء المجموعة, الصÙحه %2$d" msgid "A list of the users in this group." msgstr "قائمه بمستخدمى هذه المجموعه." -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "إداري" @@ -1720,6 +1766,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "هذه ليست هويتك ÙÙ‰ جابر." +#: actions/inbox.php:59 +#, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1870,7 +1921,7 @@ msgstr "اسم المستخدم أو كلمه السر غير صحيحان." msgid "Error setting user. You are probably not authorized." msgstr "خطأ أثناء ضبط المستخدم. لست Ù…Ùصرحًا على الأرجح." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Ù„Ùج" @@ -1928,8 +1979,9 @@ msgid "No current status" msgstr "لا حاله حالية" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "لا تطبيق كهذا." #: actions/newapplication.php:64 msgid "You must be logged in to register an application." @@ -2110,8 +2162,8 @@ msgstr "نوع المحتوى " msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr " مش نظام بيانات مدعوم." @@ -2175,6 +2227,11 @@ msgstr "توكن دخول غير صحيح محدد." msgid "Login token expired." msgstr "توكن الدخول انتهى." +#: actions/outbox.php:58 +#, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2245,7 +2302,7 @@ msgstr "تعذّر Ø­Ùظ كلمه السر الجديده." msgid "Password saved." msgstr "Ø­ÙÙظت كلمه السر." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "المسارات" @@ -2253,132 +2310,148 @@ msgstr "المسارات" msgid "Path and server settings for this StatusNet site." msgstr "" -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, php-format msgid "Theme directory not readable: %s" msgstr "لا يمكن قراءه دليل السمات: %s" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "لا يمكن الكتابه ÙÙ‰ دليل الأÙتارات: %s" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "لا يمكن الكتابه ÙÙ‰ دليل الخلÙيات: %s" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "لا يمكن قراءه دليل المحليات: %s" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "الموقع" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "خادوم" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "اسم مضي٠خادوم الموقع." + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "المسار" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 msgid "Site path" msgstr "مسار الموقع" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "مسار المحليات" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "مسار دليل المحليات" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "مسارات Ùاخرة" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "أأستخدم مسارات Ùاخره (يمكن قراءتها وتذكرها بسهوله أكبر)ØŸ" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "السمة" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "خادوم السمات" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "مسار السمات" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "دليل السمات" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 msgid "Avatars" msgstr "Ø£Ùتارات" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 msgid "Avatar server" msgstr "خادوم الأÙتارات" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 msgid "Avatar path" msgstr "مسار الأÙتارات" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 msgid "Avatar directory" msgstr "دليل الأÙتار." -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "خلÙيات" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "خادوم الخلÙيات" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "مسار الخلÙيات" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "دليل الخلÙيات" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 msgid "Never" msgstr "مطلقا" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "أحيانًا" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "دائمًا" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "استخدم SSL" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 msgid "SSL server" msgstr "خادم SSL" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 msgid "Save paths" msgstr "احÙظ المسارات" @@ -2483,7 +2556,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "اللغة" @@ -2509,7 +2582,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "لم تÙختر المنطقه الزمنيه." @@ -2773,7 +2846,7 @@ msgstr "عذرا، رمز دعوه غير صالح." msgid "Registration successful" msgstr "نجح التسجيل" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "سجّل" @@ -2813,7 +2886,7 @@ msgid "Same as password above. Required." msgstr "Ù†Ùس كلمه السر أعلاه. مطلوب." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "البريد الإلكتروني" @@ -2947,6 +3020,11 @@ msgstr "مكرر!" msgid "Replies to %s" msgstr "الردود على %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "الردود على %s" + #: actions/replies.php:144 #, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3070,6 +3148,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "إشعارات %s المÙÙضلة" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "" @@ -3123,6 +3206,11 @@ msgstr "إنها إحدى وسائل مشاركه ما تحب." msgid "%s group" msgstr "مجموعه %s" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "%1$s أعضاء المجموعة, الصÙحه %2$d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "مل٠المجموعه الشخصي" @@ -3233,6 +3321,11 @@ msgstr "Ø­Ùذ٠الإشعار." msgid " tagged %s" msgstr "" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%1$s والأصدقاء, الصÙحه %2$d" + #: actions/showstream.php:122 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3310,192 +3403,144 @@ msgstr "المستخدم مسكت من قبل." msgid "Basic settings for this StatusNet site." msgstr "الإعدادات الأساسيه لموقع StatusNet هذا." -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "يجب ألا يكون طول اسم الموقع صÙرًا." -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 msgid "You must have a valid contact email address." msgstr "يجب أن تملك عنوان بريد إلكترونى صحيح." -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "لغه غير معروÙÙ‡ \"%s\"." -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "حد النص الأدنى هو 140 حرÙًا." -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "عام" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 msgid "Site name" msgstr "اسم الموقع" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "اسم موقعك، \"التدوين المصغر لشركتك\" مثلا" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 msgid "Contact email address for your site" msgstr "عنوان البريد الإلكترونى للاتصال بموقعك" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 msgid "Local" msgstr "محلي" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "المنطقه الزمنيه المبدئية" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "المنطقه الزمنيه المبدئيه للموقع؛ ت‌ع‌م عاده." -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "لغه الموقع المبدئية" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "مسارات" - -#: actions/siteadminpanel.php:306 -msgid "Server" -msgstr "خادوم" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "اسم مضي٠خادوم الموقع." - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "مسارات Ùاخرة" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "أأستخدم مسارات Ùاخره (يمكن قراءتها وتذكرها بسهوله أكبر)ØŸ" - -#: actions/siteadminpanel.php:318 -msgid "Access" -msgstr "Ù†Ùاذ" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "خاص" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "أأمنع المستخدمين المجهولين (غير الوالجين) من عرض الموقع؟" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "بالدعوه Ùقط" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "" - -#: actions/siteadminpanel.php:333 -msgid "Closed" -msgstr "Ù…Ùغلق" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "عطّل التسجيل الجديد." - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "ÙÙ‰ مهمه Ù…Ùجدولة" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "التكرار" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "بلّغ عن المسار" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "الحدود" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "حد النص" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "أقصى عدد للحرو٠ÙÙ‰ الإشعارات." -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 msgid "Save site settings" msgstr "اذ٠إعدادت الموقع" @@ -3686,6 +3731,11 @@ msgstr "جابر" msgid "SMS" msgstr "رسائل قصيرة" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "الإشعارات الموسومه ب%s" + #: actions/tag.php:86 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -3969,6 +4019,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "استمتع بالنقانق!" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "%1$s أعضاء المجموعة, الصÙحه %2$d" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "" @@ -4030,7 +4085,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "النسخة" @@ -4084,44 +4139,49 @@ msgstr "تعذّر إدراج الرساله." msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:225 +#: classes/Notice.php:214 msgid "Problem saving notice. Too long." msgstr "مشكله ÙÙ‰ Ø­Ùظ الإشعار. طويل جدًا." -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "مشكله ÙÙ‰ Ø­Ùظ الإشعار. مستخدم غير معروÙ." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "مشكله أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "مشكله أثناء Ø­Ùظ الإشعار." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تى @%1$s %2$s" @@ -4176,124 +4236,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "صÙحه غير Ù…Ùعنونة" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "الرئيسية" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "المل٠الشخصى ومسار الأصدقاء الزمني" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "اتصل" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect to services" msgstr "" -#: lib/action.php:442 +#: lib/action.php:448 msgid "Change site configuration" msgstr "غيّر ضبط الموقع" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "ادعÙ" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "اخرج" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "اخرج من الموقع" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "أنشئ حسابًا" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "Ù„Ùج إلى الموقع" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "مساعدة" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "ساعدني!" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "ابحث" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "ابحث عن أشخاص أو نص" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "إشعار الموقع" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "المشاهدات المحلية" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "إشعار الصÙحة" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "عن" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "الأسئله المكررة" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "الشروط" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "خصوصية" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "المصدر" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "اتصل" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4302,12 +4362,12 @@ msgstr "" "**%%site.name%%** خدمه تدوين مصغر يقدمها لك [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4318,41 +4378,41 @@ msgstr "" "المتوÙر تحت [رخصه غنو Ø£Ùيرو العمومية](http://www.fsf.org/licensing/licenses/" "agpl-3.0.html)." -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "رخصه محتوى الموقع" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "" -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "الرخصه." -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "بعد" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "قبل" @@ -4384,10 +4444,24 @@ msgstr "ضبط الموقع الأساسي" msgid "Design configuration" msgstr "ضبط التصميم" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "ضبط المسارات" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "ضبط التصميم" + +#: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "ضبط المسارات" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -4398,9 +4472,8 @@ msgid "Describe your application in %d characters" msgstr "" #: lib/applicationeditform.php:209 -#, fuzzy msgid "Describe your application" -msgstr "ص٠تطبيقك" +msgstr "اوص٠تطبيقك" #: lib/applicationeditform.php:218 msgid "Source URL" @@ -4969,12 +5042,12 @@ msgstr "ميجابايت" msgid "kB" msgstr "كيلوبايت" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "[%s]" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "مصدر صندوق وارد غير معرو٠%d." @@ -5382,19 +5455,19 @@ msgstr "الردود" msgid "Favorites" msgstr "المÙضلات" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "صندوق الوارد" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "رسائلك الواردة" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "صندوق الصادر" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "رسائلك المÙرسلة" @@ -5636,47 +5709,47 @@ msgstr "رسالة" msgid "Moderate" msgstr "" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "قبل لحظات قليلة" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "قبل دقيقه تقريبًا" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "قبل ساعه تقريبًا" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "قبل يوم تقريبا" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "قبل شهر تقريبًا" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "قبل سنه تقريبًا" @@ -5690,7 +5763,7 @@ msgstr "%s ليس لونًا صحيحًا!" msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "" -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "" diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index e7bc79a13..f7d2c9b34 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -9,17 +9,71 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:37:06+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:58:26+0000\n" "Language-Team: Bulgarian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +msgid "Access" +msgstr "ДоÑтъп" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Запазване наÑтройките на Ñайта" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "РегиÑтриране" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "ЧаÑтен" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "Само Ñ Ð¿Ð¾ÐºÐ°Ð½Ð¸" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "Ðовите региÑтрации да Ñа Ñамо Ñ Ð¿Ð¾ÐºÐ°Ð½Ð¸." + +#: actions/accessadminpanel.php:173 +msgid "Closed" +msgstr "Затворен" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "Изключване на новите региÑтрации." + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Запазване" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Запазване наÑтройките на Ñайта" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -34,7 +88,7 @@ msgstr "ÐÑма такака Ñтраница." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -133,8 +187,7 @@ msgstr "Бележки от %1$s и приÑтели в %2$s." #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -150,7 +203,7 @@ msgstr "Ðе е открит методът в API." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "Този метод изиÑква заÑвка POST." @@ -179,7 +232,7 @@ msgstr "Грешка при запазване на профила." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -488,7 +541,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Сметка" @@ -546,17 +606,17 @@ msgstr "Бележката е изтрита." msgid "No status with that ID found." msgstr "Ðе е открита бележка Ñ Ñ‚Ð°ÐºÑŠÐ² идентификатор." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Твърде дълга бележка. ТрÑбва да е най-много 140 знака." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "Ðе е открито." -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -607,11 +667,6 @@ msgstr "Общ поток на %s" msgid "%s updates from everyone!" msgstr "" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "Повторено от %s" - #: actions/apitimelineretweetedtome.php:111 #, php-format msgid "Repeated to %s" @@ -1020,17 +1075,6 @@ msgstr "" msgid "Reset back to default" msgstr "" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Запазване" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1043,13 +1087,15 @@ msgstr "Тази бележка не е отбелÑзана като любим msgid "Add to favorites" msgstr "ДобавÑне към любимите" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "ÐÑма такъв документ." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "Други наÑтройки" #: actions/editapplication.php:66 #, fuzzy @@ -1068,7 +1114,7 @@ msgid "No such application." msgstr "ÐÑма такава бележка." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "Имаше проблем ÑÑŠÑ ÑеÑиÑта ви в Ñайта." @@ -1281,7 +1327,7 @@ msgid "Cannot normalize that email address" msgstr "Грешка при нормализиране адреÑа на е-пощата" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "Ðеправилен Ð°Ð´Ñ€ÐµÑ Ð½Ð° е-поща." @@ -1293,7 +1339,7 @@ msgstr "Това и Ñега е адреÑÑŠÑ‚ на е-пощата ви." msgid "That email address already belongs to another user." msgstr "Тази е-поща вече Ñе използва от друг потребител." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "Ðе може да Ñе вмъкне код за потвърждение." @@ -1602,7 +1648,7 @@ msgstr "Членове на групата %s, Ñтраница %d" msgid "A list of the users in this group." msgstr "СпиÑък Ñ Ð¿Ð¾Ñ‚Ñ€ÐµÐ±Ð¸Ñ‚ÐµÐ»Ð¸Ñ‚Ðµ в тази група." -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "ÐаÑтройки" @@ -1793,6 +1839,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "Това не е вашиÑÑ‚ Jabber ID." +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "ВходÑща ÐºÑƒÑ‚Ð¸Ñ Ð·Ð° %s" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1974,7 +2025,7 @@ msgstr "Грешно име или парола." msgid "Error setting user. You are probably not authorized." msgstr "Забранено." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Вход" @@ -2036,8 +2087,9 @@ msgid "No current status" msgstr "" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "ÐÑма такава бележка." #: actions/newapplication.php:64 #, fuzzy @@ -2228,8 +2280,8 @@ msgstr "вид Ñъдържание " msgid "Only " msgstr "Само " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "Ðеподдържан формат на данните" @@ -2300,6 +2352,11 @@ msgstr "Ðевалидно Ñъдържание на бележка" msgid "Login token expired." msgstr "Влизане в Ñайта" +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "ИзходÑща ÐºÑƒÑ‚Ð¸Ñ Ð·Ð° %s" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2371,7 +2428,7 @@ msgstr "Грешка при запазване на новата парола." msgid "Password saved." msgstr "Паролата е запиÑана." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "Пътища" @@ -2379,133 +2436,149 @@ msgstr "Пътища" msgid "Path and server settings for this StatusNet site." msgstr "Пътища и Ñървърни наÑтройки за тази инÑÑ‚Ð°Ð»Ð°Ñ†Ð¸Ñ Ð½Ð° StatusNet." -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, fuzzy, php-format msgid "Theme directory not readable: %s" msgstr "Страницата не е доÑтъпна във вида медиÑ, който приемате" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "Сайт" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "Сървър" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "Път" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 msgid "Site path" msgstr "Път до Ñайта" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "Кратки URL-адреÑи" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 msgid "Avatars" msgstr "Ðватари" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 msgid "Avatar server" msgstr "Сървър на аватара" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 msgid "Avatar path" msgstr "Път до аватара" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 msgid "Avatar directory" msgstr "Ð”Ð¸Ñ€ÐµÐºÑ‚Ð¾Ñ€Ð¸Ñ Ð½Ð° аватара" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "Фонове" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "Сървър на фона" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "Път до фона" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "Ð”Ð¸Ñ€ÐµÐºÑ‚Ð¾Ñ€Ð¸Ñ Ð½Ð° фона" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 msgid "Never" msgstr "Ðикога" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "ПонÑкога" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "Винаги" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "Използване на SSL" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "Кога да Ñе използва SSL" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 #, fuzzy msgid "SSL server" msgstr "SSL-Ñървър" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 msgid "Save paths" msgstr "Запазване на пътищата" @@ -2612,7 +2685,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "Език" @@ -2640,7 +2713,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "БиографиÑта е твърде дълга (до %d Ñимвола)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "Ðе е избран чаÑови поÑÑ" @@ -2903,7 +2976,7 @@ msgstr "Грешка в кода за потвърждение." msgid "Registration successful" msgstr "ЗапиÑването е уÑпешно." -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "РегиÑтриране" @@ -2945,7 +3018,7 @@ msgid "Same as password above. Required." msgstr "Същото като паролата по-горе. Задължително поле." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Е-поща" @@ -3102,6 +3175,11 @@ msgstr "Повторено!" msgid "Replies to %s" msgstr "Отговори на %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "Отговори до %1$s в %2$s!" + #: actions/replies.php:144 #, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3232,6 +3310,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "Любими бележки на %s" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Грешка при изтеглÑне на любимите бележки" @@ -3281,6 +3364,11 @@ msgstr "Така можете да Ñподелите какво хареÑва msgid "%s group" msgstr "Група %s" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "Членове на групата %s, Ñтраница %d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "Профил на групата" @@ -3391,6 +3479,11 @@ msgstr "Бележката е изтрита." msgid " tagged %s" msgstr "Бележки Ñ ÐµÑ‚Ð¸ÐºÐµÑ‚ %s" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "Блокирани за %s, Ñтраница %d" + #: actions/showstream.php:122 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3468,194 +3561,146 @@ msgstr "ПотребителÑÑ‚ вече е заглушен." msgid "Basic settings for this StatusNet site." msgstr "ОÑновни наÑтройки на тази инÑÑ‚Ð°Ð»Ð°Ñ†Ð¸Ñ Ð½Ð° StatusNet." -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "Името на Ñайта е задължително." -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 #, fuzzy msgid "You must have a valid contact email address." msgstr "ÐдреÑÑŠÑ‚ на е-поща за контакт е задължителен" -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, fuzzy, php-format msgid "Unknown language \"%s\"." msgstr "Ðепознат език \"%s\"" -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "Минималното ограничение на текÑта е 140 знака." -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "Общи" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 msgid "Site name" msgstr "Име на Ñайта" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 msgid "Contact email address for your site" msgstr "ÐÐ´Ñ€ÐµÑ Ð½Ð° е-поща за контакт ÑÑŠÑ Ñайта" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 #, fuzzy msgid "Local" msgstr "МеÑтоположение" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "ЧаÑови поÑÑ Ð¿Ð¾ подразбиране" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "ЧаÑови поÑÑ Ð¿Ð¾ подразбиране за Ñайта (обикновено UTC)." -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "Език по подразбиране за Ñайта" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "" - -#: actions/siteadminpanel.php:306 -msgid "Server" -msgstr "Сървър" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "Кратки URL-адреÑи" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "" - -#: actions/siteadminpanel.php:318 -msgid "Access" -msgstr "ДоÑтъп" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "ЧаÑтен" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "Само Ñ Ð¿Ð¾ÐºÐ°Ð½Ð¸" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "Ðовите региÑтрации да Ñа Ñамо Ñ Ð¿Ð¾ÐºÐ°Ð½Ð¸." - -#: actions/siteadminpanel.php:333 -msgid "Closed" -msgstr "Затворен" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "Изключване на новите региÑтрации." - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "ЧеÑтота" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "ОграничениÑ" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 msgid "Save site settings" msgstr "Запазване наÑтройките на Ñайта" @@ -3859,6 +3904,11 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "Бележки Ñ ÐµÑ‚Ð¸ÐºÐµÑ‚ %s, Ñтраница %d" + #: actions/tag.php:86 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4162,6 +4212,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "Членове на групата %s, Ñтраница %d" + #: actions/usergroups.php:130 #, fuzzy msgid "Search for more groups" @@ -4225,7 +4280,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "СеÑии" @@ -4285,28 +4340,28 @@ msgstr "Грешка при вмъкване на Ñъобщението." msgid "Could not update message with new URI." msgstr "Грешка при обновÑване на бележката Ñ Ð½Ð¾Ð² URL-адреÑ." -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:225 +#: classes/Notice.php:214 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Проблем при запиÑване на бележката." -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "Грешка при запиÑване на бележката. Ðепознат потребител." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Твърде много бележки за кратко време. Спрете, поемете дъх и публикувайте " "отново Ñлед нÑколко минути." -#: classes/Notice.php:240 +#: classes/Notice.php:229 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4315,20 +4370,25 @@ msgstr "" "Твърде много бележки за кратко време. Спрете, поемете дъх и публикувайте " "отново Ñлед нÑколко минути." -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "Забранено ви е да публикувате бележки в този Ñайт." -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "Проблем при запиÑване на бележката." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "Проблем при запиÑване на бележката." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Грешка в базата от данни — отговор при вмъкването: %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4385,128 +4445,128 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Ðеозаглавена Ñтраница" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "Ðачало" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "ПромÑна на поща, аватар, парола, профил" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "Свързване" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect to services" msgstr "Свързване към уÑлуги" -#: lib/action.php:442 +#: lib/action.php:448 msgid "Change site configuration" msgstr "ПромÑна наÑтройките на Ñайта" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Покани" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Поканете приÑтели и колеги да Ñе приÑъединÑÑ‚ към Ð²Ð°Ñ Ð² %s" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "Изход" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Излизане от Ñайта" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "Създаване на нова Ñметка" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "Влизане в Ñайта" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Помощ" -#: lib/action.php:463 +#: lib/action.php:469 #, fuzzy msgid "Help me!" msgstr "Помощ" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "ТърÑене" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "ТърÑене за хора или бележки" -#: lib/action.php:487 +#: lib/action.php:493 #, fuzzy msgid "Site notice" msgstr "Ðова бележка" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "" -#: lib/action.php:619 +#: lib/action.php:625 #, fuzzy msgid "Page notice" msgstr "Ðова бележка" -#: lib/action.php:721 +#: lib/action.php:727 #, fuzzy msgid "Secondary site navigation" msgstr "Ðбонаменти" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "ОтноÑно" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "ВъпроÑи" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "УÑловиÑ" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "ПоверителноÑÑ‚" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "Изходен код" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Контакт" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "Табелка" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Лиценз на програмата StatusNet" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4515,12 +4575,12 @@ msgstr "" "**%%site.name%%** е уÑлуга за микроблогване, предоÑтавена ви от [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** е уÑлуга за микроблогване. " -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4531,41 +4591,41 @@ msgstr "" "доÑтъпна под [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "Лиценз на Ñъдържанието" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "Ð’Ñички " -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "лиценз." -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "Страниране" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "След" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "Преди" @@ -4601,10 +4661,24 @@ msgstr "ОÑновна наÑтройка на Ñайта" msgid "Design configuration" msgstr "ÐаÑтройка на оформлението" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "ÐаÑтройка на пътищата" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "ÐаÑтройка на оформлението" + +#: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "ÐаÑтройка на пътищата" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -5190,12 +5264,12 @@ msgstr "MB" msgid "kB" msgstr "kB" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, fuzzy, php-format msgid "Unknown inbox source %d." msgstr "Ðепознат език \"%s\"" @@ -5620,19 +5694,19 @@ msgstr "Отговори" msgid "Favorites" msgstr "Любими" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "ВходÑщи" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "Получените от Ð²Ð°Ñ ÑъобщениÑ" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "ИзходÑщи" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "Изпратените от Ð²Ð°Ñ ÑъобщениÑ" @@ -5885,47 +5959,47 @@ msgstr "Съобщение" msgid "Moderate" msgstr "" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "преди нÑколко Ñекунди" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "преди около минута" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "преди около %d минути" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "преди около чаÑ" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "преди около %d чаÑа" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "преди около ден" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "преди около %d дни" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "преди около меÑец" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "преди около %d меÑеца" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "преди около година" @@ -5939,7 +6013,7 @@ msgstr "%s не е допуÑтим цвÑÑ‚!" msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "%s не е допуÑтим цвÑÑ‚! Използвайте 3 или 6 шеÑтнадеÑетични знака." -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, fuzzy, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "" diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index ef08bf3f1..2ae0c3311 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -9,17 +9,73 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:37:10+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:58:29+0000\n" "Language-Team: Catalan\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +msgid "Access" +msgstr "Accés" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Desa els paràmetres del lloc" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "Registre" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "Privat" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" +"Voleu prohibir als usuaris anònims (que no han iniciat cap sessió) " +"visualitzar el lloc?" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "Només invitació" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "Fes que el registre sigui només amb invitacions." + +#: actions/accessadminpanel.php:173 +msgid "Closed" +msgstr "Tancat" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "Inhabilita els nous registres." + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Guardar" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Desa els paràmetres del lloc" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -34,7 +90,7 @@ msgstr "No existeix la pàgina." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -135,8 +191,7 @@ msgstr "Actualitzacions de %1$s i amics a %2$s!" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -153,7 +208,7 @@ msgstr "No s'ha trobat el mètode API!" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "Aquest mètode requereix POST." @@ -184,7 +239,7 @@ msgstr "No s'ha pogut guardar el perfil." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -498,7 +553,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Compte" @@ -559,17 +621,17 @@ msgstr "S'ha suprimit l'estat." msgid "No status with that ID found." msgstr "No s'ha trobat cap estatus amb la ID trobada." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Massa llarg. La longitud màxima és de %d caràcters." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "No s'ha trobat" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -620,11 +682,6 @@ msgstr "%s línia temporal pública" msgid "%s updates from everyone!" msgstr "%s notificacions de tots!" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "Repetit per %s" - #: actions/apitimelineretweetedtome.php:111 #, fuzzy, php-format msgid "Repeated to %s" @@ -1033,17 +1090,6 @@ msgstr "" msgid "Reset back to default" msgstr "" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Guardar" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Desa el disseny" @@ -1056,13 +1102,15 @@ msgstr "Aquesta notificació no és un favorit!" msgid "Add to favorites" msgstr "Afegeix als preferits" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "No existeix aquest document." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "Altres opcions" #: actions/editapplication.php:66 #, fuzzy @@ -1081,7 +1129,7 @@ msgid "No such application." msgstr "No existeix aquest avís." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "Ha ocorregut algun problema amb la teva sessió." @@ -1297,7 +1345,7 @@ msgid "Cannot normalize that email address" msgstr "No es pot normalitzar l'adreça electrònica." #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "Adreça de correu electrònic no vàlida." @@ -1309,7 +1357,7 @@ msgstr "Ja és la vostra adreça electrònica." msgid "That email address already belongs to another user." msgstr "L'adreça electrònica ja pertany a un altre usuari." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "No s'ha pogut inserir el codi de confirmació." @@ -1613,7 +1661,7 @@ msgstr "%s membre/s en el grup, pàgina %d" msgid "A list of the users in this group." msgstr "La llista dels usuaris d'aquest grup." -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" @@ -1802,6 +1850,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "Aquest no és el teu Jabber ID." +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "Safata d'entrada per %s" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1988,7 +2041,7 @@ msgstr "Nom d'usuari o contrasenya incorrectes." msgid "Error setting user. You are probably not authorized." msgstr "No autoritzat." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Inici de sessió" @@ -2053,8 +2106,9 @@ msgid "No current status" msgstr "No té cap estatus ara mateix" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "No existeix aquest avís." #: actions/newapplication.php:64 #, fuzzy @@ -2246,8 +2300,8 @@ msgstr "tipus de contingut " msgid "Only " msgstr "Només " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "Format de data no suportat." @@ -2318,6 +2372,11 @@ msgstr "El contingut de l'avís és invàlid" msgid "Login token expired." msgstr "Accedir al lloc" +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "Safata de sortida per %s" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2390,7 +2449,7 @@ msgstr "No es pot guardar la nova contrasenya." msgid "Password saved." msgstr "Contrasenya guardada." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "Camins" @@ -2398,133 +2457,149 @@ msgstr "Camins" msgid "Path and server settings for this StatusNet site." msgstr "" -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, fuzzy, php-format msgid "Theme directory not readable: %s" msgstr "Aquesta pàgina no està disponible en " -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "No es pot escriure al directori de fons: %s" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "Lloc" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "Servidor" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "Servidor central del lloc." + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "Camí" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 msgid "Site path" msgstr "Camí del lloc" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "Tema" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "Servidor dels temes" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "Camí dels temes" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "Directori de temes" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 msgid "Avatars" msgstr "Avatars" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 msgid "Avatar server" msgstr "Servidor d'avatars" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 msgid "Avatar path" msgstr "Camí de l'avatar" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 msgid "Avatar directory" msgstr "Directori d'avatars" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "Fons" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "Servidor de fons" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "Camí dels fons" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "Directori de fons" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 msgid "Never" msgstr "Mai" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "A vegades" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "Sempre" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "Utilitza l'SSL" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 #, fuzzy msgid "SSL server" msgstr "Servidor SSL" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 #, fuzzy msgid "Save paths" msgstr "Avís del lloc" @@ -2638,7 +2713,7 @@ msgstr "" "Etiquetes per a tu mateix (lletres, números, -, ., i _), per comes o separat " "por espais" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "Idioma" @@ -2666,7 +2741,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "La biografia és massa llarga (màx. %d caràcters)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "Franja horària no seleccionada." @@ -2936,7 +3011,7 @@ msgstr "El codi d'invitació no és vàlid." msgid "Registration successful" msgstr "Registre satisfactori" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registre" @@ -2979,7 +3054,7 @@ msgid "Same as password above. Required." msgstr "Igual a la contrasenya de dalt. Requerit." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Correu electrònic" @@ -3142,6 +3217,11 @@ msgstr "Repetit!" msgid "Replies to %s" msgstr "Respostes a %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "Respostes a %1$s el %2$s!" + #: actions/replies.php:144 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3273,6 +3353,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "%s's notes favorites" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "No s'han pogut recuperar els avisos preferits." @@ -3322,6 +3407,11 @@ msgstr "És una forma de compartir allò que us agrada." msgid "%s group" msgstr "%s grup" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "%s membre/s en el grup, pàgina %d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "Perfil del grup" @@ -3435,6 +3525,11 @@ msgstr "Notificació publicada" msgid " tagged %s" msgstr "Aviso etiquetats amb %s" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%s perfils blocats, pàgina %d" + #: actions/showstream.php:122 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3516,204 +3611,153 @@ msgstr "L'usuari ja està silenciat." msgid "Basic settings for this StatusNet site." msgstr "Paràmetres bàsic d'aquest lloc basat en l'StatusNet." -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "El nom del lloc ha de tenir una longitud superior a zero." -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 #, fuzzy msgid "You must have a valid contact email address." msgstr "Heu de tenir una adreça electrònica de contacte vàlida" -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, fuzzy, php-format msgid "Unknown language \"%s\"." msgstr "Llengua desconeguda «%s»" -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "General" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 msgid "Site name" msgstr "Nom del lloc" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "El nom del vostre lloc, com ara «El microblog de l'empresa»" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "El text que s'utilitza a l'enllaç dels crèdits al peu de cada pàgina" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 msgid "Contact email address for your site" msgstr "Adreça electrònica de contacte del vostre lloc" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 msgid "Local" msgstr "Local" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "Fus horari per defecte" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "Fus horari per defecte del lloc; normalment UTC." -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "Llengua per defecte del lloc" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "URL" - -#: actions/siteadminpanel.php:306 -msgid "Server" -msgstr "Servidor" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "Servidor central del lloc." - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "" - -#: actions/siteadminpanel.php:318 -msgid "Access" -msgstr "Accés" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "Privat" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" -"Voleu prohibir als usuaris anònims (que no han iniciat cap sessió) " -"visualitzar el lloc?" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "Només invitació" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "Fes que el registre sigui només amb invitacions." - -#: actions/siteadminpanel.php:333 -msgid "Closed" -msgstr "Tancat" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "Inhabilita els nous registres." - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "Instantànies" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "En una tasca planificada" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "Instantànies de dades" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "Freqüència" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "Les instantànies s'enviaran a aquest URL" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "Límits" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "Límits del text" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "Límit de duplicats" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Quant de temps cal que esperin els usuaris (en segons) per enviar el mateix " "de nou." -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 msgid "Save site settings" msgstr "Desa els paràmetres del lloc" #: actions/smssettings.php:58 -#, fuzzy msgid "SMS settings" -msgstr "Configuració SMS" +msgstr "Paràmetres de l'SMS" #: actions/smssettings.php:69 #, php-format @@ -3743,9 +3787,8 @@ msgid "Enter the code you received on your phone." msgstr "Escriu el codi que has rebut en el teu telèfon mòbil." #: actions/smssettings.php:138 -#, fuzzy msgid "SMS phone number" -msgstr "Número de telèfon pels SMS" +msgstr "Número de telèfon per als SMS" #: actions/smssettings.php:140 msgid "Phone number, no punctuation or spaces, with area code" @@ -3914,6 +3957,11 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "Usuaris que s'han etiquetat %s - pàgina %d" + #: actions/tag.php:86 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4218,6 +4266,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "Gaudiu de l'entrepà!" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "%s membre/s en el grup, pàgina %d" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "Cerca més grups" @@ -4280,7 +4333,7 @@ msgstr "" msgid "Plugins" msgstr "Connectors" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "Sessions" @@ -4339,28 +4392,28 @@ msgstr "No s'ha pogut inserir el missatge." msgid "Could not update message with new URI." msgstr "No s'ha pogut inserir el missatge amb la nova URI." -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Hashtag de l'error de la base de dades:%s" -#: classes/Notice.php:225 +#: classes/Notice.php:214 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Problema en guardar l'avís." -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "Problema al guardar la notificació. Usuari desconegut." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Masses notificacions massa ràpid; pren un respir i publica de nou en uns " "minuts." -#: classes/Notice.php:240 +#: classes/Notice.php:229 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4369,20 +4422,25 @@ msgstr "" "Masses notificacions massa ràpid; pren un respir i publica de nou en uns " "minuts." -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "Ha estat bandejat de publicar notificacions en aquest lloc." -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "Problema en guardar l'avís." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "Problema en guardar l'avís." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Error de BD en inserir resposta: %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4438,125 +4496,125 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Pàgina sense titol" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Navegació primària del lloc" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "Inici" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Perfil personal i línia temporal dels amics" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Canviar correu electrònic, avatar, contrasenya, perfil" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "Connexió" -#: lib/action.php:438 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "No s'ha pogut redirigir al servidor: %s" -#: lib/action.php:442 +#: lib/action.php:448 msgid "Change site configuration" msgstr "Canvia la configuració del lloc" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Convida" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Convidar amics i companys perquè participin a %s" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "Finalitza la sessió" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Finalitza la sessió del lloc" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "Crea un compte" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "Inicia una sessió al lloc" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Ajuda" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "Ajuda'm" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Cerca" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Cerca gent o text" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "Avís del lloc" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "Vistes locals" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "Notificació pàgina" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Navegació del lloc secundària" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "Quant a" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "Preguntes més freqüents" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "Privadesa" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "Font" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Contacte" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "Insígnia" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Llicència del programari StatusNet" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4565,12 +4623,12 @@ msgstr "" "**%%site.name%%** és un servei de microblogging de [%%site.broughtby%%**](%%" "site.broughtbyurl%%)." -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** és un servei de microblogging." -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4581,41 +4639,41 @@ msgstr "" "%s, disponible sota la [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "Llicència de contingut del lloc" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "Tot " -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "llicència." -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "Paginació" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "Posteriors" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "Anteriors" @@ -4651,10 +4709,24 @@ msgstr "Configuració bàsica del lloc" msgid "Design configuration" msgstr "Configuració del disseny" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "Configuració dels camins" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "Configuració del disseny" + +#: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "Configuració dels camins" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -5044,13 +5116,12 @@ msgid "Updates by SMS" msgstr "Actualitzacions per SMS" #: lib/connectsettingsaction.php:120 -#, fuzzy msgid "Connections" -msgstr "Connexió" +msgstr "Connexions" #: lib/connectsettingsaction.php:121 msgid "Authorized connected applications" -msgstr "" +msgstr "Aplicacions de connexió autoritzades" #: lib/dberroraction.php:60 msgid "Database error" @@ -5111,9 +5182,8 @@ msgid "All" msgstr "Tot" #: lib/galleryaction.php:139 -#, fuzzy msgid "Select tag to filter" -msgstr "Selecciona un transport" +msgstr "Seleccioneu l'etiqueta per filtrar" #: lib/galleryaction.php:140 msgid "Tag" @@ -5132,14 +5202,13 @@ msgid "URL of the homepage or blog of the group or topic" msgstr "URL del teu web, blog del grup u tema" #: lib/groupeditform.php:168 -#, fuzzy msgid "Describe the group or topic" -msgstr "Descriu el grup amb 140 caràcters" +msgstr "Descriviu el grup o el tema" #: lib/groupeditform.php:170 -#, fuzzy, php-format +#, php-format msgid "Describe the group or topic in %d characters" -msgstr "Descriu el grup amb 140 caràcters" +msgstr "Descriviu el grup o el tema en %d caràcters" #: lib/groupeditform.php:179 msgid "" @@ -5161,9 +5230,9 @@ msgid "Blocked" msgstr "Blocat" #: lib/groupnav.php:102 -#, fuzzy, php-format +#, php-format msgid "%s blocked users" -msgstr "Usuari bloquejat." +msgstr "%susuaris blocats" #: lib/groupnav.php:108 #, php-format @@ -5180,9 +5249,9 @@ msgid "Add or edit %s logo" msgstr "Afegir o editar logo %s" #: lib/groupnav.php:120 -#, fuzzy, php-format +#, php-format msgid "Add or edit %s design" -msgstr "Afegir o editar logo %s" +msgstr "Afegeix o edita el disseny %s" #: lib/groupsbymemberssection.php:71 msgid "Groups with most members" @@ -5232,18 +5301,18 @@ msgstr "Tipus de fitxer desconegut" #: lib/imagefile.php:217 msgid "MB" -msgstr "" +msgstr "MB" #: lib/imagefile.php:219 msgid "kB" -msgstr "" +msgstr "kB" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, fuzzy, php-format msgid "Unknown inbox source %d." msgstr "Llengua desconeguda «%s»" @@ -5673,19 +5742,19 @@ msgstr "Respostes" msgid "Favorites" msgstr "Preferits" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Safata d'entrada" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "Els teus missatges rebuts" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "Safata de sortida" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "Els teus missatges enviats" @@ -5935,47 +6004,47 @@ msgstr "Missatge" msgid "Moderate" msgstr "Modera" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "fa pocs segons" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "fa un minut" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "fa %d minuts" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "fa una hora" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "fa %d hores" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "fa un dia" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "fa %d dies" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "fa un mes" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "fa %d mesos" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "fa un any" @@ -5989,7 +6058,7 @@ msgstr "%s no és un color vàlid!" msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "%s no és un color vàlid! Feu servir 3 o 6 caràcters hexadecimals." -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, fuzzy, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "Missatge massa llarg - màxim és 140 caràcters, tu has enviat %d" diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index 6fbec682b..9059001d7 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -9,17 +9,74 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:37:13+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:58:33+0000\n" "Language-Team: Czech\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n< =4) ? 1 : 2 ;\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#, fuzzy +msgid "Access" +msgstr "PÅ™ijmout" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Nastavení" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "Registrovat" + +#: actions/accessadminpanel.php:161 +#, fuzzy +msgid "Private" +msgstr "Soukromí" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "" + +#: actions/accessadminpanel.php:173 +#, fuzzy +msgid "Closed" +msgstr "Žádný takový uživatel." + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "" + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Uložit" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Nastavení" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 #, fuzzy @@ -35,7 +92,7 @@ msgstr "Žádné takové oznámení." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -135,8 +192,7 @@ msgstr "" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -153,7 +209,7 @@ msgstr "Potvrzující kód nebyl nalezen" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "" @@ -184,7 +240,7 @@ msgstr "Nelze uložit profil" #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -493,7 +549,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 #, fuzzy msgid "Account" msgstr "O nás" @@ -555,17 +618,17 @@ msgstr "Obrázek nahrán" msgid "No status with that ID found." msgstr "" -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Je to příliÅ¡ dlouhé. Maximální sdÄ›lení délka je 140 znaků" -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -617,11 +680,6 @@ msgstr "" msgid "%s updates from everyone!" msgstr "" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "" - #: actions/apitimelineretweetedtome.php:111 #, fuzzy, php-format msgid "Repeated to %s" @@ -1040,17 +1098,6 @@ msgstr "" msgid "Reset back to default" msgstr "" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Uložit" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1063,13 +1110,15 @@ msgstr "" msgid "Add to favorites" msgstr "PÅ™idat do oblíbených" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "Žádný takový dokument." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "SdÄ›lení nemá profil" #: actions/editapplication.php:66 msgid "You must be logged in to edit an application." @@ -1087,7 +1136,7 @@ msgid "No such application." msgstr "Žádné takové oznámení." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "" @@ -1295,7 +1344,7 @@ msgid "Cannot normalize that email address" msgstr "" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "Není platnou mailovou adresou." @@ -1307,7 +1356,7 @@ msgstr "" msgid "That email address already belongs to another user." msgstr "" -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "Nelze vložit potvrzující kód" @@ -1621,7 +1670,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -1814,6 +1863,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "Toto není váš Jabber" +#: actions/inbox.php:59 +#, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1966,7 +2020,7 @@ msgstr "Neplatné jméno nebo heslo" msgid "Error setting user. You are probably not authorized." msgstr "Neautorizován." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "PÅ™ihlásit" @@ -2027,8 +2081,9 @@ msgid "No current status" msgstr "" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "Žádné takové oznámení." #: actions/newapplication.php:64 msgid "You must be logged in to register an application." @@ -2215,8 +2270,8 @@ msgstr "PÅ™ipojit" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "" @@ -2287,6 +2342,11 @@ msgstr "Neplatný obsah sdÄ›lení" msgid "Login token expired." msgstr "" +#: actions/outbox.php:58 +#, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2359,7 +2419,7 @@ msgstr "Nelze uložit nové heslo" msgid "Password saved." msgstr "Heslo uloženo" -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "" @@ -2367,140 +2427,157 @@ msgstr "" msgid "Path and server settings for this StatusNet site." msgstr "" -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, fuzzy, php-format msgid "Theme directory not readable: %s" msgstr "Tato stránka není k dispozici v typu média která pÅ™ijímáte." -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +#, fuzzy +msgid "Server" +msgstr "Obnovit" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 #, fuzzy msgid "Site path" msgstr "Nové sdÄ›lení" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 #, fuzzy msgid "Avatars" msgstr "Obrázek" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 #, fuzzy msgid "Avatar server" msgstr "Nastavení" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 #, fuzzy msgid "Avatar path" msgstr "Obrázek nahrán" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 #, fuzzy msgid "Avatar directory" msgstr "Obrázek nahrán" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 #, fuzzy msgid "Never" msgstr "Obnovit" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 #, fuzzy msgid "Sometimes" msgstr "SdÄ›lení" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 #, fuzzy msgid "SSL server" msgstr "Obnovit" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 #, fuzzy msgid "Save paths" msgstr "Nové sdÄ›lení" @@ -2611,7 +2688,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "Jazyk" @@ -2637,7 +2714,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Text je příliÅ¡ dlouhý (maximální délka je 140 zanků)" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "" @@ -2904,7 +2981,7 @@ msgstr "Chyba v ověřovacím kódu" msgid "Registration successful" msgstr "Registrace úspěšná" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registrovat" @@ -2944,7 +3021,7 @@ msgid "Same as password above. Required." msgstr "" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Email" @@ -3092,6 +3169,11 @@ msgstr "VytvoÅ™it" msgid "Replies to %s" msgstr "OdpovÄ›di na %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "OdpovÄ›di na %s" + #: actions/replies.php:144 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3221,6 +3303,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "%s a přátelé" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "" @@ -3270,6 +3357,11 @@ msgstr "" msgid "%s group" msgstr "" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "VÅ¡echny odbÄ›ry" + #: actions/showgroup.php:218 #, fuzzy msgid "Group profile" @@ -3384,6 +3476,11 @@ msgstr "SdÄ›lení" msgid " tagged %s" msgstr "" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%s a přátelé" + #: actions/showstream.php:122 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3462,200 +3559,148 @@ msgstr "Uživatel nemá profil." msgid "Basic settings for this StatusNet site." msgstr "" -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 #, fuzzy msgid "You must have a valid contact email address." msgstr "Není platnou mailovou adresou." -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "" -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 #, fuzzy msgid "Site name" msgstr "Nové sdÄ›lení" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 #, fuzzy msgid "Contact email address for your site" msgstr "Žádný registrovaný email pro tohoto uživatele." -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 #, fuzzy msgid "Local" msgstr "UmístÄ›ní" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "" - -#: actions/siteadminpanel.php:306 -#, fuzzy -msgid "Server" -msgstr "Obnovit" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "" - -#: actions/siteadminpanel.php:318 -#, fuzzy -msgid "Access" -msgstr "PÅ™ijmout" - -#: actions/siteadminpanel.php:321 -#, fuzzy -msgid "Private" -msgstr "Soukromí" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "" - -#: actions/siteadminpanel.php:333 -#, fuzzy -msgid "Closed" -msgstr "Žádný takový uživatel." - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "" - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 #, fuzzy msgid "Save site settings" msgstr "Nastavení" @@ -3856,6 +3901,11 @@ msgstr "Žádné Jabber ID." msgid "SMS" msgstr "" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "Mikroblog od %s" + #: actions/tag.php:86 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4165,6 +4215,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "VÅ¡echny odbÄ›ry" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "" @@ -4227,7 +4282,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "Osobní" @@ -4285,46 +4340,51 @@ msgstr "" msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:225 +#: classes/Notice.php:214 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:229 +#: classes/Notice.php:218 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "Problém pÅ™i ukládání sdÄ›lení" + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Chyba v DB pÅ™i vkládání odpovÄ›di: %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4383,130 +4443,130 @@ msgstr "%1 statusů na %2" msgid "Untitled page" msgstr "" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "Domů" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "PÅ™ipojit" -#: lib/action.php:438 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "Nelze pÅ™esmÄ›rovat na server: %s" -#: lib/action.php:442 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "OdbÄ›ry" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "Odhlásit" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "" -#: lib/action.php:457 +#: lib/action.php:463 #, fuzzy msgid "Create an account" msgstr "VytvoÅ™it nový úÄet" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "NápovÄ›da" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "Pomoci mi!" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Hledat" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "" -#: lib/action.php:487 +#: lib/action.php:493 #, fuzzy msgid "Site notice" msgstr "Nové sdÄ›lení" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "" -#: lib/action.php:619 +#: lib/action.php:625 #, fuzzy msgid "Page notice" msgstr "Nové sdÄ›lení" -#: lib/action.php:721 +#: lib/action.php:727 #, fuzzy msgid "Secondary site navigation" msgstr "OdbÄ›ry" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "O nás" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "Soukromí" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "Zdroj" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4515,12 +4575,12 @@ msgstr "" "**%%site.name%%** je služba microblogů, kterou pro vás poskytuje [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** je služba mikroblogů." -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4531,43 +4591,43 @@ msgstr "" "dostupná pod [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:795 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "Nové sdÄ›lení" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "" -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "" -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1139 #, fuzzy msgid "After" msgstr "« NovÄ›jší" -#: lib/action.php:1141 +#: lib/action.php:1147 #, fuzzy msgid "Before" msgstr "Starší »" @@ -4602,11 +4662,25 @@ msgstr "Potvrzení emailové adresy" msgid "Design configuration" msgstr "Potvrzení emailové adresy" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "Potvrzení emailové adresy" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "Potvrzení emailové adresy" + +#: lib/adminpanelaction.php:332 #, fuzzy msgid "Paths configuration" msgstr "Potvrzení emailové adresy" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -5202,12 +5276,12 @@ msgstr "" msgid "kB" msgstr "" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "" @@ -5635,19 +5709,19 @@ msgstr "OdpovÄ›di" msgid "Favorites" msgstr "Oblíbené" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "" @@ -5904,47 +5978,47 @@ msgstr "Zpráva" msgid "Moderate" msgstr "" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "pÅ™ed pár sekundami" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "asi pÅ™ed minutou" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "asi pÅ™ed %d minutami" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "asi pÅ™ed hodinou" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "asi pÅ™ed %d hodinami" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "asi pÅ™ede dnem" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "pÅ™ed %d dny" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "asi pÅ™ed mÄ›sícem" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "asi pÅ™ed %d mesíci" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "asi pÅ™ed rokem" @@ -5958,7 +6032,7 @@ msgstr "Stránka není platnou URL." msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "" -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "" diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index e1ea37636..e000f3406 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -12,17 +12,75 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:37:16+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:58:36+0000\n" "Language-Team: German\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#, fuzzy +msgid "Access" +msgstr "Akzeptieren" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Site-Einstellungen speichern" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "Registrieren" + +#: actions/accessadminpanel.php:161 +#, fuzzy +msgid "Private" +msgstr "Privatsphäre" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#: actions/accessadminpanel.php:167 +#, fuzzy +msgid "Invite only" +msgstr "Einladen" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "" + +#: actions/accessadminpanel.php:173 +#, fuzzy +msgid "Closed" +msgstr "Blockieren" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "" + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Speichern" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Site-Einstellungen speichern" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -37,7 +95,7 @@ msgstr "Seite nicht vorhanden" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -146,8 +204,7 @@ msgstr "Aktualisierungen von %1$s und Freunden auf %2$s!" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -163,7 +220,7 @@ msgstr "API-Methode nicht gefunden." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "Diese Methode benötigt ein POST." @@ -192,7 +249,7 @@ msgstr "Konnte Profil nicht speichern." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -497,7 +554,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Konto" @@ -555,18 +619,18 @@ msgstr "Status gelöscht." msgid "No status with that ID found." msgstr "Keine Nachricht mit dieser ID gefunden." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "" "Das war zu lang. Die Länge einer Nachricht ist auf %d Zeichen beschränkt." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "Nicht gefunden" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -619,11 +683,6 @@ msgstr "%s öffentliche Zeitleiste" msgid "%s updates from everyone!" msgstr "%s Nachrichten von allen!" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "Von %s wiederholt" - #: actions/apitimelineretweetedtome.php:111 #, fuzzy, php-format msgid "Repeated to %s" @@ -1029,17 +1088,6 @@ msgstr "Standard-Design wiederherstellen" msgid "Reset back to default" msgstr "Standard wiederherstellen" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Speichern" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Design speichern" @@ -1052,13 +1100,15 @@ msgstr "Diese Nachricht ist kein Favorit!" msgid "Add to favorites" msgstr "Zu Favoriten hinzufügen" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "Unbekanntes Dokument." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "Sonstige Optionen" #: actions/editapplication.php:66 #, fuzzy @@ -1077,7 +1127,7 @@ msgid "No such application." msgstr "Unbekannte Nachricht." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "Es gab ein Problem mit deinem Sessiontoken." @@ -1293,7 +1343,7 @@ msgid "Cannot normalize that email address" msgstr "Konnte diese E-Mail-Adresse nicht normalisieren" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "Ungültige E-Mail-Adresse." @@ -1305,7 +1355,7 @@ msgstr "Dies ist bereits deine E-Mail-Adresse." msgid "That email address already belongs to another user." msgstr "Diese E-Mail-Adresse gehört einem anderen Nutzer." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "Konnte keinen Bestätigungscode einfügen." @@ -1604,7 +1654,7 @@ msgstr "%s Gruppen-Mitglieder, Seite %d" msgid "A list of the users in this group." msgstr "Liste der Benutzer in dieser Gruppe." -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" @@ -1800,6 +1850,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "Dies ist nicht deine JabberID." +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "Posteingang von %s" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1987,7 +2042,7 @@ msgid "Error setting user. You are probably not authorized." msgstr "" "Fehler beim setzen des Benutzers. Du bist vermutlich nicht autorisiert." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Anmelden" @@ -2049,8 +2104,9 @@ msgid "No current status" msgstr "Kein aktueller Status" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "Unbekannte Nachricht." #: actions/newapplication.php:64 #, fuzzy @@ -2243,8 +2299,8 @@ msgstr "Content-Typ " msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "Kein unterstütztes Datenformat." @@ -2314,6 +2370,11 @@ msgstr "Token ungültig oder abgelaufen." msgid "Login token expired." msgstr "An Seite anmelden" +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "Postausgang von %s" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2385,7 +2446,7 @@ msgstr "Konnte neues Passwort nicht speichern" msgid "Password saved." msgstr "Passwort gespeichert." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "" @@ -2393,134 +2454,151 @@ msgstr "" msgid "Path and server settings for this StatusNet site." msgstr "" -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, php-format msgid "Theme directory not readable: %s" msgstr "Theme-Verzeichnis nicht lesbar: %s" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "Avatar-Verzeichnis ist nicht beschreibbar: %s" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "Hintergrund Verzeichnis ist nicht beschreibbar: %s" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Ungültiger SSL-Server. Die maximale Länge ist 255 Zeichen." -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "Seite" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +#, fuzzy +msgid "Server" +msgstr "Wiederherstellung" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "Pfad" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 msgid "Site path" msgstr "Seitenpfad" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "Schicke URLs." + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "Schicke URLs (lesbarer und besser zu merken) verwenden?" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "Theme-Verzeichnis" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 msgid "Avatars" msgstr "Avatare" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 msgid "Avatar server" msgstr "Avatar-Server" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 msgid "Avatar path" msgstr "Avatarpfad" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 msgid "Avatar directory" msgstr "Avatarverzeichnis" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "Hintergrund Verzeichnis" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 #, fuzzy msgid "Never" msgstr "Wiederherstellung" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "Manchmal" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "Immer" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "SSL verwenden" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "Wann soll SSL verwendet werden" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 #, fuzzy msgid "SSL server" msgstr "SSL-Server" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "Server an den SSL Anfragen gerichtet werden sollen" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 msgid "Save paths" msgstr "Speicherpfade" @@ -2635,7 +2713,7 @@ msgstr "" "Tags über dich selbst (Buchstaben, Zahlen, -, ., und _) durch Kommas oder " "Leerzeichen getrennt" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "Sprache" @@ -2663,7 +2741,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Die Biografie ist zu lang (max. %d Zeichen)" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "Keine Zeitzone ausgewählt." @@ -2927,7 +3005,7 @@ msgstr "Entschuldigung, ungültiger Bestätigungscode." msgid "Registration successful" msgstr "Registrierung erfolgreich" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registrieren" @@ -2970,7 +3048,7 @@ msgid "Same as password above. Required." msgstr "Gleiches Passwort wie zuvor. Pflichteingabe." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "E-Mail" @@ -3137,6 +3215,11 @@ msgstr "Erstellt" msgid "Replies to %s" msgstr "Antworten an %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "Antworten an %1$s auf %2$s!" + #: actions/replies.php:144 #, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3272,6 +3355,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "%ss favorisierte Nachrichten" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Konnte Favoriten nicht abrufen." @@ -3321,6 +3409,11 @@ msgstr "" msgid "%s group" msgstr "%s Gruppe" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "%s Gruppen-Mitglieder, Seite %d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "Gruppenprofil" @@ -3435,6 +3528,11 @@ msgstr "Nachricht gelöscht." msgid " tagged %s" msgstr "Nachrichten, die mit %s getagt sind" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%s blockierte Benutzerprofile, Seite %d" + #: actions/showstream.php:122 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3522,202 +3620,148 @@ msgstr "Dieser Benutzer hat dich blockiert." msgid "Basic settings for this StatusNet site." msgstr "" -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 #, fuzzy msgid "You must have a valid contact email address." msgstr "Du musst eine gültige E-Mail-Adresse haben" -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, fuzzy, php-format msgid "Unknown language \"%s\"." msgstr "Unbekannte Sprache „%s“" -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 #, fuzzy msgid "Site name" msgstr "Seitennachricht" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 msgid "Contact email address for your site" msgstr "Kontakt-E-Mail-Adresse für Deine Site." -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 #, fuzzy msgid "Local" msgstr "Lokale Ansichten" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 #, fuzzy msgid "Default site language" msgstr "Bevorzugte Sprache" -#: actions/siteadminpanel.php:303 -#, fuzzy -msgid "URLs" -msgstr "URL" - -#: actions/siteadminpanel.php:306 -#, fuzzy -msgid "Server" -msgstr "Wiederherstellung" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "Schicke URLs." - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "Schicke URLs (lesbarer und besser zu merken) verwenden?" - -#: actions/siteadminpanel.php:318 -#, fuzzy -msgid "Access" -msgstr "Akzeptieren" - -#: actions/siteadminpanel.php:321 -#, fuzzy -msgid "Private" -msgstr "Privatsphäre" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" - -#: actions/siteadminpanel.php:327 -#, fuzzy -msgid "Invite only" -msgstr "Einladen" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "" - -#: actions/siteadminpanel.php:333 -#, fuzzy -msgid "Closed" -msgstr "Blockieren" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "" - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "Frequenz" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 msgid "Save site settings" msgstr "Site-Einstellungen speichern" @@ -3923,6 +3967,11 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "Benutzer die sich selbst mit %s getagged haben - Seite %d" + #: actions/tag.php:86 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4236,6 +4285,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "%s Gruppen-Mitglieder, Seite %d" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "Suche nach weiteren Gruppen" @@ -4298,7 +4352,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "Eigene" @@ -4358,27 +4412,27 @@ msgstr "Konnte Nachricht nicht einfügen." msgid "Could not update message with new URI." msgstr "Konnte Nachricht nicht mit neuer URI versehen." -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Datenbankfehler beim Einfügen des Hashtags: %s" -#: classes/Notice.php:225 +#: classes/Notice.php:214 msgid "Problem saving notice. Too long." msgstr "Problem bei Speichern der Nachricht. Sie ist zu lang." -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "Problem bei Speichern der Nachricht. Unbekannter Benutzer." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Zu schnell zu viele Nachrichten; atme kurz durch und schicke sie erneut in " "ein paar Minuten ab." -#: classes/Notice.php:240 +#: classes/Notice.php:229 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4387,21 +4441,26 @@ msgstr "" "Zu schnell zu viele Nachrichten; atme kurz durch und schicke sie erneut in " "ein paar Minuten ab." -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "" "Du wurdest für das Schreiben von Nachrichten auf dieser Seite gesperrt." -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "Problem bei Speichern der Nachricht." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "Problem bei Speichern der Nachricht." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Datenbankfehler beim Einfügen der Antwort: %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4457,127 +4516,127 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Seite ohne Titel" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Hauptnavigation" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "Startseite" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Persönliches Profil und Freundes-Zeitleiste" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Ändere deine E-Mail, dein Avatar, Passwort, Profil" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "Verbinden" -#: lib/action.php:438 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "Konnte nicht zum Server umleiten: %s" -#: lib/action.php:442 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "Hauptnavigation" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Einladen" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Lade Freunde und Kollegen ein dir auf %s zu folgen" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "Abmelden" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Von der Seite abmelden" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "Neues Konto erstellen" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "Auf der Seite anmelden" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Hilfe" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "Hilf mir!" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Suchen" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Suche nach Leuten oder Text" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "Seitennachricht" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "Lokale Ansichten" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "Neue Nachricht" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Unternavigation" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "Ãœber" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "AGB" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "Privatsphäre" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "Quellcode" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:745 +#: lib/action.php:751 #, fuzzy msgid "Badge" msgstr "Stups" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "StatusNet-Software-Lizenz" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4586,12 +4645,12 @@ msgstr "" "**%%site.name%%** ist ein Microbloggingdienst von [%%site.broughtby%%](%%" "site.broughtbyurl%%)." -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** ist ein Microbloggingdienst." -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4602,42 +4661,42 @@ msgstr "" "(Version %s) betrieben, die unter der [GNU Affero General Public License]" "(http://www.fsf.org/licensing/licenses/agpl-3.0.html) erhältlich ist." -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "StatusNet-Software-Lizenz" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 #, fuzzy msgid "All " msgstr "Alle " -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "Lizenz." -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "Seitenerstellung" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "Später" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "Vorher" @@ -4673,11 +4732,25 @@ msgstr "Bestätigung der E-Mail-Adresse" msgid "Design configuration" msgstr "SMS-Konfiguration" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "SMS-Konfiguration" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "SMS-Konfiguration" + +#: lib/adminpanelaction.php:332 #, fuzzy msgid "Paths configuration" msgstr "SMS-Konfiguration" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -5263,12 +5336,12 @@ msgstr "" msgid "kB" msgstr "" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, fuzzy, php-format msgid "Unknown inbox source %d." msgstr "Unbekannte Sprache „%s“" @@ -5752,19 +5825,19 @@ msgstr "Antworten" msgid "Favorites" msgstr "Favoriten" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Posteingang" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "Deine eingehenden Nachrichten" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "Postausgang" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "Deine gesendeten Nachrichten" @@ -6019,47 +6092,47 @@ msgstr "Nachricht" msgid "Moderate" msgstr "" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "vor wenigen Sekunden" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "vor einer Minute" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "vor %d Minuten" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "vor einer Stunde" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "vor %d Stunden" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "vor einem Tag" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "vor %d Tagen" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "vor einem Monat" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "vor %d Monaten" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "vor einem Jahr" @@ -6073,7 +6146,7 @@ msgstr "%s ist keine gültige Farbe!" msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "%s ist keine gültige Farbe! Verwenden Sie 3 oder 6 Hex-Zeichen." -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, fuzzy, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "Nachricht zu lang - maximal %d Zeichen erlaubt, du hast %d gesendet" diff --git a/locale/el/LC_MESSAGES/statusnet.po b/locale/el/LC_MESSAGES/statusnet.po index 91ea54305..23034c0a8 100644 --- a/locale/el/LC_MESSAGES/statusnet.po +++ b/locale/el/LC_MESSAGES/statusnet.po @@ -9,21 +9,75 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:37:20+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:58:39+0000\n" "Language-Team: Greek\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: el\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +msgid "Access" +msgstr "ΠÏόσβαση" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Ρυθμίσεις OpenID" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "ΠεÏιγÏαφή" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "" + +#: actions/accessadminpanel.php:173 +msgid "Closed" +msgstr "" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "" + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Ρυθμίσεις OpenID" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" -msgstr "Δεν υπάÏχει τέτοιο σελίδα." +msgstr "Δεν υπάÏχει τέτοια σελίδα" #: actions/all.php:74 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 @@ -34,7 +88,7 @@ msgstr "Δεν υπάÏχει τέτοιο σελίδα." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -133,8 +187,7 @@ msgstr "" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -151,7 +204,7 @@ msgstr "Η μέθοδος του ΑΡΙ δε βÏέθηκε!" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "" @@ -182,7 +235,7 @@ msgstr "Απέτυχε η αποθήκευση του Ï€Ïοφίλ." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -210,7 +263,7 @@ msgstr "Απέτυχε η ενημέÏωση του χÏήστη." #: actions/apiblockcreate.php:105 msgid "You cannot block yourself!" -msgstr "Δεν μποÏείτε να εμποδίσετε τον εαυτό σας!" +msgstr "Δεν μποÏείτε να κάνετε φÏαγή στον εαυτό σας!" #: actions/apiblockcreate.php:126 msgid "Block user failed." @@ -382,7 +435,7 @@ msgstr "" #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 #: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 msgid "Group not found!" -msgstr "Ομάδα δεν βÏέθηκε!" +msgstr "Η ομάδα δεν βÏέθηκε!" #: actions/apigroupjoin.php:110 actions/joingroup.php:90 msgid "You are already a member of that group." @@ -486,7 +539,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "ΛογαÏιασμός" @@ -539,23 +599,23 @@ msgstr "Αδυναμία διαγÏαφής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… μηνÏματος #: actions/apistatusesshow.php:138 msgid "Status deleted." -msgstr "Η κατάσταση διαγÏάφεται." +msgstr "Η κατάσταση διεγÏάφη." #: actions/apistatusesshow.php:144 msgid "No status with that ID found." msgstr "" -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "" -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -606,11 +666,6 @@ msgstr "" msgid "%s updates from everyone!" msgstr "" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "" - #: actions/apitimelineretweetedtome.php:111 #, php-format msgid "Repeated to %s" @@ -750,7 +805,7 @@ msgstr "Αδυναμία διαγÏαφής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… μηνÏματος #: actions/deleteuser.php:148 actions/groupblock.php:179 #: lib/repeatform.php:132 msgid "Yes" -msgstr "Îαί" +msgstr "Îαι" #: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 msgid "Block this user" @@ -1020,17 +1075,6 @@ msgstr "" msgid "Reset back to default" msgstr "" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1043,13 +1087,15 @@ msgstr "" msgid "Add to favorites" msgstr "" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, php-format +msgid "No such document \"%s\"" msgstr "" -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "Δεν υπάÏχει τέτοιο σελίδα." #: actions/editapplication.php:66 msgid "You must be logged in to edit an application." @@ -1067,7 +1113,7 @@ msgid "No such application." msgstr "Δεν υπάÏχει τέτοιο σελίδα." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "" @@ -1278,7 +1324,7 @@ msgid "Cannot normalize that email address" msgstr "Αδυναμία κανονικοποίησης αυτής της email διεÏθυνσης" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "" @@ -1290,7 +1336,7 @@ msgstr "" msgid "That email address already belongs to another user." msgstr "" -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "Απέτυχε η εισαγωγή ÎºÏ‰Î´Î¹ÎºÎ¿Ï ÎµÏ€Î¹Î²ÎµÎ²Î±Î¯Ï‰ÏƒÎ·Ï‚." @@ -1593,7 +1639,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "ΔιαχειÏιστής" @@ -1778,6 +1824,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "" +#: actions/inbox.php:59 +#, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1928,7 +1979,7 @@ msgstr "Λάθος όνομα χÏήστη ή κωδικός" msgid "Error setting user. You are probably not authorized." msgstr "" -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "ΣÏνδεση" @@ -1991,8 +2042,9 @@ msgid "No current status" msgstr "" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "Δεν υπάÏχει τέτοιο σελίδα." #: actions/newapplication.php:64 msgid "You must be logged in to register an application." @@ -2176,8 +2228,8 @@ msgstr "ΣÏνδεση" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "" @@ -2246,6 +2298,11 @@ msgstr "Μήνυμα" msgid "Login token expired." msgstr "" +#: actions/outbox.php:58 +#, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2318,7 +2375,7 @@ msgstr "ΑδÏνατη η αποθήκευση του νέου κωδικοÏ" msgid "Password saved." msgstr "Ο κωδικός αποθηκεÏτηκε." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "" @@ -2326,138 +2383,155 @@ msgstr "" msgid "Path and server settings for this StatusNet site." msgstr "" -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, fuzzy, php-format msgid "Theme directory not readable: %s" msgstr "Η αÏχική σελίδα δεν είναι έγκυÏο URL." -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +#, fuzzy +msgid "Server" +msgstr "ΑποχώÏηση" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 msgid "Site path" msgstr "" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 #, fuzzy msgid "Avatars" msgstr "Ρυθμίσεις OpenID" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 #, fuzzy msgid "Avatar server" msgstr "Ρυθμίσεις OpenID" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 #, fuzzy msgid "Avatar path" msgstr "Ρυθμίσεις OpenID" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 #, fuzzy msgid "Avatar directory" msgstr "Ρυθμίσεις OpenID" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 #, fuzzy msgid "Never" msgstr "ΑποχώÏηση" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 #, fuzzy msgid "SSL server" msgstr "ΑποχώÏηση" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 msgid "Save paths" msgstr "" @@ -2563,7 +2637,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "" @@ -2592,7 +2666,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Το βιογÏαφικό είναι Ï€Î¿Î»Ï Î¼ÎµÎ³Î¬Î»Î¿ (μέγιστο 140 χαÏακτ.)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "" @@ -2855,7 +2929,7 @@ msgstr "" msgid "Registration successful" msgstr "" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "" @@ -2895,7 +2969,7 @@ msgid "Same as password above. Required." msgstr "" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Email" @@ -3055,6 +3129,11 @@ msgstr "ΔημιουÏγία" msgid "Replies to %s" msgstr "" +#: actions/replies.php:127 +#, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "" + #: actions/replies.php:144 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3180,6 +3259,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "%s και οι φίλοι του/της" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "" @@ -3229,6 +3313,11 @@ msgstr "" msgid "%s group" msgstr "" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "ΑδÏνατη η αποθήκευση των νέων πληÏοφοÏιών του Ï€Ïοφίλ" + #: actions/showgroup.php:218 #, fuzzy msgid "Group profile" @@ -3341,6 +3430,11 @@ msgstr "Ρυθμίσεις OpenID" msgid " tagged %s" msgstr "" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%s και οι φίλοι του/της" + #: actions/showstream.php:122 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3418,195 +3512,146 @@ msgstr "" msgid "Basic settings for this StatusNet site." msgstr "" -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 #, fuzzy msgid "You must have a valid contact email address." msgstr "Αδυναμία κανονικοποίησης αυτής της email διεÏθυνσης" -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "" -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 msgid "Site name" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 #, fuzzy msgid "Contact email address for your site" msgstr "Η διεÏθυνση του εισεÏχόμενου email αφαιÏέθηκε." -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 msgid "Local" msgstr "Τοπικός" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "" - -#: actions/siteadminpanel.php:306 -#, fuzzy -msgid "Server" -msgstr "ΑποχώÏηση" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "" - -#: actions/siteadminpanel.php:318 -msgid "Access" -msgstr "ΠÏόσβαση" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "" - -#: actions/siteadminpanel.php:333 -msgid "Closed" -msgstr "" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "" - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 #, fuzzy msgid "Save site settings" msgstr "Ρυθμίσεις OpenID" @@ -3805,6 +3850,11 @@ msgstr "" msgid "SMS" msgstr "" +#: actions/tag.php:68 +#, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "" + #: actions/tag.php:86 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4095,6 +4145,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "ΑδÏνατη η αποθήκευση των νέων πληÏοφοÏιών του Ï€Ïοφίλ" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "" @@ -4157,7 +4212,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "ΠÏοσωπικά" @@ -4215,44 +4270,48 @@ msgstr "" msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Σφάλμα στη βάση δεδομένων κατά την εισαγωγή hashtag: %s" -#: classes/Notice.php:225 +#: classes/Notice.php:214 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "" -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +msgid "Problem saving group inbox." +msgstr "" + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Σφάλμα βάσης δεδομένων κατά την εισαγωγή απάντησης: %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4308,125 +4367,125 @@ msgstr "" msgid "Untitled page" msgstr "" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "ΑÏχή" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "ΣÏνδεση" -#: lib/action.php:438 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "Αδυναμία ανακατεÏθηνσης στο διακομιστή: %s" -#: lib/action.php:442 +#: lib/action.php:448 msgid "Change site configuration" msgstr "" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "ΠÏοσκάλεσε φίλους και συναδέλφους σου να γίνουν μέλη στο %s" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "ΑποσÏνδεση" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" -msgstr "ΔημιουÏγία έναν λογαÏιασμοÏ" +msgstr "ΔημιουÏγία ενός λογαÏιασμοÏ" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Βοήθεια" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "Βοηθήστε με!" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "ΠεÏί" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "Συχνές εÏωτήσεις" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Επικοινωνία" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "" -#: lib/action.php:776 +#: lib/action.php:782 #, fuzzy, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4435,13 +4494,13 @@ msgstr "" "To **%%site.name%%** είναι μία υπηÏεσία microblogging (μικÏο-ιστολογίου) που " "έφεÏε κοντά σας το [%%site.broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:778 +#: lib/action.php:784 #, fuzzy, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" "Το **%%site.name%%** είναι μία υπηÏεσία microblogging (μικÏο-ιστολογίου). " -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4449,41 +4508,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "" -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "" -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "" @@ -4517,11 +4576,25 @@ msgstr "Επιβεβαίωση διεÏθυνσης email" msgid "Design configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "Επιβεβαίωση διεÏθυνσης email" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "Επιβεβαίωση διεÏθυνσης email" + +#: lib/adminpanelaction.php:332 #, fuzzy msgid "Paths configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -5000,7 +5073,7 @@ msgstr "ΠεÏιγÏάψτε την ομάδα ή το θέμα" #: lib/groupeditform.php:170 #, php-format msgid "Describe the group or topic in %d characters" -msgstr "ΠεÏιγÏάψτε την ομάδα ή το θέμα μέχÏι %d χαÏακτήÏες" +msgstr "ΠεÏιγÏάψτε την ομάδα ή το θέμα χÏησιμοποιώντας μέχÏι %d χαÏακτήÏες" #: lib/groupeditform.php:179 msgid "" @@ -5099,12 +5172,12 @@ msgstr "" msgid "kB" msgstr "" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "" @@ -5519,19 +5592,19 @@ msgstr "" msgid "Favorites" msgstr "" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "" @@ -5781,61 +5854,61 @@ msgstr "Μήνυμα" msgid "Moderate" msgstr "" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "" #: lib/webcolor.php:82 #, php-format msgid "%s is not a valid color!" -msgstr "%s δεν είναι ένα έγκυÏο χÏώμα!" +msgstr "Το %s δεν είναι ένα έγκυÏο χÏώμα!" #: lib/webcolor.php:123 #, php-format msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "" -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "" diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index 11257ae75..4c5e4efdf 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -10,17 +10,71 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:37:23+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:58:42+0000\n" "Language-Team: British English\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +msgid "Access" +msgstr "Access" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Save site settings" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "Register" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "Private" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "Invite only" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "" + +#: actions/accessadminpanel.php:173 +msgid "Closed" +msgstr "Closed" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "" + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Save" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Save site settings" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -35,7 +89,7 @@ msgstr "No such page" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -53,9 +107,9 @@ msgid "No such user." msgstr "No such user." #: actions/all.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s and friends, page %2$d" -msgstr "%s blocked profiles, page %d" +msgstr "%1$s and friends, page %2$d" #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 @@ -96,13 +150,13 @@ msgstr "" "something yourself." #: actions/all.php:134 -#, fuzzy, php-format +#, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -"You can try to [nudge %s](../%s) from his profile or [post something to his " -"or her attention](%%%%action.newnotice%%%%?status_textarea=%s)." +"You can try to [nudge %1$s](../%2$s) from his profile or [post something to " +"his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." #: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 #, php-format @@ -141,8 +195,7 @@ msgstr "Updates from %1$s and friends on %2$s!" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -158,7 +211,7 @@ msgstr "API method not found." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "This method requires a POST." @@ -191,7 +244,7 @@ msgstr "Couldn't save profile." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -273,18 +326,16 @@ msgid "No status found with that ID." msgstr "No status found with that ID." #: actions/apifavoritecreate.php:119 -#, fuzzy msgid "This status is already a favorite." -msgstr "This status is already a favourite!" +msgstr "This status is already a favourite." #: actions/apifavoritecreate.php:130 actions/favor.php:84 lib/command.php:176 msgid "Could not create favorite." msgstr "Could not create favourite." #: actions/apifavoritedestroy.php:122 -#, fuzzy msgid "That status is not a favorite." -msgstr "That status is not a favourite!" +msgstr "That status is not a favourite." #: actions/apifavoritedestroy.php:134 actions/disfavor.php:87 msgid "Could not delete favorite." @@ -304,9 +355,8 @@ msgid "Could not unfollow user: User not found." msgstr "Could not unfollow user: User not found." #: actions/apifriendshipsdestroy.php:120 -#, fuzzy msgid "You cannot unfollow yourself." -msgstr "You cannot unfollow yourself!" +msgstr "You cannot unfollow yourself." #: actions/apifriendshipsexists.php:94 msgid "Two user ids or screen_names must be supplied." @@ -401,18 +451,18 @@ msgid "You have been blocked from that group by the admin." msgstr "You have been blocked from that group by the admin." #: actions/apigroupjoin.php:138 actions/joingroup.php:124 -#, fuzzy, php-format +#, php-format msgid "Could not join user %1$s to group %2$s." -msgstr "Could not join user %s to group %s." +msgstr "Could not join user %1$s to group %2$s." #: actions/apigroupleave.php:114 msgid "You are not a member of this group." msgstr "You are not a member of this group." #: actions/apigroupleave.php:124 actions/leavegroup.php:119 -#, fuzzy, php-format +#, php-format msgid "Could not remove user %1$s from group %2$s." -msgstr "Could not remove user %s to group %s." +msgstr "Could not remove user %1$s to group %2$s." #: actions/apigrouplist.php:95 #, php-format @@ -431,7 +481,7 @@ msgstr "groups on %s" #: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 msgid "Bad request." -msgstr "" +msgstr "Bad request." #: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -452,19 +502,16 @@ msgid "There was a problem with your session token. Try again, please." msgstr "There was a problem with your session token. Try again, please." #: actions/apioauthauthorize.php:146 -#, fuzzy msgid "Invalid nickname / password!" -msgstr "Invalid username or password." +msgstr "Invalid nickname / password!" #: actions/apioauthauthorize.php:170 -#, fuzzy msgid "DB error deleting OAuth app user." -msgstr "Error setting user." +msgstr "DB error deleting OAuth app user." #: actions/apioauthauthorize.php:196 -#, fuzzy msgid "DB error inserting OAuth app user." -msgstr "DB error inserting hashtag: %s" +msgstr "DB error inserting OAuth app user." #: actions/apioauthauthorize.php:231 #, php-format @@ -472,11 +519,13 @@ msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" +"The request token %s has been authorised. Please exchange it for an access " +"token." #: actions/apioauthauthorize.php:241 #, php-format msgid "The request token %s has been denied." -msgstr "" +msgstr "The request token %s has been denied." #: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -495,7 +544,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Account" @@ -512,18 +568,16 @@ msgid "Password" msgstr "Password" #: actions/apioauthauthorize.php:338 -#, fuzzy msgid "Deny" -msgstr "Design" +msgstr "Deny" #: actions/apioauthauthorize.php:344 -#, fuzzy msgid "Allow" -msgstr "All" +msgstr "Allow" #: actions/apioauthauthorize.php:361 msgid "Allow or deny access to your account information." -msgstr "" +msgstr "Allow or deny access to your account information." #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." @@ -554,17 +608,17 @@ msgstr "Status deleted." msgid "No status with that ID found." msgstr "No status with that ID found." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "That's too long. Max notice size is %d chars." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "Not found" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "Max notice size is %d chars, including attachment URL." @@ -574,14 +628,14 @@ msgid "Unsupported format." msgstr "Unsupported format." #: actions/apitimelinefavorites.php:108 -#, fuzzy, php-format +#, php-format msgid "%1$s / Favorites from %2$s" -msgstr "%s / Favourites from %s" +msgstr "%1$s / Favourites from %2$s" #: actions/apitimelinefavorites.php:120 -#, fuzzy, php-format +#, php-format msgid "%1$s updates favorited by %2$s / %2$s." -msgstr "%s updates favourited by %s / %s." +msgstr "%1$s updates favourited by %2$s / %2$s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 #: actions/grouprss.php:131 actions/userrss.php:90 @@ -615,11 +669,6 @@ msgstr "%s public timeline" msgid "%s updates from everyone!" msgstr "%s updates from everyone!" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "Repeated by %s" - #: actions/apitimelineretweetedtome.php:111 #, php-format msgid "Repeated to %s" @@ -785,9 +834,9 @@ msgid "%s blocked profiles" msgstr "%s blocked profiles" #: actions/blockedfromgroup.php:93 -#, fuzzy, php-format +#, php-format msgid "%1$s blocked profiles, page %2$d" -msgstr "%s blocked profiles, page %d" +msgstr "%1$s blocked profiles, page %2$d" #: actions/blockedfromgroup.php:108 msgid "A list of the users blocked from joining this group." @@ -844,9 +893,8 @@ msgid "Couldn't delete email confirmation." msgstr "Couldn't delete e-mail confirmation." #: actions/confirmaddress.php:144 -#, fuzzy msgid "Confirm address" -msgstr "Confirm Address" +msgstr "Confirm address" #: actions/confirmaddress.php:159 #, php-format @@ -951,18 +999,16 @@ msgid "Site logo" msgstr "Site logo" #: actions/designadminpanel.php:387 -#, fuzzy msgid "Change theme" -msgstr "Change" +msgstr "Change theme" #: actions/designadminpanel.php:404 msgid "Site theme" msgstr "Site theme" #: actions/designadminpanel.php:405 -#, fuzzy msgid "Theme for the site." -msgstr "Logout from the site" +msgstr "Theme for the site." #: actions/designadminpanel.php:417 lib/designsettings.php:101 msgid "Change background image" @@ -974,11 +1020,13 @@ msgid "Background" msgstr "Background" #: actions/designadminpanel.php:427 -#, fuzzy, php-format +#, php-format msgid "" "You can upload a background image for the site. The maximum file size is %1" "$s." -msgstr "You can upload a logo image for your group." +msgstr "" +"You can upload a background image for the site. The maximum file size is %1" +"$s." #: actions/designadminpanel.php:457 lib/designsettings.php:139 msgid "On" @@ -1030,17 +1078,6 @@ msgstr "Restore default designs" msgid "Reset back to default" msgstr "Reset back to default" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Save" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Save design" @@ -1053,13 +1090,15 @@ msgstr "This notice is not a favourite!" msgid "Add to favorites" msgstr "Add to favourites" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "No such document." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "Other options" #: actions/editapplication.php:66 #, fuzzy @@ -1078,7 +1117,7 @@ msgid "No such application." msgstr "No such notice." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "There was a problem with your session token." @@ -1113,7 +1152,7 @@ msgstr "Homepage is not a valid URL." #: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Organization is required." -msgstr "" +msgstr "Organisation is required." #: actions/editapplication.php:203 actions/newapplication.php:188 #, fuzzy @@ -1122,7 +1161,7 @@ msgstr "Location is too long (max 255 chars)." #: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization homepage is required." -msgstr "" +msgstr "Organisation homepage is required." #: actions/editapplication.php:215 actions/newapplication.php:203 msgid "Callback is too long." @@ -1174,9 +1213,8 @@ msgid "Options saved." msgstr "Options saved." #: actions/emailsettings.php:60 -#, fuzzy msgid "Email settings" -msgstr "E-mail Settings" +msgstr "E-mail settings" #: actions/emailsettings.php:71 #, php-format @@ -1213,9 +1251,8 @@ msgid "Cancel" msgstr "Cancel" #: actions/emailsettings.php:121 -#, fuzzy msgid "Email address" -msgstr "E-mail addresses" +msgstr "E-mail address" #: actions/emailsettings.php:123 msgid "Email address, like \"UserName@example.org\"" @@ -1289,7 +1326,7 @@ msgid "Cannot normalize that email address" msgstr "Cannot normalise that e-mail address" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "Not a valid e-mail address." @@ -1301,7 +1338,7 @@ msgstr "That is already your e-mail address." msgid "That email address already belongs to another user." msgstr "That e-mail address already belongs to another user." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "Couldn't insert confirmation code." @@ -1523,15 +1560,15 @@ msgid "Block user from group" msgstr "Block user" #: actions/groupblock.php:162 -#, fuzzy, php-format +#, php-format msgid "" "Are you sure you want to block user \"%1$s\" from the group \"%2$s\"? They " "will be removed from the group, unable to post, and unable to subscribe to " "the group in the future." msgstr "" -"Are you sure you want to block user \"%s\" from the group \"%s\"? They will " -"be removed from the group, unable to post, and unable to subscribe to the " -"group in the future." +"Are you sure you want to block user \"%1$s\" from the group \"%2$s\"? They " +"will be removed from the group, unable to post and unable to subscribe to " +"the group in the future." #: actions/groupblock.php:178 msgid "Do not block this user from this group" @@ -1621,7 +1658,7 @@ msgstr "%s group members, page %d" msgid "A list of the users in this group." msgstr "A list of the users in this group." -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" @@ -1667,6 +1704,11 @@ msgid "" "for one](%%%%action.groupsearch%%%%) or [start your own!](%%%%action.newgroup" "%%%%)" msgstr "" +"%%%%site.name%%%% groups let you find and talk with people of similar " +"interests. After you join a group you can send messages to all other members " +"using the syntax \"!groupname\". Don't see a group you like? Try [searching " +"for one](%%%%action.groupsearch%%%%) or [start your own!](%%%%action.newgroup" +"%%%%)" #: actions/groups.php:107 actions/usergroups.php:124 lib/groupeditform.php:122 msgid "Create a new group" @@ -1749,9 +1791,8 @@ msgstr "" "message with further instructions. (Did you add %s to your buddy list?)" #: actions/imsettings.php:124 -#, fuzzy msgid "IM address" -msgstr "I.M. Address" +msgstr "IM address" #: actions/imsettings.php:126 #, php-format @@ -1812,6 +1853,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "That is not your Jabber ID." +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "Inbox for %s" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1989,11 +2035,10 @@ msgid "Incorrect username or password." msgstr "Incorrect username or password." #: actions/login.php:132 actions/otp.php:120 -#, fuzzy msgid "Error setting user. You are probably not authorized." -msgstr "You are not authorised." +msgstr "Error setting user. You are probably not authorised." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Login" @@ -2055,8 +2100,9 @@ msgid "No current status" msgstr "No current status" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "No such notice." #: actions/newapplication.php:64 #, fuzzy @@ -2160,6 +2206,8 @@ msgid "" "Why not [register an account](%%%%action.register%%%%) and be the first to " "[post on this topic](%%%%action.newnotice%%%%?status_textarea=%s)!" msgstr "" +"Why not [register an account](%%%%action.register%%%%) and be the first to " +"[post on this topic](%%%%action.newnotice%%%%?status_textarea=%s)!" #: actions/noticesearchrss.php:96 #, php-format @@ -2224,7 +2272,7 @@ msgstr "" #: actions/oauthconnectionssettings.php:192 #, php-format msgid "You have not authorized any applications to use your account." -msgstr "" +msgstr "You have not authorised any applications to use your account." #: actions/oauthconnectionssettings.php:205 msgid "Developers can edit the registration settings for their applications " @@ -2248,8 +2296,8 @@ msgstr "Connect" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "Not a supported data format." @@ -2276,7 +2324,7 @@ msgstr "" #: actions/othersettings.php:116 msgid "Shorten URLs with" -msgstr "" +msgstr "Shorten URLs with" #: actions/othersettings.php:117 msgid "Automatic shortening service to use." @@ -2320,6 +2368,11 @@ msgstr "Invalid notice content" msgid "Login token expired." msgstr "Login to site" +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "Outbox for %s" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2390,7 +2443,7 @@ msgstr "Can't save new password." msgid "Password saved." msgstr "Password saved." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "" @@ -2398,138 +2451,154 @@ msgstr "" msgid "Path and server settings for this StatusNet site." msgstr "" -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, php-format msgid "Theme directory not readable: %s" msgstr "Theme directory not readable: %s" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 #, fuzzy msgid "Site" msgstr "Invite" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "Server" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 msgid "Site path" msgstr "Site path" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 #, fuzzy msgid "Avatars" msgstr "Avatar" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 #, fuzzy msgid "Avatar server" msgstr "Avatar settings" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 #, fuzzy msgid "Avatar path" msgstr "Avatar updated." -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 #, fuzzy msgid "Avatar directory" msgstr "Avatar updated." -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 msgid "Never" msgstr "Never" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "Sometimes" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 #, fuzzy msgid "SSL server" msgstr "Server" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 msgid "Save paths" msgstr "Save paths" @@ -2638,7 +2707,7 @@ msgid "" msgstr "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "Language" @@ -2665,7 +2734,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Bio is too long (max %d chars)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "Timezone not selected." @@ -2937,7 +3006,7 @@ msgstr "Error with confirmation code." msgid "Registration successful" msgstr "Registration successful" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Register" @@ -2977,7 +3046,7 @@ msgid "Same as password above. Required." msgstr "Same as password above. Required." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "E-mail" @@ -3142,6 +3211,11 @@ msgstr "Created" msgid "Replies to %s" msgstr "Replies to %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "Replies to %1$s on %2$s!" + #: actions/replies.php:144 #, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3272,6 +3346,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "%s's favourite notices" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Could not retrieve favourite notices." @@ -3321,6 +3400,11 @@ msgstr "" msgid "%s group" msgstr "%s group" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "%s group members, page %d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "Group profile" @@ -3434,6 +3518,11 @@ msgstr "Notice deleted." msgid " tagged %s" msgstr " tagged %s" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%1$s and friends, page %2$d" + #: actions/showstream.php:122 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3519,195 +3608,147 @@ msgstr "User is already blocked from group." msgid "Basic settings for this StatusNet site." msgstr "" -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 #, fuzzy msgid "You must have a valid contact email address." msgstr "Not a valid e-mail address." -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "" -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 msgid "Site name" msgstr "Site name" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 #, fuzzy msgid "Contact email address for your site" msgstr "New e-mail address for posting to %s" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 #, fuzzy msgid "Local" msgstr "Local views" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "Default site language" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "URLs" - -#: actions/siteadminpanel.php:306 -msgid "Server" -msgstr "Server" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "" - -#: actions/siteadminpanel.php:318 -msgid "Access" -msgstr "Access" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "Private" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "Invite only" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "" - -#: actions/siteadminpanel.php:333 -msgid "Closed" -msgstr "Closed" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "" - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 msgid "Save site settings" msgstr "Save site settings" @@ -3912,6 +3953,11 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "Users self-tagged with %s - page %d" + #: actions/tag.php:86 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4219,6 +4265,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "%s group members, page %d" + #: actions/usergroups.php:130 #, fuzzy msgid "Search for more groups" @@ -4282,7 +4333,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "Personal" @@ -4341,27 +4392,27 @@ msgstr "Could not insert message." msgid "Could not update message with new URI." msgstr "Could not update message with new URI." -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "DB error inserting hashtag: %s" -#: classes/Notice.php:225 +#: classes/Notice.php:214 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Problem saving notice." -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "Problem saving notice. Unknown user." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Too many notices too fast; take a breather and post again in a few minutes." -#: classes/Notice.php:240 +#: classes/Notice.php:229 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4369,20 +4420,25 @@ msgid "" msgstr "" "Too many notices too fast; take a breather and post again in a few minutes." -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "You are banned from posting notices on this site." -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "Problem saving notice." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "Problem saving notice." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "DB error inserting reply: %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4437,126 +4493,126 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Untitled page" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Primary site navigation" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "Home" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Personal profile and friends timeline" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Change your e-mail, avatar, password, profile" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "Connect" -#: lib/action.php:438 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "Could not redirect to server: %s" -#: lib/action.php:442 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "Primary site navigation" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Invite" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Invite friends and colleagues to join you on %s" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "Logout" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Logout from the site" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "Create an account" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "Login to the site" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Help" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "Help me!" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Search" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Search for people or text" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "Site notice" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "Local views" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "Page notice" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Secondary site navigation" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "About" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "F.A.Q." -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "Privacy" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "Source" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Contact" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "Badge" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "StatusNet software licence" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4565,12 +4621,12 @@ msgstr "" "**%%site.name%%** is a microblogging service brought to you by [%%site." "broughtby%%](%%site.broughtbyurl%%)." -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** is a microblogging service." -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4581,41 +4637,41 @@ msgstr "" "s, available under the [GNU Affero General Public Licence](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "Site content license" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "All " -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "licence." -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "Pagination" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "After" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "Before" @@ -4653,11 +4709,25 @@ msgstr "E-mail address confirmation" msgid "Design configuration" msgstr "Design configuration" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "SMS confirmation" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "Design configuration" + +#: lib/adminpanelaction.php:332 #, fuzzy msgid "Paths configuration" msgstr "SMS confirmation" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -5240,12 +5310,12 @@ msgstr "" msgid "kB" msgstr "" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "" @@ -5680,19 +5750,19 @@ msgstr "Replies" msgid "Favorites" msgstr "Favourites" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Inbox" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "Your incoming messages" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "Outbox" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "Your sent messages" @@ -5941,47 +6011,47 @@ msgstr "Message" msgid "Moderate" msgstr "" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "a few seconds ago" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "about a minute ago" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "about %d minutes ago" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "about an hour ago" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "about %d hours ago" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "about a day ago" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "about %d days ago" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "about a month ago" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "about %d months ago" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "about a year ago" @@ -5995,7 +6065,7 @@ msgstr "%s is not a valid colour!" msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "%s is not a valid colour! Use 3 or 6 hex chars." -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, fuzzy, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "Message too long - maximum is %d characters, you sent %d" diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index 3afbc4e98..22d6ccf9d 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -12,17 +12,75 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:37:27+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:58:44+0000\n" "Language-Team: Spanish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#, fuzzy +msgid "Access" +msgstr "Aceptar" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Configuración de Avatar" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "Registrarse" + +#: actions/accessadminpanel.php:161 +#, fuzzy +msgid "Private" +msgstr "Privacidad" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#: actions/accessadminpanel.php:167 +#, fuzzy +msgid "Invite only" +msgstr "Invitar" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "" + +#: actions/accessadminpanel.php:173 +#, fuzzy +msgid "Closed" +msgstr "Bloqueado" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "" + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Guardar" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Configuración de Avatar" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -37,7 +95,7 @@ msgstr "No existe tal página" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -136,8 +194,7 @@ msgstr "¡Actualizaciones de %1$s y amigos en %2$s!" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -154,7 +211,7 @@ msgstr "¡No se encontró el método de la API!" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "Este método requiere un POST." @@ -185,7 +242,7 @@ msgstr "No se pudo guardar el perfil." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -492,7 +549,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Cuenta" @@ -552,17 +616,17 @@ msgstr "Status borrado." msgid "No status with that ID found." msgstr "No hay estado para ese ID" -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Demasiado largo. La longitud máxima es de 140 caracteres. " -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "No encontrado" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -613,11 +677,6 @@ msgstr "línea temporal pública de %s" msgid "%s updates from everyone!" msgstr "¡Actualizaciones de todos en %s!" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "" - #: actions/apitimelineretweetedtome.php:111 #, fuzzy, php-format msgid "Repeated to %s" @@ -1034,17 +1093,6 @@ msgstr "" msgid "Reset back to default" msgstr "" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Guardar" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1057,13 +1105,15 @@ msgstr "¡Este aviso no es un favorito!" msgid "Add to favorites" msgstr "Agregar a favoritos" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "No existe ese documento." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "Otras opciones" #: actions/editapplication.php:66 #, fuzzy @@ -1082,7 +1132,7 @@ msgid "No such application." msgstr "No existe ese aviso." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "Hubo problemas con tu clave de sesión." @@ -1298,7 +1348,7 @@ msgid "Cannot normalize that email address" msgstr "No se puede normalizar esta dirección de correo electrónico." #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "Correo electrónico no válido" @@ -1310,7 +1360,7 @@ msgstr "Esa ya es tu dirección de correo electrónico" msgid "That email address already belongs to another user." msgstr "Esa dirección de correo pertenece a otro usuario." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "No se pudo insertar el código de confirmación." @@ -1617,7 +1667,7 @@ msgstr "Miembros del grupo %s, página %d" msgid "A list of the users in this group." msgstr "Lista de los usuarios en este grupo." -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" @@ -1815,6 +1865,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "Ese no es tu Jabber ID." +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "Bandeja de entrada para %s" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1998,7 +2053,7 @@ msgstr "Nombre de usuario o contraseña incorrectos." msgid "Error setting user. You are probably not authorized." msgstr "No autorizado." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Inicio de sesión" @@ -2063,8 +2118,9 @@ msgid "No current status" msgstr "No existe estado actual" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "No existe ese aviso." #: actions/newapplication.php:64 #, fuzzy @@ -2259,8 +2315,8 @@ msgstr "Conectarse" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "No es un formato de dato soportado" @@ -2332,6 +2388,11 @@ msgstr "El contenido del aviso es inválido" msgid "Login token expired." msgstr "Ingresar a sitio" +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "Bandeja de salida para %s" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2405,7 +2466,7 @@ msgstr "No se puede guardar la nueva contraseña." msgid "Password saved." msgstr "Se guardó Contraseña." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "" @@ -2413,142 +2474,159 @@ msgstr "" msgid "Path and server settings for this StatusNet site." msgstr "" -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, fuzzy, php-format msgid "Theme directory not readable: %s" msgstr "Esta página no está disponible en un " -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 #, fuzzy msgid "Site" msgstr "Invitar" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +#, fuzzy +msgid "Server" +msgstr "Recuperar" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 #, fuzzy msgid "Site path" msgstr "Aviso de sitio" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 #, fuzzy msgid "Avatars" msgstr "Avatar" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 #, fuzzy msgid "Avatar server" msgstr "Configuración de Avatar" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 #, fuzzy msgid "Avatar path" msgstr "Avatar actualizado" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 #, fuzzy msgid "Avatar directory" msgstr "Avatar actualizado" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 #, fuzzy msgid "SSL" msgstr "SMS" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 #, fuzzy msgid "Never" msgstr "Recuperar" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 #, fuzzy msgid "Sometimes" msgstr "Avisos" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 #, fuzzy msgid "SSL server" msgstr "Recuperar" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 #, fuzzy msgid "Save paths" msgstr "Aviso de sitio" @@ -2661,7 +2739,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "Tags para ti (letras, números, -, ., y _), coma - o espacio - separado" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "Idioma" @@ -2689,7 +2767,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "La biografía es demasiado larga (máx. 140 caracteres)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "Zona horaria no seleccionada" @@ -2962,7 +3040,7 @@ msgstr "Error con el código de confirmación." msgid "Registration successful" msgstr "Registro exitoso." -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registrarse" @@ -3004,7 +3082,7 @@ msgid "Same as password above. Required." msgstr "Igual a la contraseña de arriba. Requerida" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Correo electrónico" @@ -3172,6 +3250,11 @@ msgstr "Crear" msgid "Replies to %s" msgstr "Respuestas a %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "Respuestas a %1$s en %2$s!" + #: actions/replies.php:144 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3301,6 +3384,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "Avisos favoritos de %s" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "No se pudo recibir avisos favoritos." @@ -3350,6 +3438,11 @@ msgstr "" msgid "%s group" msgstr "Grupo %s" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "Miembros del grupo %s, página %d" + #: actions/showgroup.php:218 #, fuzzy msgid "Group profile" @@ -3467,6 +3560,11 @@ msgstr "Aviso borrado" msgid " tagged %s" msgstr "Avisos marcados con %s" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%s y amigos, página %d" + #: actions/showstream.php:122 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3548,203 +3646,149 @@ msgstr "El usuario te ha bloqueado." msgid "Basic settings for this StatusNet site." msgstr "" -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 #, fuzzy msgid "You must have a valid contact email address." msgstr "No es una dirección de correo electrónico válida" -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "" -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 #, fuzzy msgid "Site name" msgstr "Aviso de sitio" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 #, fuzzy msgid "Contact email address for your site" msgstr "Nueva dirección de correo para postear a %s" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 #, fuzzy msgid "Local" msgstr "Vistas locales" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 #, fuzzy msgid "Default site language" msgstr "Lenguaje de preferencia" -#: actions/siteadminpanel.php:303 -#, fuzzy -msgid "URLs" -msgstr "URL" - -#: actions/siteadminpanel.php:306 -#, fuzzy -msgid "Server" -msgstr "Recuperar" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "" - -#: actions/siteadminpanel.php:318 -#, fuzzy -msgid "Access" -msgstr "Aceptar" - -#: actions/siteadminpanel.php:321 -#, fuzzy -msgid "Private" -msgstr "Privacidad" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" - -#: actions/siteadminpanel.php:327 -#, fuzzy -msgid "Invite only" -msgstr "Invitar" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "" - -#: actions/siteadminpanel.php:333 -#, fuzzy -msgid "Closed" -msgstr "Bloqueado" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "" - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 #, fuzzy msgid "Save site settings" msgstr "Configuración de Avatar" @@ -3954,6 +3998,11 @@ msgstr "Jabber " msgid "SMS" msgstr "SMS" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "Usuarios auto marcados con %s - página %d" + #: actions/tag.php:86 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4265,6 +4314,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "Miembros del grupo %s, página %d" + #: actions/usergroups.php:130 #, fuzzy msgid "Search for more groups" @@ -4328,7 +4382,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "Sesiones" @@ -4387,29 +4441,29 @@ msgstr "No se pudo insertar mensaje." msgid "Could not update message with new URI." msgstr "No se pudo actualizar mensaje con nuevo URI." -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Error de la BD al insertar la etiqueta clave: %s" -#: classes/Notice.php:225 +#: classes/Notice.php:214 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Hubo un problema al guardar el aviso." -#: classes/Notice.php:229 +#: classes/Notice.php:218 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "Hubo problemas al guardar el aviso. Usuario desconocido." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Demasiados avisos demasiado rápido; para y publicar nuevamente en unos " "minutos." -#: classes/Notice.php:240 +#: classes/Notice.php:229 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4418,20 +4472,25 @@ msgstr "" "Demasiados avisos demasiado rápido; para y publicar nuevamente en unos " "minutos." -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "Tienes prohibido publicar avisos en este sitio." -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "Hubo un problema al guardar el aviso." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "Hubo un problema al guardar el aviso." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Error de BD al insertar respuesta: %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4487,125 +4546,125 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Página sin título" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Navegación de sitio primario" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "Inicio" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Perfil personal y línea de tiempo de amigos" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Cambia tu correo electrónico, avatar, contraseña, perfil" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "Conectarse" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect to services" msgstr "Conectar a los servicios" -#: lib/action.php:442 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "Navegación de sitio primario" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Invitar" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Invita a amigos y colegas a unirse a %s" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "Salir" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Salir de sitio" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "Crear una cuenta" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "Ingresar a sitio" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Ayuda" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "Ayúdame!" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Buscar" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Buscar personas o texto" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "Aviso de sitio" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "Vistas locales" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "Aviso de página" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Navegación de sitio secundario" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "Acerca de" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "Preguntas Frecuentes" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "Privacidad" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "Fuente" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Ponerse en contacto" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "Insignia" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Licencia de software de StatusNet" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4614,12 +4673,12 @@ msgstr "" "**%%site.name%%** es un servicio de microblogueo de [%%site.broughtby%%**](%%" "site.broughtbyurl%%)." -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** es un servicio de microblogueo." -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4630,41 +4689,41 @@ msgstr "" "disponible bajo la [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "Licencia de contenido del sitio" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "Todo" -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "Licencia." -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "Paginación" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "Después" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "Antes" @@ -4703,11 +4762,25 @@ msgstr "Confirmación de correo electrónico" msgid "Design configuration" msgstr "SMS confirmación" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "SMS confirmación" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "SMS confirmación" + +#: lib/adminpanelaction.php:332 #, fuzzy msgid "Paths configuration" msgstr "SMS confirmación" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -5293,12 +5366,12 @@ msgstr "MB" msgid "kB" msgstr "kB" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "" @@ -5729,19 +5802,19 @@ msgstr "Respuestas" msgid "Favorites" msgstr "Favoritos" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Bandeja de Entrada" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "Mensajes entrantes" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "Bandeja de Salida" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "Mensajes enviados" @@ -5997,47 +6070,47 @@ msgstr "Mensaje" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "hace unos segundos" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "hace un minuto" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "hace %d minutos" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "hace una hora" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "hace %d horas" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "hace un día" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "hace %d días" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "hace un mes" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "hace %d meses" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "hace un año" @@ -6051,7 +6124,7 @@ msgstr "" msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "" -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, fuzzy, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "Mensaje muy largo - máximo 140 caracteres, enviaste %d" diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index 2c826643a..9526d702f 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:37:33+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:58:50+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian\n" "MIME-Version: 1.0\n" @@ -20,9 +20,63 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +msgid "Access" +msgstr "دسترسی" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "تنظیمات دیگر" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "ثبت نام" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "خصوصی" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "Ùقط دعوت کردن" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "تنها آماده کردن دعوت نامه های ثبت نام." + +#: actions/accessadminpanel.php:173 +msgid "Closed" +msgstr "مسدود" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "غیر Ùعال کردن نام نوبسی جدید" + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "ذخیره‌کردن" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "تنظیمات چهره" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -37,7 +91,7 @@ msgstr "چنین صÙحه‌ای وجود ندارد" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -142,8 +196,7 @@ msgstr "به روز رسانی از %1$ Ùˆ دوستان در %2$" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -159,7 +212,7 @@ msgstr "رابط مورد نظر پیدا نشد." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "برای استÙاده از این روش باید اطلاعات را به صورت پست بÙرستید" @@ -188,7 +241,7 @@ msgstr "نمی‌توان شناس‌نامه را ذخیره کرد." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -489,7 +542,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "حساب کاربری" @@ -548,17 +608,17 @@ msgstr "وضعیت حذ٠شد." msgid "No status with that ID found." msgstr "هیچ وضعیتی با آن شناسه یاÙت نشد." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "خیلی طولانی است. حداکثر طول مجاز پیام %d حر٠است." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "یاÙت نشد" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "حداکثر طول پیام %d حر٠است Ú©Ù‡ شامل ضمیمه نیز می‌باشد" @@ -609,11 +669,6 @@ msgstr "%s خط‌زمانی عمومی" msgid "%s updates from everyone!" msgstr "%s به روز رسانی های عموم" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "%s تکرار کرد" - #: actions/apitimelineretweetedtome.php:111 #, php-format msgid "Repeated to %s" @@ -1024,17 +1079,6 @@ msgstr "بازگرداندن طرح‌های پیش‌Ùرض" msgid "Reset back to default" msgstr "برگشت به حالت پیش گزیده" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "ذخیره‌کردن" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "ذخیره‌کردن طرح" @@ -1047,13 +1091,15 @@ msgstr "این Ø¢Ú¯Ù‡ÛŒ یک Ø¢Ú¯Ù‡ÛŒ برگزیده نیست!" msgid "Add to favorites" msgstr "اÙزودن به علاقه‌مندی‌ها" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "چنین سندی وجود ندارد." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "انتخابات دیگر" #: actions/editapplication.php:66 #, fuzzy @@ -1072,7 +1118,7 @@ msgid "No such application." msgstr "چنین پیامی وجود ندارد." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "" @@ -1280,7 +1326,7 @@ msgid "Cannot normalize that email address" msgstr "نمی‌توان نشانی را قانونی کرد" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "یک آدرس ایمیل معتبر نیست." @@ -1292,7 +1338,7 @@ msgstr "هم اکنون نشانی شما همین است." msgid "That email address already belongs to another user." msgstr "این نشانی در حال حاضر متعلق به Ùرد دیگری است." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "نمی‌توان کد تایید را اضاÙÙ‡ کرد." @@ -1591,7 +1637,7 @@ msgstr "اعضای گروه %sØŒ صÙحهٔ %d" msgid "A list of the users in this group." msgstr "یک Ùهرست از کاربران در این گروه" -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "مدیر" @@ -1786,6 +1832,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "این شناسه‌ی Jabber شما نیست." +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "صندوق ورودی %s" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1939,7 +1990,7 @@ msgstr "نام کاربری یا رمز عبور نادرست." msgid "Error setting user. You are probably not authorized." msgstr "خطا در تنظیم کاربر. شما احتمالا اجازه ÛŒ این کار را ندارید." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "ورود" @@ -2001,8 +2052,9 @@ msgid "No current status" msgstr "بدون وضعیت Ùعلی" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "چنین پیامی وجود ندارد." #: actions/newapplication.php:64 #, fuzzy @@ -2197,8 +2249,8 @@ msgstr "نوع محتوا " msgid "Only " msgstr " Ùقط" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "یک قالب دادهٔ پشتیبانی‌شده نیست." @@ -2267,6 +2319,11 @@ msgstr "علامت بی اعتبار یا منقضی." msgid "Login token expired." msgstr "ورود به وب‌گاه" +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "Ùرستاده‌های %s" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2339,7 +2396,7 @@ msgstr "نمی‌توان گذرواژه جدید را ذخیره کرد." msgid "Password saved." msgstr "گذرواژه ذخیره شد." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "مسیر ها" @@ -2347,133 +2404,149 @@ msgstr "مسیر ها" msgid "Path and server settings for this StatusNet site." msgstr "تنظیمات Ùˆ نشانی محلی این سایت استاتوس‌نتی" -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, php-format msgid "Theme directory not readable: %s" msgstr "شاخه‌ی پوسته‌ها خواندنی نیست: %s" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "شاخه‌ی چهره‌ها نوشتنی نیست: %s" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "شاخه‌ی پس زمینه‌ها نوشتنی نیست: %s" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "پوشه‌ی تنظیمات محلی خواندنی نیست: %s" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "سایت" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "کارگزار" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "مسیر" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 msgid "Site path" msgstr "مسیر وب‌گاه" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "نشانی تنظیمات محلی" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "پوسته" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "کارگزار پوسته" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "مسیر پوسته" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "شاخهٔ پوسته" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 msgid "Avatars" msgstr "چهره‌ها" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 msgid "Avatar server" msgstr "کارگزار نیم‌رخ" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 msgid "Avatar path" msgstr "مسیر نیم‌رخ" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 msgid "Avatar directory" msgstr "شاخهٔ نیم‌رخ" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "پس زمینه‌ها" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "کارگذار تصاویر پیش‌زمینه" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "مسیر تصاویر پیش‌زمینه" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "شاخهٔ تصاویر پیش‌زمینه" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 msgid "Never" msgstr "هیچ وقت" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "گاهی اوقات" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "برای همیشه" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "استÙاده از SSL" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 #, fuzzy msgid "SSL server" msgstr "کارگزار" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 msgid "Save paths" msgstr "نشانی ذخیره سازی" @@ -2582,7 +2655,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "زبان" @@ -2608,7 +2681,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "منطقه‌ی زمانی انتخاب نشده است." @@ -2870,7 +2943,7 @@ msgstr "با عرض تاسÙØŒ کد دعوت نا معتبر است." msgid "Registration successful" msgstr "ثبت نام با موÙقیت انجام شد." -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "ثبت نام" @@ -2910,7 +2983,7 @@ msgid "Same as password above. Required." msgstr "" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "پست الکترونیکی" @@ -3048,6 +3121,11 @@ msgstr "" msgid "Replies to %s" msgstr "پاسخ‌های به %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "پاسخ‌های به %s" + #: actions/replies.php:144 #, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3178,6 +3256,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "دوست داشتنی های %s" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "ناتوان در بازیابی Ø¢Ú¯Ù‡ÛŒ های محبوب." @@ -3227,6 +3310,11 @@ msgstr "این یک راه است برای به اشتراک گذاشتن آنچ msgid "%s group" msgstr "" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "اعضای گروه %sØŒ صÙحهٔ %d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "" @@ -3337,6 +3425,11 @@ msgstr "" msgid " tagged %s" msgstr "" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%s کاربران مسدود شده، صÙحه‌ی %d" + #: actions/showstream.php:122 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3418,195 +3511,147 @@ msgstr "کاربر قبلا ساکت شده است." msgid "Basic settings for this StatusNet site." msgstr "تنظیمات پایه ای برای این سایت StatusNet." -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "نام سایت باید طولی غیر صÙر داشته باشد." -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 #, fuzzy msgid "You must have a valid contact email address." msgstr "شما باید یک آدرس ایمیل قابل قبول برای ارتباط داشته باشید" -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "" -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 msgid "Site name" msgstr "نام وب‌گاه" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "نام وب‌گاه شما، مانند «میکروبلاگ شرکت شما»" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "أورده شده به وسیله ÛŒ" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 msgid "Contact email address for your site" msgstr "" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 msgid "Local" msgstr "محلی" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "منطقه ÛŒ زمانی پیش Ùرض" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "منظقه ÛŒ زمانی پیش Ùرض برای سایت؛ معمولا UTC." -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "زبان پیش Ùرض سایت" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "" - -#: actions/siteadminpanel.php:306 -msgid "Server" -msgstr "کارگزار" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "" - -#: actions/siteadminpanel.php:318 -msgid "Access" -msgstr "دسترسی" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "خصوصی" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "Ùقط دعوت کردن" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "تنها آماده کردن دعوت نامه های ثبت نام." - -#: actions/siteadminpanel.php:333 -msgid "Closed" -msgstr "مسدود" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "غیر Ùعال کردن نام نوبسی جدید" - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "محدودیت ها" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "محدودیت متن" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "بیشینهٔ تعداد حرو٠برای آگهی‌ها" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Ú†Ù‡ مدت کاربران باید منتظر بمانند ( به ثانیه ) تا همان چیز را مجددا ارسال " "کنند." -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 msgid "Save site settings" msgstr "" @@ -3801,6 +3846,11 @@ msgstr "" msgid "SMS" msgstr "" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "کاربران خود برچسب‌گذاری شده با %s - صÙحهٔ %d" + #: actions/tag.php:86 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4084,6 +4134,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "از هات داگ خود لذت ببرید!" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "اعضای گروه %sØŒ صÙحهٔ %d" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "جستجو برای گروه های بیشتر" @@ -4146,7 +4201,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "شخصی" @@ -4203,27 +4258,27 @@ msgstr "پیغام نمی تواند درج گردد" msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:225 +#: classes/Notice.php:214 msgid "Problem saving notice. Too long." msgstr "مشکل در ذخیره کردن پیام. بسیار طولانی." -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "مشکل در ذخیره کردن پیام. کاربر نا شناخته." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "تعداد خیلی زیاد Ø¢Ú¯Ù‡ÛŒ Ùˆ بسیار سریع؛ استراحت کنید Ùˆ مجددا دقایقی دیگر ارسال " "کنید." -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4231,20 +4286,25 @@ msgstr "" "تعداد زیاد پیام های دو نسخه ای Ùˆ بسرعت؛ استراحت کنید Ùˆ دقایقی دیگر مجددا " "ارسال کنید." -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "شما از Ùرستادن پست در این سایت مردود شدید ." -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "مشکل در ذخیره کردن Ø¢Ú¯Ù‡ÛŒ." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "مشکل در ذخیره کردن Ø¢Ú¯Ù‡ÛŒ." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4299,136 +4359,136 @@ msgstr "%s گروه %s را ترک کرد." msgid "Untitled page" msgstr "صÙحه ÛŒ بدون عنوان" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "خانه" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "آدرس ایمیل، آواتار، کلمه ÛŒ عبور، پروÙایل خود را تغییر دهید" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "وصل‌شدن" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect to services" msgstr "متصل شدن به خدمات" -#: lib/action.php:442 +#: lib/action.php:448 msgid "Change site configuration" msgstr "تغییر پیکربندی سایت" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "دعوت‌کردن" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr " به شما ملحق شوند %s دوستان Ùˆ همکاران را دعوت کنید تا در" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "خروج" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "خارج شدن از سایت ." -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "یک حساب کاربری بسازید" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "ورود به وب‌گاه" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Ú©Ù…Ú©" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "به من Ú©Ù…Ú© کنید!" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "جست‌وجو" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "جستجو برای شخص با متن" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "خبر سایت" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "دید محلی" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "خبر صÙحه" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "دربارهٔ" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "سوال‌های رایج" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "خصوصی" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "منبع" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "تماس" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "StatusNet مجوز نرم اÙزار" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." "broughtby%%](%%site.broughtbyurl%%). " msgstr "" -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4436,41 +4496,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "مجوز محتویات سایت" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "همه " -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "مجوز." -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "صÙحه بندى" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "بعد از" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "قبل از" @@ -4503,10 +4563,24 @@ msgstr "پیکره بندی اصلی سایت" msgid "Design configuration" msgstr "" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "پیکره بندی اصلی سایت" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "پیکره بندی اصلی سایت" + +#: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -5082,12 +5156,12 @@ msgstr "مگابایت" msgid "kB" msgstr "کیلوبایت" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "" @@ -5505,19 +5579,19 @@ msgstr "پاسخ ها" msgid "Favorites" msgstr "چیزهای مورد علاقه" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "صندوق دریاÙتی" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "پیام های وارد شونده ÛŒ شما" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "صندوق خروجی" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "پیام های Ùرستاده شده به وسیله ÛŒ شما" @@ -5760,47 +5834,47 @@ msgstr "پیام" msgid "Moderate" msgstr "" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "چند ثانیه پیش" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "حدود یک دقیقه پیش" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "حدود %d دقیقه پیش" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "حدود یک ساعت پیش" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "حدود %d ساعت پیش" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "حدود یک روز پیش" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "حدود %d روز پیش" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "حدود یک ماه پیش" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "حدود %d ماه پیش" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "حدود یک سال پیش" @@ -5814,7 +5888,7 @@ msgstr "%s یک رنگ صحیح نیست!" msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "%s یک رنگ صحیح نیست! از Û³ یا Û¶ حر٠مبنای شانزده استÙاده کنید" -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, fuzzy, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "" diff --git a/locale/fi/LC_MESSAGES/statusnet.po b/locale/fi/LC_MESSAGES/statusnet.po index d07fd61ca..750e41b08 100644 --- a/locale/fi/LC_MESSAGES/statusnet.po +++ b/locale/fi/LC_MESSAGES/statusnet.po @@ -10,17 +10,75 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:37:30+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:58:47+0000\n" "Language-Team: Finnish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#, fuzzy +msgid "Access" +msgstr "Hyväksy" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Profiilikuva-asetukset" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "Rekisteröidy" + +#: actions/accessadminpanel.php:161 +#, fuzzy +msgid "Private" +msgstr "Yksityisyys" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#: actions/accessadminpanel.php:167 +#, fuzzy +msgid "Invite only" +msgstr "Kutsu" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "" + +#: actions/accessadminpanel.php:173 +#, fuzzy +msgid "Closed" +msgstr "Estä" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "" + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Tallenna" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Profiilikuva-asetukset" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -35,7 +93,7 @@ msgstr "Sivua ei ole." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -140,8 +198,7 @@ msgstr "Käyttäjän %1$s ja kavereiden päivitykset palvelussa %2$s!" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -158,7 +215,7 @@ msgstr "API-metodia ei löytynyt!" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "Tämä metodi edellyttää POST sanoman." @@ -189,7 +246,7 @@ msgstr "Ei voitu tallentaa profiilia." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -501,7 +558,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Käyttäjätili" @@ -562,17 +626,17 @@ msgstr "Päivitys poistettu." msgid "No status with that ID found." msgstr "Käyttäjätunnukselle ei löytynyt statusviestiä." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Päivitys on liian pitkä. Maksimipituus on %d merkkiä." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "Ei löytynyt" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "Maksimikoko päivitykselle on %d merkkiä, mukaan lukien URL-osoite." @@ -624,11 +688,6 @@ msgstr "%s julkinen aikajana" msgid "%s updates from everyone!" msgstr "%s päivitykset kaikilta!" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "" - #: actions/apitimelineretweetedtome.php:111 #, fuzzy, php-format msgid "Repeated to %s" @@ -1041,17 +1100,6 @@ msgstr "" msgid "Reset back to default" msgstr "" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Tallenna" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1064,13 +1112,15 @@ msgstr "Tämä päivitys ei ole suosikki!" msgid "Add to favorites" msgstr "Lisää suosikkeihin" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "Dokumenttia ei ole." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "Muita asetuksia" #: actions/editapplication.php:66 #, fuzzy @@ -1090,7 +1140,7 @@ msgid "No such application." msgstr "Päivitystä ei ole." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "Istuntoavaimesi kanssa oli ongelma." @@ -1304,7 +1354,7 @@ msgid "Cannot normalize that email address" msgstr "Ei voida normalisoida sähköpostiosoitetta" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "Tuo ei ole kelvollinen sähköpostiosoite." @@ -1316,7 +1366,7 @@ msgstr "Tämä on jo sähköpostiosoitteesi." msgid "That email address already belongs to another user." msgstr "Tämä sähköpostiosoite kuuluu jo toisella käyttäjällä." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "Ei voitu asettaa vahvistuskoodia." @@ -1622,7 +1672,7 @@ msgstr "Ryhmän %s jäsenet, sivu %d" msgid "A list of the users in this group." msgstr "Lista ryhmän käyttäjistä." -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Ylläpito" @@ -1814,6 +1864,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "Tämä ei ole Jabber ID-tunnuksesi." +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "Saapuneet viestit käyttäjälle %s" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1998,7 +2053,7 @@ msgstr "Väärä käyttäjätunnus tai salasana" msgid "Error setting user. You are probably not authorized." msgstr "Sinulla ei ole valtuutusta tähän." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Kirjaudu sisään" @@ -2063,8 +2118,9 @@ msgid "No current status" msgstr "Ei nykyistä tilatietoa" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "Päivitystä ei ole." #: actions/newapplication.php:64 #, fuzzy @@ -2259,8 +2315,8 @@ msgstr "Yhdistä" msgid "Only " msgstr "Vain " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "Tuo ei ole tuettu tietomuoto." @@ -2331,6 +2387,11 @@ msgstr "Päivityksen sisältö ei kelpaa" msgid "Login token expired." msgstr "Kirjaudu sisään" +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "Käyttäjän %s lähetetyt viestit" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2401,7 +2462,7 @@ msgstr "Uutta salasanaa ei voida tallentaa." msgid "Password saved." msgstr "Salasana tallennettu." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "Polut" @@ -2409,143 +2470,160 @@ msgstr "Polut" msgid "Path and server settings for this StatusNet site." msgstr "Polut ja palvelin asetukset tälle StatusNet palvelulle." -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, fuzzy, php-format msgid "Theme directory not readable: %s" msgstr "Pikaviestin ei ole käytettävissä." -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 #, fuzzy msgid "Site" msgstr "Kutsu" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +#, fuzzy +msgid "Server" +msgstr "Palauta" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 #, fuzzy msgid "Site path" msgstr "Palvelun ilmoitus" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 #, fuzzy msgid "Avatars" msgstr "Kuva" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 #, fuzzy msgid "Avatar server" msgstr "Profiilikuva-asetukset" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 #, fuzzy msgid "Avatar path" msgstr "Kuva päivitetty." -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 #, fuzzy msgid "Avatar directory" msgstr "Kuva poistettu." -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "Taustakuvat" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "Taustakuvapalvelin" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "Taustakuvan hakemistopolku" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "Taustakuvan hakemisto" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 #, fuzzy msgid "SSL" msgstr "SMS" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 #, fuzzy msgid "Never" msgstr "Palauta" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 #, fuzzy msgid "Sometimes" msgstr "Päivitykset" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 #, fuzzy msgid "Always" msgstr "Aliakset" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 #, fuzzy msgid "SSL server" msgstr "Palauta" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 #, fuzzy msgid "Save paths" msgstr "Palvelun ilmoitus" @@ -2660,7 +2738,7 @@ msgstr "" "Kuvaa itseäsi henkilötageilla (sanoja joissa voi olla muita kirjaimia kuin " "ääkköset, numeroita, -, ., ja _), pilkulla tai välilyönnillä erotettuna" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "Kieli" @@ -2688,7 +2766,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "\"Tietoja\" on liian pitkä (max 140 merkkiä)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "Aikavyöhykettä ei ole valittu." @@ -2955,7 +3033,7 @@ msgstr "Virheellinen kutsukoodin." msgid "Registration successful" msgstr "Rekisteröityminen onnistui" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Rekisteröidy" @@ -2997,7 +3075,7 @@ msgid "Same as password above. Required." msgstr "Sama kuin ylläoleva salasana. Pakollinen." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Sähköposti" @@ -3167,6 +3245,11 @@ msgstr "Luotu" msgid "Replies to %s" msgstr "Vastaukset käyttäjälle %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "Viesti käyttäjälle %1$s, %2$s" + #: actions/replies.php:144 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3300,6 +3383,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "Käyttäjän %s suosikkipäivitykset" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Ei saatu haettua suosikkipäivityksiä." @@ -3349,6 +3437,11 @@ msgstr "" msgid "%s group" msgstr "Ryhmä %s" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "Ryhmän %s jäsenet, sivu %d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "Ryhmän profiili" @@ -3461,6 +3554,11 @@ msgstr "Päivitys on poistettu." msgid " tagged %s" msgstr "Päivitykset joilla on tagi %s" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%s ja kaverit, sivu %d" + #: actions/showstream.php:122 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3546,203 +3644,149 @@ msgstr "Käyttäjä on asettanut eston sinulle." msgid "Basic settings for this StatusNet site." msgstr "" -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 #, fuzzy msgid "You must have a valid contact email address." msgstr "Tuo ei ole kelvollinen sähköpostiosoite" -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "" -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 #, fuzzy msgid "Site name" msgstr "Palvelun ilmoitus" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 #, fuzzy msgid "Contact email address for your site" msgstr "Uusi sähköpostiosoite päivityksien lähettämiseen palveluun %s" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 #, fuzzy msgid "Local" msgstr "Paikalliset näkymät" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 #, fuzzy msgid "Default site language" msgstr "Ensisijainen kieli" -#: actions/siteadminpanel.php:303 -#, fuzzy -msgid "URLs" -msgstr "URL" - -#: actions/siteadminpanel.php:306 -#, fuzzy -msgid "Server" -msgstr "Palauta" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "" - -#: actions/siteadminpanel.php:318 -#, fuzzy -msgid "Access" -msgstr "Hyväksy" - -#: actions/siteadminpanel.php:321 -#, fuzzy -msgid "Private" -msgstr "Yksityisyys" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" - -#: actions/siteadminpanel.php:327 -#, fuzzy -msgid "Invite only" -msgstr "Kutsu" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "" - -#: actions/siteadminpanel.php:333 -#, fuzzy -msgid "Closed" -msgstr "Estä" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "" - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 #, fuzzy msgid "Save site settings" msgstr "Profiilikuva-asetukset" @@ -3944,6 +3988,11 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "Käyttäjät joilla henkilötagi %s - sivu %d" + #: actions/tag.php:86 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4257,6 +4306,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "Ryhmän %s jäsenet, sivu %d" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "Hae lisää ryhmiä" @@ -4319,7 +4373,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "Omat" @@ -4378,28 +4432,28 @@ msgstr "Viestin tallennus ei onnistunut." msgid "Could not update message with new URI." msgstr "Viestin päivittäminen uudella URI-osoitteella ei onnistunut." -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Tietokantavirhe tallennettaessa risutagiä: %s" -#: classes/Notice.php:225 +#: classes/Notice.php:214 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Ongelma päivityksen tallentamisessa." -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "Virhe tapahtui päivityksen tallennuksessa. Tuntematon käyttäjä." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Liian monta päivitystä liian nopeasti; pidä pieni hengähdystauko ja jatka " "päivityksien lähettämista muutaman minuutin päästä." -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4407,20 +4461,25 @@ msgstr "" "Liian monta päivitystä liian nopeasti; pidä pieni hengähdystauko ja jatka " "päivityksien lähettämista muutaman minuutin päästä." -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "Päivityksesi tähän palveluun on estetty." -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "Ongelma päivityksen tallentamisessa." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "Ongelma päivityksen tallentamisessa." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Tietokantavirhe tallennettaessa vastausta: %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4476,127 +4535,127 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Nimetön sivu" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Ensisijainen sivunavigointi" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "Koti" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Henkilökohtainen profiili ja kavereiden aikajana" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Muuta sähköpostiosoitettasi, kuvaasi, salasanaasi, profiiliasi" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "Yhdistä" -#: lib/action.php:438 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "Ei voitu uudelleenohjata palvelimelle: %s" -#: lib/action.php:442 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "Ensisijainen sivunavigointi" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Kutsu" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Kutsu kavereita ja työkavereita liittymään palveluun %s" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "Kirjaudu ulos" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Kirjaudu ulos palvelusta" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "Luo uusi käyttäjätili" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "Kirjaudu sisään palveluun" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Ohjeet" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "Auta minua!" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Haku" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Hae ihmisiä tai tekstiä" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "Palvelun ilmoitus" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "Paikalliset näkymät" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "Sivuilmoitus" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Toissijainen sivunavigointi" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "Tietoa" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "UKK" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "Yksityisyys" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "Lähdekoodi" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Ota yhteyttä" -#: lib/action.php:745 +#: lib/action.php:751 #, fuzzy msgid "Badge" msgstr "Tönäise" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "StatusNet-ohjelmiston lisenssi" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4605,12 +4664,12 @@ msgstr "" "**%%site.name%%** on mikroblogipalvelu, jonka tarjoaa [%%site.broughtby%%](%%" "site.broughtbyurl%%). " -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** on mikroblogipalvelu. " -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4621,42 +4680,42 @@ msgstr "" "versio %s, saatavilla lisenssillä [GNU Affero General Public License](http://" "www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:795 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "StatusNet-ohjelmiston lisenssi" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "Kaikki " -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "lisenssi." -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "Sivutus" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "Myöhemmin" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "Aiemmin" @@ -4695,11 +4754,25 @@ msgstr "Sähköpostiosoitteen vahvistus" msgid "Design configuration" msgstr "SMS vahvistus" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "SMS vahvistus" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "SMS vahvistus" + +#: lib/adminpanelaction.php:332 #, fuzzy msgid "Paths configuration" msgstr "SMS vahvistus" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -5291,12 +5364,12 @@ msgstr "" msgid "kB" msgstr "" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "" @@ -5734,19 +5807,19 @@ msgstr "Vastaukset" msgid "Favorites" msgstr "Suosikit" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Saapuneet" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "Sinulle saapuneet viestit" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "Lähetetyt" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "Lähettämäsi viestit" @@ -6005,47 +6078,47 @@ msgstr "Viesti" msgid "Moderate" msgstr "" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "muutama sekunti sitten" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "noin minuutti sitten" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "noin %d minuuttia sitten" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "noin tunti sitten" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "noin %d tuntia sitten" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "noin päivä sitten" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "noin %d päivää sitten" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "noin kuukausi sitten" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "noin %d kuukautta sitten" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "noin vuosi sitten" @@ -6059,7 +6132,7 @@ msgstr "Kotisivun verkko-osoite ei ole toimiva." msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "" -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, fuzzy, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "Viesti oli liian pitkä - maksimikoko on 140 merkkiä, lähetit %d" diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index 41f62001f..06580cd65 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -4,6 +4,7 @@ # Author@translatewiki.net: IAlex # Author@translatewiki.net: Isoph # Author@translatewiki.net: Jean-Frédéric +# Author@translatewiki.net: Julien C # Author@translatewiki.net: McDutchie # Author@translatewiki.net: Peter17 # -- @@ -13,17 +14,71 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:37:36+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:58:53+0000\n" "Language-Team: French\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +msgid "Access" +msgstr "Accès" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Sauvegarder les paramètres du site" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "Créer un compte" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "Privé" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "Interdire aux utilisateurs anonymes (non connectés) de voir le site ?" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "Sur invitation uniquement" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "Rendre l’inscription sur invitation seulement." + +#: actions/accessadminpanel.php:173 +msgid "Closed" +msgstr "Fermé" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "Désactiver les nouvelles inscriptions." + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Enregistrer" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Sauvegarder les paramètres du site" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -38,7 +93,7 @@ msgstr "Page non trouvée" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -146,8 +201,7 @@ msgstr "Statuts de %1$s et ses amis dans %2$s!" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -163,7 +217,7 @@ msgstr "Méthode API non trouvée !" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "Ce processus requiert un POST." @@ -194,7 +248,7 @@ msgstr "Impossible d’enregistrer le profil." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -435,7 +489,7 @@ msgstr "groupes sur %s" #: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 msgid "Bad request." -msgstr "" +msgstr "Requête invalide." #: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -478,11 +532,13 @@ msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" +"Le jeton de connexion %s a été autorisé. Merci de l'échanger contre un jeton " +"d'accès." #: actions/apioauthauthorize.php:241 #, php-format msgid "The request token %s has been denied." -msgstr "" +msgstr "Le jeton de connexion %s a été refusé." #: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -496,12 +552,20 @@ msgstr "Soumission de formulaire inattendue." #: actions/apioauthauthorize.php:273 msgid "An application would like to connect to your account" msgstr "" +"Une application vous demande l'autorisation de se connecter à votre compte" #: actions/apioauthauthorize.php:290 msgid "Allow or deny access" +msgstr "Autoriser ou refuser l'accès" + +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Compte" @@ -527,7 +591,7 @@ msgstr "Autoriser" #: actions/apioauthauthorize.php:361 msgid "Allow or deny access to your account information." -msgstr "" +msgstr "Autoriser ou refuser l'accès à votre compte." #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." @@ -558,17 +622,17 @@ msgstr "Statut supprimé." msgid "No status with that ID found." msgstr "Aucun statut trouvé avec cet identifiant." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "C’est trop long ! La taille maximale de l’avis est de %d caractères." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "Non trouvé" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -621,11 +685,6 @@ msgstr "Activité publique %s" msgid "%s updates from everyone!" msgstr "%s statuts de tout le monde !" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "Repris par %s" - #: actions/apitimelineretweetedtome.php:111 #, php-format msgid "Repeated to %s" @@ -1036,17 +1095,6 @@ msgstr "Restaurer les conceptions par défaut" msgid "Reset back to default" msgstr "Revenir aux valeurs par défaut" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Enregistrer" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Sauvegarder la conception" @@ -1059,13 +1107,15 @@ msgstr "Cet avis n’est pas un favori !" msgid "Add to favorites" msgstr "Ajouter aux favoris" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "Document non trouvé." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "Modifier votre application" #: actions/editapplication.php:66 #, fuzzy @@ -1079,12 +1129,11 @@ msgstr "Vous n'êtes pas membre de ce groupe." #: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 #: actions/showapplication.php:87 -#, fuzzy msgid "No such application." -msgstr "Avis non trouvé." +msgstr "Pas d'application." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "Un problème est survenu avec votre jeton de session." @@ -1110,7 +1159,7 @@ msgstr "Description" #: actions/editapplication.php:191 msgid "Source URL is too long." -msgstr "" +msgstr "L'URL source est trop longue." #: actions/editapplication.php:197 actions/newapplication.php:182 #, fuzzy @@ -1132,7 +1181,7 @@ msgstr "" #: actions/editapplication.php:215 actions/newapplication.php:203 msgid "Callback is too long." -msgstr "" +msgstr "Le Callback est trop long." #: actions/editapplication.php:222 actions/newapplication.php:212 #, fuzzy @@ -1295,7 +1344,7 @@ msgid "Cannot normalize that email address" msgstr "Impossible d’utiliser cette adresse courriel" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "Adresse courriel invalide." @@ -1307,7 +1356,7 @@ msgstr "Vous utilisez déjà cette adresse courriel." msgid "That email address already belongs to another user." msgstr "Cette adresse courriel appartient déjà à un autre utilisateur." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "Impossible d’insérer le code de confirmation." @@ -1615,7 +1664,7 @@ msgstr "Membres du groupe %1$s - page %2$d" msgid "A list of the users in this group." msgstr "Liste des utilisateurs inscrits à ce groupe." -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Administrer" @@ -1817,6 +1866,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "Ceci n’est pas votre identifiant Jabber." +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "Boîte de réception de %s" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -2005,7 +2059,7 @@ msgstr "" "Erreur lors de la mise en place de l’utilisateur. Vous n’y êtes probablement " "pas autorisé." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Ouvrir une session" @@ -2073,8 +2127,9 @@ msgid "No current status" msgstr "Aucun statut actuel" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "Nouvelle application" #: actions/newapplication.php:64 #, fuzzy @@ -2230,7 +2285,7 @@ msgstr "" #: actions/oauthconnectionssettings.php:71 msgid "Connected applications" -msgstr "" +msgstr "Applications connectées." #: actions/oauthconnectionssettings.php:87 msgid "You have allowed the following applications to access you account." @@ -2271,8 +2326,8 @@ msgstr "type de contenu " msgid "Only " msgstr "Seulement " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "Format de données non supporté." @@ -2337,6 +2392,11 @@ msgstr "Jeton d'identification invalide." msgid "Login token expired." msgstr "Jeton d'identification périmé." +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "Boîte d’envoi de %s" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2408,7 +2468,7 @@ msgstr "Impossible de sauvegarder le nouveau mot de passe." msgid "Password saved." msgstr "Mot de passe enregistré." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "Chemins" @@ -2416,132 +2476,148 @@ msgstr "Chemins" msgid "Path and server settings for this StatusNet site." msgstr "Paramètres de chemin et serveur pour ce site StatusNet." -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, php-format msgid "Theme directory not readable: %s" msgstr "Dossier des thème non lisible : %s" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "Dossier des avatars non inscriptible : %s" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "Dossier des arrière plans non inscriptible : %s" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "Dossier des paramètres régionaux non lisible : %s" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Serveur SSL invalide. La longueur maximale est de 255 caractères." -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "Site" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "Serveur" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "Nom d’hôte du serveur du site." + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "Chemin" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 msgid "Site path" msgstr "Chemin du site" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "Chemin vers les paramètres régionaux" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "Chemin de dossier vers les paramètres régionaux" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "Jolies URL" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "Utiliser des jolies URL (plus lisibles et mémorable) ?" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "Thème" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "Serveur de thèmes" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "Chemin des thèmes" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "Dossier des thèmes" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 msgid "Avatars" msgstr "Avatars" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 msgid "Avatar server" msgstr "Serveur d’avatar" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 msgid "Avatar path" msgstr "Chemin des avatars" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 msgid "Avatar directory" msgstr "Dossier des avatars" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "Arrière plans" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "Serveur des arrière plans" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "Chemin des arrière plans" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "Dossier des arrière plans" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 msgid "Never" msgstr "Jamais" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "Quelquefois" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "Toujours" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "Utiliser SSL" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "Quand utiliser SSL" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 msgid "SSL server" msgstr "Serveur SSL" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "Serveur vers lequel rediriger les requêtes SSL" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 msgid "Save paths" msgstr "Enregistrer les chemins." @@ -2655,7 +2731,7 @@ msgstr "" "Marques pour vous-même (lettres, chiffres, -, ., et _), séparées par des " "virgules ou des espaces" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "Langue" @@ -2683,7 +2759,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "La bio est trop longue (%d caractères maximum)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "Aucun fuseau horaire n’a été choisi." @@ -2963,7 +3039,7 @@ msgstr "Désolé, code d’invitation invalide." msgid "Registration successful" msgstr "Compte créé avec succès" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Créer un compte" @@ -3006,7 +3082,7 @@ msgid "Same as password above. Required." msgstr "Identique au mot de passe ci-dessus. Requis." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Courriel" @@ -3166,6 +3242,11 @@ msgstr "Repris !" msgid "Replies to %s" msgstr "Réponses à %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "Réponses à %1$s sur %2$s !" + #: actions/replies.php:144 #, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3302,6 +3383,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "Avis favoris de %s" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Impossible d’afficher les favoris." @@ -3359,6 +3445,11 @@ msgstr "C’est un moyen de partager ce que vous aimez." msgid "%s group" msgstr "Groupe %s" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "Membres du groupe %1$s - page %2$d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "Profil du groupe" @@ -3481,6 +3572,11 @@ msgstr "Avis supprimé." msgid " tagged %s" msgstr " marqué %s" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%1$s profils bloqués, page %2$d" + #: actions/showstream.php:122 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3571,194 +3667,146 @@ msgstr "Cet utilisateur est déjà réduit au silence." msgid "Basic settings for this StatusNet site." msgstr "Paramètres basiques pour ce site StatusNet." -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "Le nom du site ne peut pas être vide." -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 msgid "You must have a valid contact email address." msgstr "Vous devez avoir une adresse électronique de contact valide." -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "Langue « %s » inconnue." -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "URL de rapport d’instantanés invalide." -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "Valeur de lancement d’instantanés invalide." -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "La fréquence des instantanés doit être un nombre." -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "La limite minimale de texte est de 140 caractères." -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "La limite de doublon doit être d’une seconde ou plus." -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "Général" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 msgid "Site name" msgstr "Nom du site" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "Le nom de votre site, comme « Microblog de votre compagnie »" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "Apporté par" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "Texte utilisé pour le lien de crédits au bas de chaque page" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "Apporté par URL" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "URL utilisée pour le lien de crédits au bas de chaque page" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 msgid "Contact email address for your site" msgstr "Adresse de courriel de contact de votre site" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 msgid "Local" msgstr "Local" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "Zone horaire par défaut" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "Zone horaire par défaut pour ce site ; généralement UTC." -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "Langue du site par défaut" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "URL" - -#: actions/siteadminpanel.php:306 -msgid "Server" -msgstr "Serveur" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "Nom d’hôte du serveur du site." - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "Jolies URL" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "Utiliser des jolies URL (plus lisibles et mémorable) ?" - -#: actions/siteadminpanel.php:318 -msgid "Access" -msgstr "Accès" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "Privé" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "Interdire aux utilisateurs anonymes (non connectés) de voir le site ?" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "Sur invitation uniquement" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "Rendre l’inscription sur invitation seulement." - -#: actions/siteadminpanel.php:333 -msgid "Closed" -msgstr "Fermé" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "Désactiver les nouvelles inscriptions." - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "Instantanés" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "Au hasard lors des requêtes web" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "Dans une tâche programée" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "Instantanés de données" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "Quand envoyer des données statistiques aux serveurs status.net" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "Fréquence" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "Les instantanés seront envoyés une fois tous les N requêtes" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "URL de rapport" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "Les instantanés seront envoyés à cette URL" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "Limites" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "Limite de texte" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "Nombre maximal de caractères pour les avis." -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "Limite de doublons" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Combien de temps (en secondes) les utilisateurs doivent attendre pour poster " "la même chose de nouveau." -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 msgid "Save site settings" msgstr "Sauvegarder les paramètres du site" @@ -3970,6 +4018,11 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "Utilisateurs marqués par eux-mêmes avec %1$s - page %2$d" + #: actions/tag.php:86 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4274,6 +4327,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "Bon appétit !" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "Membres du groupe %1$s - page %2$d" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "Rechercher pour plus de groupes" @@ -4349,7 +4407,7 @@ msgstr "" msgid "Plugins" msgstr "Extensions" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "Version" @@ -4405,27 +4463,27 @@ msgstr "Impossible d’insérer le message." msgid "Could not update message with new URI." msgstr "Impossible de mettre à jour le message avec un nouvel URI." -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Erreur de base de donnée en insérant la marque (hashtag) : %s" -#: classes/Notice.php:225 +#: classes/Notice.php:214 msgid "Problem saving notice. Too long." msgstr "Problème lors de l’enregistrement de l’avis ; trop long." -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "Erreur lors de l’enregistrement de l’avis. Utilisateur inconnu." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Trop d’avis, trop vite ! Faites une pause et publiez à nouveau dans quelques " "minutes." -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4433,20 +4491,25 @@ msgstr "" "Trop de messages en double trop vite ! Prenez une pause et publiez à nouveau " "dans quelques minutes." -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "Il vous est interdit de poster des avis sur ce site." -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "Problème lors de l’enregistrement de l’avis." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "Problème lors de l’enregistrement de l’avis." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Erreur de base de donnée en insérant la réponse :%s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4501,124 +4564,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Page sans nom" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Navigation primaire du site" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "Accueil" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Profil personnel et flux des amis" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Modifier votre courriel, avatar, mot de passe, profil" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "Connecter" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect to services" msgstr "Se connecter aux services" -#: lib/action.php:442 +#: lib/action.php:448 msgid "Change site configuration" msgstr "Modifier la configuration du site" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Inviter" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Inviter des amis et collègues à vous rejoindre dans %s" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "Fermeture de session" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Fermer la session" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "Créer un compte" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "Ouvrir une session" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Aide" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "À l’aide !" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Rechercher" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Rechercher des personnes ou du texte" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "Notice du site" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "Vues locales" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "Avis de la page" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Navigation secondaire du site" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "À propos" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "CGU" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "Confidentialité" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "Source" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Contact" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "Insigne" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Licence du logiciel StatusNet" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4627,12 +4690,12 @@ msgstr "" "**%%site.name%%** est un service de microblogging qui vous est proposé par " "[%%site.broughtby%%](%%site.broughtbyurl%%)." -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** est un service de micro-blogging." -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4643,41 +4706,41 @@ msgstr "" "version %s, disponible sous la licence [GNU Affero General Public License] " "(http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "Licence du contenu du site" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "Tous " -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "licence." -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "Pagination" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "Après" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "Avant" @@ -4709,10 +4772,24 @@ msgstr "Configuration basique du site" msgid "Design configuration" msgstr "Configuration de la conception" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "Configuration des chemins" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "Configuration de la conception" + +#: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "Configuration des chemins" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "Modifier votre application" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -4748,7 +4825,7 @@ msgstr "URL du site Web ou blogue du groupe ou sujet " #: lib/applicationeditform.php:238 msgid "URL to redirect to after authentication" -msgstr "" +msgstr "URL vers laquelle rediriger après l'authentification" #: lib/applicationeditform.php:260 msgid "Browser" @@ -5341,12 +5418,12 @@ msgstr "Mo" msgid "kB" msgstr "Ko" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "[%s]" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "Source %d inconnue pour la boîte de réception." @@ -5846,19 +5923,19 @@ msgstr "Réponses" msgid "Favorites" msgstr "Favoris" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Boîte de réception" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "Vos messages reçus" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "Boîte d’envoi" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "Vos messages envoyés" @@ -6100,47 +6177,47 @@ msgstr "Message" msgid "Moderate" msgstr "Modérer" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "il y a quelques secondes" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "il y a 1 minute" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "il y a %d minutes" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "il y a 1 heure" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "il y a %d heures" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "il y a 1 jour" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "il y a %d jours" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "il y a 1 mois" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "il y a %d mois" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "il y a environ 1 an" @@ -6155,7 +6232,7 @@ msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "" "%s n’est pas une couleur valide ! Utilisez 3 ou 6 caractères hexadécimaux." -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "" diff --git a/locale/ga/LC_MESSAGES/statusnet.po b/locale/ga/LC_MESSAGES/statusnet.po index 0f6c29dfa..611c3f379 100644 --- a/locale/ga/LC_MESSAGES/statusnet.po +++ b/locale/ga/LC_MESSAGES/statusnet.po @@ -8,18 +8,76 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:37:39+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:58:56+0000\n" "Language-Team: Irish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ga\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=5; plural=n==1 ? 0 : n==2 ? 1 : n<7 ? 2 : n<11 ? 3 : " "4;\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#, fuzzy +msgid "Access" +msgstr "Aceptar" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Configuracións de Twitter" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "Rexistrar" + +#: actions/accessadminpanel.php:161 +#, fuzzy +msgid "Private" +msgstr "Privacidade" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#: actions/accessadminpanel.php:167 +#, fuzzy +msgid "Invite only" +msgstr "Invitar" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "" + +#: actions/accessadminpanel.php:173 +#, fuzzy +msgid "Closed" +msgstr "Bloquear" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "" + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Gardar" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Configuracións de Twitter" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 #, fuzzy @@ -35,7 +93,7 @@ msgstr "Non existe a etiqueta." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -135,8 +193,7 @@ msgstr "Actualizacións dende %1$s e amigos en %2$s!" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -153,7 +210,7 @@ msgstr "Método da API non atopado" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "Este método require un POST." @@ -184,7 +241,7 @@ msgstr "Non se puido gardar o perfil." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -497,7 +554,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 #, fuzzy msgid "Account" msgstr "Sobre" @@ -559,18 +623,18 @@ msgstr "Avatar actualizado." msgid "No status with that ID found." msgstr "Non existe ningún estado con esa ID atopada." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Max notice size is %d chars." msgstr "" "Iso é demasiado longo. O tamaño máximo para un chío é de 140 caracteres." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "Non atopado" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -622,11 +686,6 @@ msgstr "Liña de tempo pública de %s" msgid "%s updates from everyone!" msgstr "%s chíos de calquera!" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "" - #: actions/apitimelineretweetedtome.php:111 #, fuzzy, php-format msgid "Repeated to %s" @@ -1059,17 +1118,6 @@ msgstr "" msgid "Reset back to default" msgstr "" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Gardar" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1082,13 +1130,15 @@ msgstr "Este chío non é un favorito!" msgid "Add to favorites" msgstr "Engadir a favoritos" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "Ningún documento." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "Outras opcions" #: actions/editapplication.php:66 #, fuzzy @@ -1107,7 +1157,7 @@ msgid "No such application." msgstr "Ningún chío." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 #, fuzzy msgid "There was a problem with your session token." msgstr "Houbo un problema co teu token de sesión. Tentao de novo, anda..." @@ -1327,7 +1377,7 @@ msgid "Cannot normalize that email address" msgstr "Esa dirección de correo non se pode normalizar " #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "Non é un enderezo de correo válido." @@ -1339,7 +1389,7 @@ msgstr "Xa é o teu enderezo de correo." msgid "That email address already belongs to another user." msgstr "Este enderezo de correo xa pertence a outro usuario." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "Non se puido inserir o código de confirmación." @@ -1657,7 +1707,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -1850,6 +1900,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "Esa non é a túa conta Jabber." +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "Band. Entrada para %s" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -2033,7 +2088,7 @@ msgstr "Usuario ou contrasinal incorrectos." msgid "Error setting user. You are probably not authorized." msgstr "Non está autorizado." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Inicio de sesión" @@ -2096,8 +2151,9 @@ msgid "No current status" msgstr "Sen estado actual" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "Ningún chío." #: actions/newapplication.php:64 #, fuzzy @@ -2291,8 +2347,8 @@ msgstr "Conectar" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "Non é un formato de datos soportado." @@ -2362,6 +2418,11 @@ msgstr "Contido do chío inválido" msgid "Login token expired." msgstr "" +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "Band. Saída para %s" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2435,7 +2496,7 @@ msgstr "Non se pode gardar a contrasinal." msgid "Password saved." msgstr "Contrasinal gardada." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "" @@ -2443,142 +2504,159 @@ msgstr "" msgid "Path and server settings for this StatusNet site." msgstr "" -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, fuzzy, php-format msgid "Theme directory not readable: %s" msgstr "Esta páxina non está dispoñíbel no tipo de medio que aceptas" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 #, fuzzy msgid "Site" msgstr "Invitar" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +#, fuzzy +msgid "Server" +msgstr "Recuperar" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 #, fuzzy msgid "Site path" msgstr "Novo chío" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 #, fuzzy msgid "Avatars" msgstr "Avatar" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 #, fuzzy msgid "Avatar server" msgstr "Configuracións de Twitter" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 #, fuzzy msgid "Avatar path" msgstr "Avatar actualizado." -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 #, fuzzy msgid "Avatar directory" msgstr "Avatar actualizado." -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 #, fuzzy msgid "SSL" msgstr "SMS" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 #, fuzzy msgid "Never" msgstr "Recuperar" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 #, fuzzy msgid "Sometimes" msgstr "Chíos" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 #, fuzzy msgid "SSL server" msgstr "Recuperar" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 #, fuzzy msgid "Save paths" msgstr "Novo chío" @@ -2693,7 +2771,7 @@ msgstr "" "Etiquetas para o teu usuario (letras, números, -, ., e _), separados por " "coma ou espazo" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "Linguaxe" @@ -2721,7 +2799,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "O teu Bio é demasiado longo (max 140 car.)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "Fuso Horario non seleccionado" @@ -2995,7 +3073,7 @@ msgstr "Acounteceu un erro co código de confirmación." msgid "Registration successful" msgstr "Xa estas rexistrado!!" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Rexistrar" @@ -3041,7 +3119,7 @@ msgid "Same as password above. Required." msgstr "A mesma contrasinal que arriba. Requerido." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Correo Electrónico" @@ -3208,6 +3286,11 @@ msgstr "Crear" msgid "Replies to %s" msgstr "Replies to %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "Mensaxe de %1$s en %2$s" + #: actions/replies.php:144 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3338,6 +3421,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "Chíos favoritos de %s" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Non se pode " @@ -3387,6 +3475,11 @@ msgstr "" msgid "%s group" msgstr "" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "Tódalas subscricións" + #: actions/showgroup.php:218 #, fuzzy msgid "Group profile" @@ -3512,6 +3605,11 @@ msgstr "Chío publicado" msgid " tagged %s" msgstr "Chíos tagueados con %s" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%s e amigos" + #: actions/showstream.php:122 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3599,202 +3697,149 @@ msgstr "O usuario bloqueoute." msgid "Basic settings for this StatusNet site." msgstr "" -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 #, fuzzy msgid "You must have a valid contact email address." msgstr "Non é unha dirección de correo válida" -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "" -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 #, fuzzy msgid "Site name" msgstr "Novo chío" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 #, fuzzy msgid "Contact email address for your site" msgstr "Nova dirección de email para posterar en %s" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 #, fuzzy msgid "Local" msgstr "Localización" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 #, fuzzy msgid "Default site language" msgstr "Linguaxe preferida" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "" - -#: actions/siteadminpanel.php:306 -#, fuzzy -msgid "Server" -msgstr "Recuperar" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "" - -#: actions/siteadminpanel.php:318 -#, fuzzy -msgid "Access" -msgstr "Aceptar" - -#: actions/siteadminpanel.php:321 -#, fuzzy -msgid "Private" -msgstr "Privacidade" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" - -#: actions/siteadminpanel.php:327 -#, fuzzy -msgid "Invite only" -msgstr "Invitar" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "" - -#: actions/siteadminpanel.php:333 -#, fuzzy -msgid "Closed" -msgstr "Bloquear" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "" - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 #, fuzzy msgid "Save site settings" msgstr "Configuracións de Twitter" @@ -3997,6 +4042,11 @@ msgstr "Jabber." msgid "SMS" msgstr "SMS" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "Usuarios auto-etiquetados como %s - páxina %d" + #: actions/tag.php:86 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4314,6 +4364,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "Tódalas subscricións" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "" @@ -4376,7 +4431,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "Persoal" @@ -4435,28 +4490,28 @@ msgstr "Non se pode inserir unha mensaxe." msgid "Could not update message with new URI." msgstr "Non se puido actualizar a mensaxe coa nova URI." -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Erro ó inserir o hashtag na BD: %s" -#: classes/Notice.php:225 +#: classes/Notice.php:214 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Aconteceu un erro ó gardar o chío." -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "Aconteceu un erro ó gardar o chío. Usuario descoñecido." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Demasiados chíos en pouco tempo; tomate un respiro e envíao de novo dentro " "duns minutos." -#: classes/Notice.php:240 +#: classes/Notice.php:229 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4465,20 +4520,25 @@ msgstr "" "Demasiados chíos en pouco tempo; tomate un respiro e envíao de novo dentro " "duns minutos." -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "Tes restrinxido o envio de chíos neste sitio." -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "Aconteceu un erro ó gardar o chío." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "Aconteceu un erro ó gardar o chío." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Erro ó inserir a contestación na BD: %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4537,134 +4597,134 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "Persoal" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 +#: lib/action.php:441 #, fuzzy msgid "Change your email, avatar, password, profile" msgstr "Cambiar contrasinal" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "Conectar" -#: lib/action.php:438 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "Non se pode redireccionar ao servidor: %s" -#: lib/action.php:442 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "Navegación de subscricións" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Invitar" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, fuzzy, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" "Emprega este formulario para invitar ós teus amigos e colegas a empregar " "este servizo." -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "Sair" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "" -#: lib/action.php:457 +#: lib/action.php:463 #, fuzzy msgid "Create an account" msgstr "Crear nova conta" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Axuda" -#: lib/action.php:463 +#: lib/action.php:469 #, fuzzy msgid "Help me!" msgstr "Axuda" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Buscar" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "" -#: lib/action.php:487 +#: lib/action.php:493 #, fuzzy msgid "Site notice" msgstr "Novo chío" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "" -#: lib/action.php:619 +#: lib/action.php:625 #, fuzzy msgid "Page notice" msgstr "Novo chío" -#: lib/action.php:721 +#: lib/action.php:727 #, fuzzy msgid "Secondary site navigation" msgstr "Navegación de subscricións" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "Sobre" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "Preguntas frecuentes" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "Privacidade" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "Fonte" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Contacto" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4673,12 +4733,12 @@ msgstr "" "**%%site.name%%** é un servizo de microbloguexo que che proporciona [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** é un servizo de microbloguexo." -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4689,44 +4749,44 @@ msgstr "" "%s, dispoñible baixo licenza [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:795 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "Atopar no contido dos chíos" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 #, fuzzy msgid "All " msgstr "Todos" -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "" -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1139 #, fuzzy msgid "After" msgstr "« Despois" -#: lib/action.php:1141 +#: lib/action.php:1147 #, fuzzy msgid "Before" msgstr "Antes »" @@ -4766,11 +4826,25 @@ msgstr "Confirmar correo electrónico" msgid "Design configuration" msgstr "Confirmación de SMS" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "Confirmación de SMS" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "Confirmación de SMS" + +#: lib/adminpanelaction.php:332 #, fuzzy msgid "Paths configuration" msgstr "Confirmación de SMS" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -5406,12 +5480,12 @@ msgstr "" msgid "kB" msgstr "" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "" @@ -5903,19 +5977,19 @@ msgstr "Respostas" msgid "Favorites" msgstr "Favoritos" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Band. Entrada" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "As túas mensaxes entrantes" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "Band. Saída" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "As túas mensaxes enviadas" @@ -6183,47 +6257,47 @@ msgstr "Nova mensaxe" msgid "Moderate" msgstr "" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "fai uns segundos" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "fai un minuto" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "fai %d minutos" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "fai unha hora" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "fai %d horas" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "fai un día" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "fai %d días" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "fai un mes" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "fai %d meses" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "fai un ano" @@ -6237,7 +6311,7 @@ msgstr "%1s non é unha orixe fiable." msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "" -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, fuzzy, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "Mensaxe demasiado longa - o máximo é 140 caracteres, ti enviaches %d " diff --git a/locale/he/LC_MESSAGES/statusnet.po b/locale/he/LC_MESSAGES/statusnet.po index 0367bace5..ef9db6e29 100644 --- a/locale/he/LC_MESSAGES/statusnet.po +++ b/locale/he/LC_MESSAGES/statusnet.po @@ -7,17 +7,74 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:37:42+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:58:59+0000\n" "Language-Team: Hebrew\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: he\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#, fuzzy +msgid "Access" +msgstr "קבל" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "הגדרות" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "הירש×" + +#: actions/accessadminpanel.php:161 +#, fuzzy +msgid "Private" +msgstr "פרטיות" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "" + +#: actions/accessadminpanel.php:173 +#, fuzzy +msgid "Closed" +msgstr "×ין משתמש ×›×–×”." + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "" + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "שמור" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "הגדרות" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 #, fuzzy @@ -33,7 +90,7 @@ msgstr "×ין הודעה כזו." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -133,8 +190,7 @@ msgstr "" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -151,7 +207,7 @@ msgstr "קוד ×”×ישור ×œ× × ×ž×¦×." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "" @@ -182,7 +238,7 @@ msgstr "שמירת הפרופיל נכשלה." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -491,7 +547,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 #, fuzzy msgid "Account" msgstr "×ודות" @@ -552,17 +615,17 @@ msgstr "התמונה עודכנה." msgid "No status with that ID found." msgstr "" -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Max notice size is %d chars." msgstr "×–×” ×רוך מידי. ×ורך מירבי להודעה ×”×•× 140 ×ותיות." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "×œ× × ×ž×¦×" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -614,11 +677,6 @@ msgstr "" msgid "%s updates from everyone!" msgstr "" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "" - #: actions/apitimelineretweetedtome.php:111 #, fuzzy, php-format msgid "Repeated to %s" @@ -1045,17 +1103,6 @@ msgstr "" msgid "Reset back to default" msgstr "" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "שמור" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1069,13 +1116,15 @@ msgstr "" msgid "Add to favorites" msgstr "מועדפי×" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "×ין מסמך ×›×–×”." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "להודעה ×ין פרופיל" #: actions/editapplication.php:66 msgid "You must be logged in to edit an application." @@ -1093,7 +1142,7 @@ msgid "No such application." msgstr "×ין הודעה כזו." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "" @@ -1302,7 +1351,7 @@ msgid "Cannot normalize that email address" msgstr "" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "" @@ -1314,7 +1363,7 @@ msgstr "" msgid "That email address already belongs to another user." msgstr "" -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "הכנסת קוד ×”×ישור נכשלה." @@ -1629,7 +1678,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -1822,6 +1871,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "זהו ×œ× ×–×™×”×•×™ ×”-Jabber שלך." +#: actions/inbox.php:59 +#, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1974,7 +2028,7 @@ msgstr "×©× ×ž×©×ª×ž×© ×ו סיסמה ×œ× × ×›×•× ×™×." msgid "Error setting user. You are probably not authorized." msgstr "×œ× ×ž×•×¨×©×”." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "היכנס" @@ -2034,8 +2088,9 @@ msgid "No current status" msgstr "" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "×ין הודעה כזו." #: actions/newapplication.php:64 msgid "You must be logged in to register an application." @@ -2223,8 +2278,8 @@ msgstr "התחבר" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "" @@ -2295,6 +2350,11 @@ msgstr "תוכן ההודעה ×œ× ×—×•×§×™" msgid "Login token expired." msgstr "" +#: actions/outbox.php:58 +#, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2367,7 +2427,7 @@ msgstr "×œ× × ×™×ª×Ÿ לשמור ×ת הסיסמה" msgid "Password saved." msgstr "הסיסמה נשמרה." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "" @@ -2375,141 +2435,158 @@ msgstr "" msgid "Path and server settings for this StatusNet site." msgstr "" -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, fuzzy, php-format msgid "Theme directory not readable: %s" msgstr "עמוד ×–×” ×ינו זמין בסוג מדיה ש×תה יכול לקבל" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +#, fuzzy +msgid "Server" +msgstr "שיחזור" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 #, fuzzy msgid "Site path" msgstr "הודעה חדשה" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 #, fuzzy msgid "Avatars" msgstr "תמונה" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 #, fuzzy msgid "Avatar server" msgstr "הגדרות" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 #, fuzzy msgid "Avatar path" msgstr "התמונה עודכנה." -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 #, fuzzy msgid "Avatar directory" msgstr "התמונה עודכנה." -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 #, fuzzy msgid "SSL" msgstr "סמס" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 #, fuzzy msgid "Never" msgstr "שיחזור" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 #, fuzzy msgid "Sometimes" msgstr "הודעות" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 #, fuzzy msgid "SSL server" msgstr "שיחזור" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 #, fuzzy msgid "Save paths" msgstr "הודעה חדשה" @@ -2619,7 +2696,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "שפה" @@ -2645,7 +2722,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "הביוגרפיה ×רוכה מידי (לכל היותר 140 ×ותיות)" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "" @@ -2910,7 +2987,7 @@ msgstr "שגי××” ב×ישור הקוד." msgid "Registration successful" msgstr "" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "הירש×" @@ -2950,7 +3027,7 @@ msgid "Same as password above. Required." msgstr "" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "" @@ -3095,6 +3172,11 @@ msgstr "צור" msgid "Replies to %s" msgstr "תגובת עבור %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "תגובת עבור %s" + #: actions/replies.php:144 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3224,6 +3306,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "%s וחברי×" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "" @@ -3273,6 +3360,11 @@ msgstr "" msgid "%s group" msgstr "" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "כל המנויי×" + #: actions/showgroup.php:218 #, fuzzy msgid "Group profile" @@ -3388,6 +3480,11 @@ msgstr "הודעות" msgid " tagged %s" msgstr "" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%s וחברי×" + #: actions/showstream.php:122 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3466,198 +3563,146 @@ msgstr "למשתמש ×ין פרופיל." msgid "Basic settings for this StatusNet site." msgstr "" -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 msgid "You must have a valid contact email address." msgstr "" -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "" -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 #, fuzzy msgid "Site name" msgstr "הודעה חדשה" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 msgid "Contact email address for your site" msgstr "" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 #, fuzzy msgid "Local" msgstr "מיקו×" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "" - -#: actions/siteadminpanel.php:306 -#, fuzzy -msgid "Server" -msgstr "שיחזור" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "" - -#: actions/siteadminpanel.php:318 -#, fuzzy -msgid "Access" -msgstr "קבל" - -#: actions/siteadminpanel.php:321 -#, fuzzy -msgid "Private" -msgstr "פרטיות" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "" - -#: actions/siteadminpanel.php:333 -#, fuzzy -msgid "Closed" -msgstr "×ין משתמש ×›×–×”." - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "" - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 #, fuzzy msgid "Save site settings" msgstr "הגדרות" @@ -3857,6 +3902,11 @@ msgstr "×ין זיהוי Jabber ×›×–×”." msgid "SMS" msgstr "סמס" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "מיקרובלוג מ×ת %s" + #: actions/tag.php:86 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4165,6 +4215,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "כל המנויי×" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "" @@ -4227,7 +4282,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "×ישי" @@ -4285,46 +4340,51 @@ msgstr "" msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:225 +#: classes/Notice.php:214 #, fuzzy msgid "Problem saving notice. Too long." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:229 +#: classes/Notice.php:218 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "בעיה בשמירת ההודעה." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "שגי×ת מסד × ×ª×•× ×™× ×‘×”×›× ×¡×ª התגובה: %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4383,131 +4443,131 @@ msgstr "הסטטוס של %1$s ב-%2$s " msgid "Untitled page" msgstr "" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "בית" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "התחבר" -#: lib/action.php:438 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "נכשלה ההפניה לשרת: %s" -#: lib/action.php:442 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "הרשמות" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "צ×" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "" -#: lib/action.php:457 +#: lib/action.php:463 #, fuzzy msgid "Create an account" msgstr "צור חשבון חדש" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "עזרה" -#: lib/action.php:463 +#: lib/action.php:469 #, fuzzy msgid "Help me!" msgstr "עזרה" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "חיפוש" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "" -#: lib/action.php:487 +#: lib/action.php:493 #, fuzzy msgid "Site notice" msgstr "הודעה חדשה" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "" -#: lib/action.php:619 +#: lib/action.php:625 #, fuzzy msgid "Page notice" msgstr "הודעה חדשה" -#: lib/action.php:721 +#: lib/action.php:727 #, fuzzy msgid "Secondary site navigation" msgstr "הרשמות" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "×ודות" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "רשימת ש×לות נפוצות" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "פרטיות" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "מקור" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "צור קשר" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4516,12 +4576,12 @@ msgstr "" "**%%site.name%%** ×”×•× ×©×¨×•×ª ביקרובלוג הניתן על ידי [%%site.broughtby%%](%%" "site.broughtbyurl%%)." -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** ×”×•× ×©×¨×•×ª ביקרובלוג." -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4532,43 +4592,43 @@ msgstr "" "s, המופצת תחת רשיון [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)" -#: lib/action.php:795 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "הודעה חדשה" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "" -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "" -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1139 #, fuzzy msgid "After" msgstr "<< ×חרי" -#: lib/action.php:1141 +#: lib/action.php:1147 #, fuzzy msgid "Before" msgstr "לפני >>" @@ -4602,11 +4662,25 @@ msgstr "הרשמות" msgid "Design configuration" msgstr "" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "הרשמות" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "הרשמות" + +#: lib/adminpanelaction.php:332 #, fuzzy msgid "Paths configuration" msgstr "הרשמות" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -5201,12 +5275,12 @@ msgstr "" msgid "kB" msgstr "" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "" @@ -5634,19 +5708,19 @@ msgstr "תגובות" msgid "Favorites" msgstr "מועדפי×" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "" @@ -5908,47 +5982,47 @@ msgstr "הודעה חדשה" msgid "Moderate" msgstr "" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "לפני מספר שניות" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "לפני כדקה" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "לפני ×›-%d דקות" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "לפני כשעה" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "לפני ×›-%d שעות" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "לפני כיו×" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "לפני ×›-%d ימי×" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "לפני כחודש" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "לפני ×›-%d חודשי×" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "לפני כשנה" @@ -5962,7 +6036,7 @@ msgstr "ל×תר הבית יש כתובת ×œ× ×—×•×§×™×ª." msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "" -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "" diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index 2355fd8e9..f942d8b63 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -9,18 +9,72 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:37:44+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:59:02+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : (n%100==3 || " "n%100==4) ? 2 : 3)\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +msgid "Access" +msgstr "PÅ™istup" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "SydÅ‚owe nastajenja skÅ‚adować" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "Registrować" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "Priwatny" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "Jenož pÅ™eprosyć" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "" + +#: actions/accessadminpanel.php:173 +msgid "Closed" +msgstr "ZaÄinjeny" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "Nowe registrowanja znjemóžnić." + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "SkÅ‚adować" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "SydÅ‚owe nastajenja skÅ‚adować" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -35,7 +89,7 @@ msgstr "Strona njeeksistuje" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -134,8 +188,7 @@ msgstr "" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -151,7 +204,7 @@ msgstr "API-metoda njenamakana." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "Tuta metoda wužaduje sej POST." @@ -180,7 +233,7 @@ msgstr "Profil njeje so skÅ‚adować daÅ‚." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -476,7 +529,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Konto" @@ -533,17 +593,17 @@ msgstr "Status zniÄeny." msgid "No status with that ID found." msgstr "Žadyn status z tym ID namakany." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "To je pÅ™edoÅ‚ho. Maksimalna wulkosć zdźělenki je %d znamjeÅ¡kow." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "Njenamakany" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -594,11 +654,6 @@ msgstr "" msgid "%s updates from everyone!" msgstr "" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "" - #: actions/apitimelineretweetedtome.php:111 #, php-format msgid "Repeated to %s" @@ -999,17 +1054,6 @@ msgstr "Standardne designy wobnowić" msgid "Reset back to default" msgstr "Na standard wróćo stajić" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "SkÅ‚adować" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Design skÅ‚adować" @@ -1022,13 +1066,15 @@ msgstr "Tuta zdźělenka faworit njeje!" msgid "Add to favorites" msgstr "K faworitam pÅ™idać" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "Dokument njeeksistuje." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "Aplikacije OAuth" #: actions/editapplication.php:66 msgid "You must be logged in to edit an application." @@ -1044,7 +1090,7 @@ msgid "No such application." msgstr "Aplikacija njeeksistuje." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "" @@ -1243,7 +1289,7 @@ msgid "Cannot normalize that email address" msgstr "" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "NjepÅ‚aćiwa e-mejlowa adresa." @@ -1255,7 +1301,7 @@ msgstr "To je hižo twoja e-mejlowa adresa." msgid "That email address already belongs to another user." msgstr "Ta e-mejlowa adresa hižo sÅ‚uÅ¡a k druhemu wužiwarjej." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "" @@ -1549,7 +1595,7 @@ msgstr "%1$s skupinskich ÄÅ‚onow, strona %2$d" msgid "A list of the users in this group." msgstr "Lisćina wužiwarjow w tutej skupinje." -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" @@ -1724,6 +1770,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "To njeje twój ID Jabber." +#: actions/inbox.php:59 +#, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1876,7 +1927,7 @@ msgstr "WopaÄne wužiwarske mjeno abo hesÅ‚o." msgid "Error setting user. You are probably not authorized." msgstr "Zmylk pÅ™i nastajenju wužiwarja. Snano njejsy awtorizowany." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "PÅ™izjewić" @@ -1934,8 +1985,9 @@ msgid "No current status" msgstr "Žadyn aktualny status" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "Aplikacija njeeksistuje." #: actions/newapplication.php:64 msgid "You must be logged in to register an application." @@ -2116,8 +2168,8 @@ msgstr "" msgid "Only " msgstr "Jenož " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "Njeje podpÄ›rany datowy format." @@ -2181,6 +2233,11 @@ msgstr "NjepÅ‚aćiwe pÅ™izjewjenske znamjeÅ¡ko podate." msgid "Login token expired." msgstr "PÅ™izjewjenske znamjeÅ¡ko spadnjene." +#: actions/outbox.php:58 +#, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2251,7 +2308,7 @@ msgstr "" msgid "Password saved." msgstr "HesÅ‚o skÅ‚adowane." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "Šćežki" @@ -2259,132 +2316,148 @@ msgstr "Šćežki" msgid "Path and server settings for this StatusNet site." msgstr "Šćežka a serwerowe nastajenja za tute sydÅ‚o StatusNet." -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, php-format msgid "Theme directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "SydÅ‚o" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "Serwer" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "Šćežka" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 msgid "Site path" msgstr "SydÅ‚owa šćežka" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "Šćežka k lokalam" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "Zapisowa šćežka k lokalam" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "Å at" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "Å atowy serwer" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "Å atowa šćežka" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "Å atowy zapis" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 msgid "Avatars" msgstr "Awatary" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 msgid "Avatar server" msgstr "Awatarowy serwer" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 msgid "Avatar path" msgstr "Awatarowa šćežka" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 msgid "Avatar directory" msgstr "Awatarowy zapis" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "Pozadki" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "Pozadkowy serwer" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "Pozadkowa šćežka" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "Pozadkowy zapis" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 msgid "Never" msgstr "Ženje" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "Druhdy" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "PÅ™eco" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "SSL wužiwać" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 msgid "SSL server" msgstr "SSL-serwer" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 msgid "Save paths" msgstr "Šćežki skÅ‚adować" @@ -2489,7 +2562,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "RÄ›Ä" @@ -2515,7 +2588,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Biografija je pÅ™edoÅ‚ha (maks. %d znamjeÅ¡kow)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "ÄŒasowe pasmo njeje wubrane." @@ -2774,7 +2847,7 @@ msgstr "Wodaj, njepÅ‚aćiwy pÅ™eproÅ¡enski kod." msgid "Registration successful" msgstr "Registrowanje wuspěšne" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registrować" @@ -2814,7 +2887,7 @@ msgid "Same as password above. Required." msgstr "Jenake kaž hesÅ‚o horjeka. TrÄ›bne." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "E-mejl" @@ -2948,6 +3021,11 @@ msgstr "Wospjetowany!" msgid "Replies to %s" msgstr "" +#: actions/replies.php:127 +#, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "" + #: actions/replies.php:144 #, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3071,6 +3149,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "%1$s a pÅ™ećeljo, strona %2$d" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "" @@ -3120,6 +3203,11 @@ msgstr "" msgid "%s group" msgstr "" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "%1$s skupinskich ÄÅ‚onow, strona %2$d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "Skupinski profil" @@ -3230,6 +3318,11 @@ msgstr "Zdźělenka zniÄena." msgid " tagged %s" msgstr "" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%1$s a pÅ™ećeljo, strona %2$d" + #: actions/showstream.php:122 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3307,192 +3400,144 @@ msgstr "" msgid "Basic settings for this StatusNet site." msgstr "" -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 msgid "You must have a valid contact email address." msgstr "DyrbiÅ¡ pÅ‚aćiwu kontaktowu e-mejlowu adresu měć." -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "Njeznata rÄ›Ä \"%s\"." -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "PowÅ¡itkowny" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 msgid "Site name" msgstr "SydÅ‚owe mjeno" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 msgid "Contact email address for your site" msgstr "" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 msgid "Local" msgstr "Lokalny" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "Standardne Äasowe pasmo" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "Standardna sydÅ‚owa rÄ›Ä" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "URL" - -#: actions/siteadminpanel.php:306 -msgid "Server" -msgstr "Serwer" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "" - -#: actions/siteadminpanel.php:318 -msgid "Access" -msgstr "PÅ™istup" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "Priwatny" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "Jenož pÅ™eprosyć" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "" - -#: actions/siteadminpanel.php:333 -msgid "Closed" -msgstr "ZaÄinjeny" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "Nowe registrowanja znjemóžnić." - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "Frekwenca" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "Limity" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "Tekstowy limit" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "Maksimalna liÄba znamjeÅ¡kow za zdźělenki." -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 msgid "Save site settings" msgstr "SydÅ‚owe nastajenja skÅ‚adować" @@ -3683,6 +3728,11 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" +#: actions/tag.php:68 +#, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "" + #: actions/tag.php:86 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -3966,6 +4016,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "%1$s skupinskich ÄÅ‚onow, strona %2$d" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "" @@ -4027,7 +4082,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "Wersija" @@ -4081,44 +4136,48 @@ msgstr "" msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:225 +#: classes/Notice.php:214 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "" -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +msgid "Problem saving group inbox." +msgstr "" + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4173,136 +4232,136 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Strona bjez titula" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "Zwjazać" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect to services" msgstr "" -#: lib/action.php:442 +#: lib/action.php:448 msgid "Change site configuration" msgstr "" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "PÅ™eprosyć" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "Konto zaÅ‚ožić" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Pomoc" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "Pomhaj!" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Pytać" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Za ludźimi abo tekstom pytać" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "Wo" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "Huste praÅ¡enja" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "Priwatnosć" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "ŽórÅ‚o" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." "broughtby%%](%%site.broughtbyurl%%). " msgstr "" -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4310,41 +4369,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "" -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "" -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "" @@ -4376,10 +4435,24 @@ msgstr "" msgid "Design configuration" msgstr "" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "SMS-wobkrućenje" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "SMS-wobkrućenje" + +#: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -4951,12 +5024,12 @@ msgstr "MB" msgid "kB" msgstr "KB" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "[%s]" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "Njeznate žórÅ‚o postoweho kašćika %d." @@ -5364,19 +5437,19 @@ msgstr "WotmoÅ‚wy" msgid "Favorites" msgstr "Fawority" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "Twoje dochadźace powÄ›sće" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "Twoje pósÅ‚ane powÄ›sće" @@ -5618,47 +5691,47 @@ msgstr "PowÄ›sć" msgid "Moderate" msgstr "" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "pÅ™ed něšto sekundami" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "pÅ™ed nÄ›hdźe jednej mjeÅ„Å¡inu" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "pÅ™ed %d mjeÅ„Å¡inami" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "pÅ™ed nÄ›hdźe jednej hodźinu" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "pÅ™ed nÄ›hdźe %d hodźinami" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "pÅ™ed nÄ›hdźe jednym dnjom" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "pÅ™ed nÄ›hdźe %d dnjemi" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "pÅ™ed nÄ›hdźe jednym mÄ›sacom" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "pÅ™ed nÄ›hdźe %d mÄ›sacami" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "pÅ™ed nÄ›hdźe jednym lÄ›tom" @@ -5674,7 +5747,7 @@ msgstr "" "%s pÅ‚aćiwa barba njeje! Wužij 3 heksadecimalne znamjeÅ¡ka abo 6 " "heksadecimalnych znamjeÅ¡kow." -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "" diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index b54150d95..9dee94147 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -8,17 +8,71 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:37:47+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:59:06+0000\n" "Language-Team: Interlingua\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +msgid "Access" +msgstr "Accesso" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Salveguardar configurationes del sito" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "Crear un conto" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "Private" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "Prohiber al usatores anonyme (sin session aperte) de vider le sito?" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "Solmente per invitation" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "Permitter le registration solmente al invitatos." + +#: actions/accessadminpanel.php:173 +msgid "Closed" +msgstr "Claudite" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "Disactivar le creation de nove contos." + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Salveguardar" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Salveguardar configurationes del sito" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -33,7 +87,7 @@ msgstr "Pagina non existe" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -140,8 +194,7 @@ msgstr "Actualisationes de %1$s e su amicos in %2$s!" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -157,7 +210,7 @@ msgstr "Methodo API non trovate." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "Iste methodo require un POST." @@ -188,7 +241,7 @@ msgstr "Non poteva salveguardar le profilo." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -492,7 +545,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "" @@ -550,18 +610,18 @@ msgstr "Stato delite." msgid "No status with that ID found." msgstr "Nulle stato trovate con iste ID." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "" "Isto es troppo longe. Le longitude maximal del notas es %d characteres." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "Non trovate" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -615,11 +675,6 @@ msgstr "Chronologia public de %s" msgid "%s updates from everyone!" msgstr "Actualisationes de totes in %s!" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "Repetite per %s" - #: actions/apitimelineretweetedtome.php:111 #, php-format msgid "Repeated to %s" @@ -1028,17 +1083,6 @@ msgstr "Restaurar apparentias predefinite" msgid "Reset back to default" msgstr "Revenir al predefinitiones" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Salveguardar" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Salveguardar apparentia" @@ -1051,13 +1095,15 @@ msgstr "Iste nota non es favorite!" msgid "Add to favorites" msgstr "Adder al favorites" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "Documento non existe." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "Le nota ha nulle profilo" #: actions/editapplication.php:66 #, fuzzy @@ -1076,7 +1122,7 @@ msgid "No such application." msgstr "Nota non trovate." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "" @@ -1287,7 +1333,7 @@ msgid "Cannot normalize that email address" msgstr "Non pote normalisar iste adresse de e-mail" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "Adresse de e-mail invalide." @@ -1299,7 +1345,7 @@ msgstr "Isto es ja tu adresse de e-mail." msgid "That email address already belongs to another user." msgstr "Iste adresse de e-mail pertine ja a un altere usator." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "Non poteva inserer le codice de confirmation." @@ -1607,7 +1653,7 @@ msgstr "Membros del gruppo %s, pagina %d" msgid "A list of the users in this group." msgstr "Un lista de usatores in iste gruppo." -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" @@ -1806,6 +1852,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "Isto non es tu ID de Jabber." +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "Cassa de entrata de %s" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1990,7 +2041,7 @@ msgid "Error setting user. You are probably not authorized." msgstr "" "Error de acceder al conto de usator. Tu probabilemente non es autorisate." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Aperir session" @@ -2054,8 +2105,9 @@ msgid "No current status" msgstr "Nulle stato actual" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "Nota non trovate." #: actions/newapplication.php:64 #, fuzzy @@ -2252,8 +2304,8 @@ msgstr "typo de contento " msgid "Only " msgstr "Solmente " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "Formato de datos non supportate." @@ -2322,6 +2374,11 @@ msgstr "Indicio invalide o expirate." msgid "Login token expired." msgstr "Identificar te a iste sito" +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "Cassa de exito pro %s" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2393,7 +2450,7 @@ msgstr "Non pote salveguardar le nove contrasigno." msgid "Password saved." msgstr "Contrasigno salveguardate." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "Camminos" @@ -2401,133 +2458,149 @@ msgstr "Camminos" msgid "Path and server settings for this StatusNet site." msgstr "Configuration de cammino e servitor pro iste sito StatusNet." -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, php-format msgid "Theme directory not readable: %s" msgstr "Directorio de thema non legibile: %s" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "Directorio de avatar non scriptibile: %s" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "Directorio de fundo non scriptibile: %s" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "Directorio de localitates non scriptibile: %s" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Servitor SSL invalide. Le longitude maxime es 255 characteres." -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "Sito" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "Servitor" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "Nomine de host del servitor del sito." + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "Cammino" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 msgid "Site path" msgstr "Cammino del sito" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "Cammino al localitates" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "Cammino al directorio de localitates" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "URLs de luxo" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "Usar URLs de luxo (plus legibile e memorabile)?" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "Thema" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "Servitor de themas" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "Cammino al themas" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "Directorio del themas" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 msgid "Avatars" msgstr "Avatares" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 msgid "Avatar server" msgstr "Servitor de avatares" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 msgid "Avatar path" msgstr "Cammino al avatares" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 msgid "Avatar directory" msgstr "Directorio del avatares" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "Fundos" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "Servitor de fundos" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "Cammino al fundos" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "Directorio al fundos" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 msgid "Never" msgstr "Nunquam" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "Alcun vices" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "Sempre" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "Usar SSL" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "Quando usar SSL" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 #, fuzzy msgid "SSL server" msgstr "Servitor SSL" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "Servitor verso le qual diriger le requestas SSL" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 msgid "Save paths" msgstr "Salveguardar camminos" @@ -2639,7 +2712,7 @@ msgstr "" "Etiquettas pro te (litteras, numeros, -, ., e _), separate per commas o " "spatios" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "Lingua" @@ -2666,7 +2739,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Bio es troppo longe (max %d chars)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "Fuso horari non seligite." @@ -2941,7 +3014,7 @@ msgstr "Pardono, le codice de invitation es invalide." msgid "Registration successful" msgstr "Registration succedite" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Crear un conto" @@ -2984,7 +3057,7 @@ msgid "Same as password above. Required." msgstr "Identic al contrasigno hic supra. Requisite." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "E-mail" @@ -3143,6 +3216,11 @@ msgstr "Repetite!" msgid "Replies to %s" msgstr "Responsas a %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "Responsas a %1$s in %2$s!" + #: actions/replies.php:144 #, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3275,6 +3353,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "Notas favorite de %s" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Non poteva recuperar notas favorite." @@ -3332,6 +3415,11 @@ msgstr "Isto es un modo de condivider lo que te place." msgid "%s group" msgstr "Gruppo %s" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "Membros del gruppo %s, pagina %d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "Profilo del gruppo" @@ -3451,6 +3539,11 @@ msgstr "Nota delite." msgid " tagged %s" msgstr " con etiquetta %s" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%s profilos blocate, pagina %d" + #: actions/showstream.php:122 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3540,195 +3633,147 @@ msgstr "Usator es ja silentiate." msgid "Basic settings for this StatusNet site." msgstr "Configurationes de base pro iste sito de StatusNet." -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "Le longitude del nomine del sito debe esser plus que zero." -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 #, fuzzy msgid "You must have a valid contact email address." msgstr "Tu debe haber un valide adresse de e-mail pro contacto." -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, fuzzy, php-format msgid "Unknown language \"%s\"." msgstr "Lingua \"%s\" incognite" -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "Le URL pro reportar instantaneos es invalide." -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "Valor de execution de instantaneo invalide." -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "Le frequentia de instantaneos debe esser un numero." -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "Le limite minime del texto es 140 characteres." -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "Le limite de duplicatos debe esser 1 o plus secundas." -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "General" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 msgid "Site name" msgstr "Nomine del sito" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "Le nomine de tu sito, como \"Le microblog de TuCompania\"" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "Realisate per" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "Le texto usate pro le ligamine al creditos in le pede de cata pagina" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "URL pro \"Realisate per\"" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "URL usate pro le ligamine al creditos in le pede de cata pagina" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 msgid "Contact email address for your site" msgstr "Le adresse de e-mail de contacto pro tu sito" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 msgid "Local" msgstr "Local" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "Fuso horari predefinite" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "Fuso horari predefinite pro le sito; normalmente UTC." -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "Lingua predefinite del sito" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "URLs" - -#: actions/siteadminpanel.php:306 -msgid "Server" -msgstr "Servitor" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "Nomine de host del servitor del sito." - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "URLs de luxo" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "Usar URLs de luxo (plus legibile e memorabile)?" - -#: actions/siteadminpanel.php:318 -msgid "Access" -msgstr "Accesso" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "Private" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "Prohiber al usatores anonyme (sin session aperte) de vider le sito?" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "Solmente per invitation" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "Permitter le registration solmente al invitatos." - -#: actions/siteadminpanel.php:333 -msgid "Closed" -msgstr "Claudite" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "Disactivar le creation de nove contos." - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "Instantaneos" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "Aleatorimente durante un accesso web" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "In un processo planificate" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "Instantaneos de datos" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "Quando inviar datos statistic al servitores de status.net" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "Frequentia" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "Un instantaneo essera inviate a cata N accessos web" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "URL pro reporto" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "Le instantaneos essera inviate a iste URL" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "Limites" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "Limite de texto" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "Numero maxime de characteres pro notas." -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "Limite de duplicatos" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Quante tempore (in secundas) le usatores debe attender ante de poter " "publicar le mesme cosa de novo." -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 msgid "Save site settings" msgstr "Salveguardar configurationes del sito" @@ -3930,6 +3975,11 @@ msgstr "" msgid "SMS" msgstr "" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "Usatores auto-etiquettate con %s - pagina %d" + #: actions/tag.php:86 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4214,6 +4264,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "Membros del gruppo %s, pagina %d" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "" @@ -4276,7 +4331,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "Conversation" @@ -4334,44 +4389,48 @@ msgstr "" msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:225 +#: classes/Notice.php:214 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "" -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +msgid "Problem saving group inbox." +msgstr "" + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4426,136 +4485,136 @@ msgstr "%s quitava le gruppo %s" msgid "Untitled page" msgstr "" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect to services" msgstr "" -#: lib/action.php:442 +#: lib/action.php:448 msgid "Change site configuration" msgstr "" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." "broughtby%%](%%site.broughtbyurl%%). " msgstr "" -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4563,41 +4622,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "" -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "" -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "" @@ -4630,10 +4689,23 @@ msgstr "" msgid "Design configuration" msgstr "" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "Nulle codice de confirmation." + +#: lib/adminpanelaction.php:327 +msgid "Access configuration" +msgstr "" + +#: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -5206,12 +5278,12 @@ msgstr "" msgid "kB" msgstr "" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, fuzzy, php-format msgid "Unknown inbox source %d." msgstr "Lingua \"%s\" incognite" @@ -5623,19 +5695,19 @@ msgstr "" msgid "Favorites" msgstr "" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "" @@ -5879,47 +5951,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "" @@ -5933,7 +6005,7 @@ msgstr "" msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "" -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "" diff --git a/locale/is/LC_MESSAGES/statusnet.po b/locale/is/LC_MESSAGES/statusnet.po index a12227a70..3db7dbdf0 100644 --- a/locale/is/LC_MESSAGES/statusnet.po +++ b/locale/is/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:37:50+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:59:09+0000\n" "Language-Team: Icelandic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: is\n" "X-Message-Group: out-statusnet\n" @@ -21,6 +21,63 @@ msgstr "" "= 31 && n % 100 != 41 && n % 100 != 51 && n % 100 != 61 && n % 100 != 71 && " "n % 100 != 81 && n % 100 != 91);\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#, fuzzy +msgid "Access" +msgstr "Samþykkja" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Stillingar fyrir mynd" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "Nýskrá" + +#: actions/accessadminpanel.php:161 +#, fuzzy +msgid "Private" +msgstr "Friðhelgi" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#: actions/accessadminpanel.php:167 +#, fuzzy +msgid "Invite only" +msgstr "Bjóða" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "" + +#: actions/accessadminpanel.php:173 +msgid "Closed" +msgstr "" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "" + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Vista" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Stillingar fyrir mynd" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 #, fuzzy @@ -36,7 +93,7 @@ msgstr "Ekkert þannig merki." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -135,8 +192,7 @@ msgstr "Færslur frá %1$s og vinum á %2$s!" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -153,7 +209,7 @@ msgstr "Aðferð í forritsskilum fannst ekki!" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "Þessi aðferð krefst POST." @@ -184,7 +240,7 @@ msgstr "Gat ekki vistað persónulega síðu." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -493,7 +549,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Aðgangur" @@ -553,17 +616,17 @@ msgstr "" msgid "No status with that ID found." msgstr "Engin staða með þessu kenni fannst." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Þetta er of langt. Hámarkslengd babls er 140 tákn." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "Fannst ekki" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -615,11 +678,6 @@ msgstr "Almenningsrás %s" msgid "%s updates from everyone!" msgstr "%s færslur frá öllum!" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "" - #: actions/apitimelineretweetedtome.php:111 #, fuzzy, php-format msgid "Repeated to %s" @@ -1034,17 +1092,6 @@ msgstr "" msgid "Reset back to default" msgstr "" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Vista" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1057,13 +1104,15 @@ msgstr "Þetta babl er ekki í uppáhaldi!" msgid "Add to favorites" msgstr "Bæta við sem uppáhaldsbabli" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "Ekkert svoleiðis skjal." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "Aðrir valkostir" #: actions/editapplication.php:66 #, fuzzy @@ -1082,7 +1131,7 @@ msgid "No such application." msgstr "Ekkert svoleiðis babl." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "Það komu upp vandamál varðandi setutókann þinn." @@ -1293,7 +1342,7 @@ msgid "Cannot normalize that email address" msgstr "Get ekki staðlað þetta tölvupóstfang" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "Ekki tækt tölvupóstfang." @@ -1305,7 +1354,7 @@ msgstr "Þetta er nú þegar tölvupóstfangið þitt." msgid "That email address already belongs to another user." msgstr "Þetta tölvupóstfang tilheyrir öðrum notanda." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "Gat ekki sett inn staðfestingarlykil." @@ -1611,7 +1660,7 @@ msgstr "Hópmeðlimir %s, síða %d" msgid "A list of the users in this group." msgstr "Listi yfir notendur í þessum hóp." -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Stjórnandi" @@ -1801,6 +1850,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "Þetta er ekki Jabber-kennið þitt." +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "Innhólf %s" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1984,7 +2038,7 @@ msgstr "Rangt notendanafn eða lykilorð." msgid "Error setting user. You are probably not authorized." msgstr "Engin heimild." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Innskráning" @@ -2049,8 +2103,9 @@ msgid "No current status" msgstr "Engin núverandi staða" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "Ekkert svoleiðis babl." #: actions/newapplication.php:64 #, fuzzy @@ -2243,8 +2298,8 @@ msgstr "" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "Enginn stuðningur við gagnasnið." @@ -2315,6 +2370,11 @@ msgstr "Ótækt bablinnihald" msgid "Login token expired." msgstr "Skrá þig inn á síðuna" +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "Úthólf %s" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2386,7 +2446,7 @@ msgstr "Get ekki vistað nýja lykilorðið." msgid "Password saved." msgstr "Lykilorð vistað." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "" @@ -2394,141 +2454,158 @@ msgstr "" msgid "Path and server settings for this StatusNet site." msgstr "" -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, fuzzy, php-format msgid "Theme directory not readable: %s" msgstr "Þessi síða er ekki aðgengileg í " -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 #, fuzzy msgid "Site" msgstr "Bjóða" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +#, fuzzy +msgid "Server" +msgstr "Endurheimta" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 #, fuzzy msgid "Site path" msgstr "Babl vefsíðunnar" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 #, fuzzy msgid "Avatars" msgstr "Mynd" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 #, fuzzy msgid "Avatar server" msgstr "Stillingar fyrir mynd" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 #, fuzzy msgid "Avatar path" msgstr "Mynd hefur verið uppfærð." -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 msgid "Avatar directory" msgstr "" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 #, fuzzy msgid "SSL" msgstr "SMS" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 #, fuzzy msgid "Never" msgstr "Endurheimta" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 #, fuzzy msgid "Sometimes" msgstr "Babl" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 #, fuzzy msgid "SSL server" msgstr "Endurheimta" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 #, fuzzy msgid "Save paths" msgstr "Babl vefsíðunnar" @@ -2643,7 +2720,7 @@ msgstr "" "Merki fyrir þig (bókstafir, tölustafir, -, ., og _), aðskilin með kommu eða " "bili" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "Tungumál" @@ -2671,7 +2748,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Lýsingin er of löng (í mesta lagi 140 tákn)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "Tímabelti ekki valið." @@ -2934,7 +3011,7 @@ msgstr "" msgid "Registration successful" msgstr "Nýskráning tókst" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Nýskrá" @@ -2975,7 +3052,7 @@ msgid "Same as password above. Required." msgstr "Sama og lykilorðið hér fyrir ofan. Nauðsynlegt." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Tölvupóstur" @@ -3140,6 +3217,11 @@ msgstr "" msgid "Replies to %s" msgstr "Svör við %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "Skilaboð til %1$s á %2$s" + #: actions/replies.php:144 #, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3268,6 +3350,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "Uppáhaldsbabl %s" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Gat ekki sótt uppáhaldsbabl." @@ -3317,6 +3404,11 @@ msgstr "" msgid "%s group" msgstr "%s hópurinn" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "Hópmeðlimir %s, síða %d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "Hópssíðan" @@ -3428,6 +3520,11 @@ msgstr "Babl sent inn" msgid " tagged %s" msgstr "" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%s og vinirnir, síða %d" + #: actions/showstream.php:122 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3506,202 +3603,149 @@ msgstr "" msgid "Basic settings for this StatusNet site." msgstr "" -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 #, fuzzy msgid "You must have a valid contact email address." msgstr "Ekki tækt tölvupóstfang" -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "" -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 #, fuzzy msgid "Site name" msgstr "Babl vefsíðunnar" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 #, fuzzy msgid "Contact email address for your site" msgstr "Nýtt tölvupóstfang til að senda á %s" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 #, fuzzy msgid "Local" msgstr "Staðbundin sýn" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 #, fuzzy msgid "Default site language" msgstr "Tungumál (ákjósanlegt)" -#: actions/siteadminpanel.php:303 -#, fuzzy -msgid "URLs" -msgstr "Vefslóð" - -#: actions/siteadminpanel.php:306 -#, fuzzy -msgid "Server" -msgstr "Endurheimta" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "" - -#: actions/siteadminpanel.php:318 -#, fuzzy -msgid "Access" -msgstr "Samþykkja" - -#: actions/siteadminpanel.php:321 -#, fuzzy -msgid "Private" -msgstr "Friðhelgi" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" - -#: actions/siteadminpanel.php:327 -#, fuzzy -msgid "Invite only" -msgstr "Bjóða" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "" - -#: actions/siteadminpanel.php:333 -msgid "Closed" -msgstr "" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "" - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 #, fuzzy msgid "Save site settings" msgstr "Stillingar fyrir mynd" @@ -3901,6 +3945,11 @@ msgstr "Jabber snarskilaboðaþjónusta" msgid "SMS" msgstr "SMS" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "Notendur sjálfmerktir með %s - síða %d" + #: actions/tag.php:86 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4212,6 +4261,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "Hópmeðlimir %s, síða %d" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "" @@ -4274,7 +4328,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "Persónulegt" @@ -4333,46 +4387,51 @@ msgstr "Gat ekki skeytt skilaboðum inn í." msgid "Could not update message with new URI." msgstr "Gat ekki uppfært skilaboð með nýju veffangi." -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Gagnagrunnsvilla við innsetningu myllumerkis: %s" -#: classes/Notice.php:225 +#: classes/Notice.php:214 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "Gat ekki vistað babl. Óþekktur notandi." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Of mikið babl í einu; slakaðu aðeins á og haltu svo áfram eftir nokkrar " "mínútur." -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "Það hefur verið lagt bann við babli frá þér á þessari síðu." -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "Vandamál komu upp við að vista babl." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "Vandamál komu upp við að vista babl." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Gagnagrunnsvilla við innsetningu svars: %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4427,128 +4486,128 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Ónafngreind síða" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Stikl aðalsíðu" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "Heim" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Persónuleg síða og vinarás" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "" "Breyttu tölvupóstinum þínum, einkennismyndinni þinni, lykilorðinu þínu, " "persónulegu síðunni þinni" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "Tengjast" -#: lib/action.php:438 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "Gat ekki framsent til vefþjóns: %s" -#: lib/action.php:442 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "Stikl aðalsíðu" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Bjóða" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Bjóða vinum og vandamönnum að slást í hópinn á %s" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "Útskráning" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Skrá þig út af síðunni" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "Búa til aðgang" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "Skrá þig inn á síðuna" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Hjálp" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "Hjálp!" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Leita" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Leita að fólki eða texta" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "Babl vefsíðunnar" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "Staðbundin sýn" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "Babl síðunnar" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Stikl undirsíðu" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "Um" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "Spurt og svarað" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "Friðhelgi" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "Frumþula" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Tengiliður" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Hugbúnaðarleyfi StatusNet" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4557,12 +4616,12 @@ msgstr "" "**%%site.name%%** er örbloggsþjónusta í boði [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** er örbloggsþjónusta." -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4573,42 +4632,42 @@ msgstr "" "sem er gefinn út undir [GNU Affero almenningsleyfinu](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:795 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "Hugbúnaðarleyfi StatusNet" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "Allt " -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "leyfi." -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "Uppröðun" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "Eftir" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "Ãður" @@ -4646,11 +4705,25 @@ msgstr "Staðfesting tölvupóstfangs" msgid "Design configuration" msgstr "SMS staðfesting" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "SMS staðfesting" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "SMS staðfesting" + +#: lib/adminpanelaction.php:332 #, fuzzy msgid "Paths configuration" msgstr "SMS staðfesting" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -5238,12 +5311,12 @@ msgstr "" msgid "kB" msgstr "" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "" @@ -5670,19 +5743,19 @@ msgstr "Svör" msgid "Favorites" msgstr "Uppáhald" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Innhólf" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "Mótteknu skilaboðin þín" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "Úthólf" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "Skilaboð sem þú hefur sent" @@ -5936,47 +6009,47 @@ msgstr "Skilaboð" msgid "Moderate" msgstr "" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "fyrir nokkrum sekúndum" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "fyrir um einni mínútu síðan" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "fyrir um %d mínútum síðan" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "fyrir um einum klukkutíma síðan" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "fyrir um %d klukkutímum síðan" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "fyrir um einum degi síðan" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "fyrir um %d dögum síðan" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "fyrir um einum mánuði síðan" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "fyrir um %d mánuðum síðan" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "fyrir um einu ári síðan" @@ -5990,7 +6063,7 @@ msgstr "" msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "" -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, fuzzy, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "Skilaboð eru of löng - 140 tákn eru í mesta lagi leyfð en þú sendir %d" diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index 892526e98..d43f70814 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -9,17 +9,73 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:37:54+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:59:12+0000\n" "Language-Team: Italian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +msgid "Access" +msgstr "Accesso" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Salva impostazioni" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "Registra" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "Privato" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" +"Proibire agli utenti anonimi (che non hanno effettuato l'accesso) di vedere " +"il sito?" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "Solo invito" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "Rende la registrazione solo su invito" + +#: actions/accessadminpanel.php:173 +msgid "Closed" +msgstr "Chiuso" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "Disabilita la creazione di nuovi account" + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Salva" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Salva impostazioni" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -34,7 +90,7 @@ msgstr "Pagina inesistente." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -142,8 +198,7 @@ msgstr "Messaggi da %1$s e amici su %2$s!" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -159,7 +214,7 @@ msgstr "Metodo delle API non trovato." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "Questo metodo richiede POST." @@ -190,7 +245,7 @@ msgstr "Impossibile salvare il profilo." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -494,7 +549,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Account" @@ -553,17 +615,17 @@ msgstr "Messaggio eliminato." msgid "No status with that ID found." msgstr "Nessun stato trovato con quel ID." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Troppo lungo. Lunghezza massima %d caratteri." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "Non trovato" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -615,11 +677,6 @@ msgstr "Attività pubblica di %s" msgid "%s updates from everyone!" msgstr "Aggiornamenti di %s da tutti!" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "Ripetuto da %s" - #: actions/apitimelineretweetedtome.php:111 #, php-format msgid "Repeated to %s" @@ -1029,17 +1086,6 @@ msgstr "Ripristina i valori predefiniti" msgid "Reset back to default" msgstr "Reimposta i valori predefiniti" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Salva" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Salva aspetto" @@ -1052,13 +1098,15 @@ msgstr "Questo messaggio non è un preferito!" msgid "Add to favorites" msgstr "Aggiungi ai preferiti" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "Nessun documento." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "Altre opzioni" #: actions/editapplication.php:66 #, fuzzy @@ -1077,7 +1125,7 @@ msgid "No such application." msgstr "Nessun messaggio." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "Si è verificato un problema con il tuo token di sessione." @@ -1290,7 +1338,7 @@ msgid "Cannot normalize that email address" msgstr "Impossibile normalizzare quell'indirizzo email" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "Non è un indirizzo email valido." @@ -1302,7 +1350,7 @@ msgstr "Quello è già il tuo indirizzo email." msgid "That email address already belongs to another user." msgstr "Quell'indirizzo email appartiene già a un altro utente." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "Impossibile inserire il codice di conferma." @@ -1610,7 +1658,7 @@ msgstr "Membri del gruppo %1$s, pagina %2$d" msgid "A list of the users in this group." msgstr "Un elenco degli utenti in questo gruppo." -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Amministra" @@ -1807,6 +1855,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "Quello non è il tuo ID di Jabber." +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "Casella posta in arrivo di %s" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1989,7 +2042,7 @@ msgstr "Nome utente o password non corretto." msgid "Error setting user. You are probably not authorized." msgstr "Errore nell'impostare l'utente. Forse non hai l'autorizzazione." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Accedi" @@ -2052,8 +2105,9 @@ msgid "No current status" msgstr "Nessun messaggio corrente" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "Nessun messaggio." #: actions/newapplication.php:64 #, fuzzy @@ -2248,8 +2302,8 @@ msgstr "tipo di contenuto " msgid "Only " msgstr "Solo " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "Non è un formato di dati supportato." @@ -2319,6 +2373,11 @@ msgstr "Token di accesso specificato non valido." msgid "Login token expired." msgstr "Token di accesso scaduto." +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "Casella posta inviata di %s" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2391,7 +2450,7 @@ msgstr "Impossibile salvare la nuova password." msgid "Password saved." msgstr "Password salvata." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "Percorsi" @@ -2399,132 +2458,148 @@ msgstr "Percorsi" msgid "Path and server settings for this StatusNet site." msgstr "Percorso e impostazioni server per questo sito StatusNet." -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, php-format msgid "Theme directory not readable: %s" msgstr "Directory del tema non leggibile: %s" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "Directory delle immagini degli utenti non scrivibile: %s" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "Directory degli sfondi non scrivibile: %s" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "Directory delle localizzazioni non leggibile: %s" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Server SSL non valido. La lunghezza massima è di 255 caratteri." -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "Sito" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "Server" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "Nome host del server" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "Percorso" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 msgid "Site path" msgstr "Percorso del sito" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "Percorso alle localizzazioni" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "Percorso della directory alle localizzazioni" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "URL semplici" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "Usare gli URL semplici (più leggibili e facili da ricordare)?" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "Tema" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "Server del tema" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "Percorso del tema" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "Directory del tema" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 msgid "Avatars" msgstr "Immagini" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 msgid "Avatar server" msgstr "Server dell'immagine" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 msgid "Avatar path" msgstr "Percorso dell'immagine" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 msgid "Avatar directory" msgstr "Directory dell'immagine" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "Sfondi" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "Server dello sfondo" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "Percorso dello sfondo" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "Directory dello sfondo" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 msgid "Never" msgstr "Mai" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "Qualche volta" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "Sempre" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "Usa SSL" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "Quando usare SSL" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 msgid "SSL server" msgstr "Server SSL" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "Server a cui dirigere le richieste SSL" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 msgid "Save paths" msgstr "Salva percorsi" @@ -2637,7 +2712,7 @@ msgid "" msgstr "" "Le tue etichette (lettere, numeri, -, . e _), separate da virgole o spazi" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "Lingua" @@ -2665,7 +2740,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "La biografia è troppo lunga (max %d caratteri)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "Fuso orario non selezionato" @@ -2938,7 +3013,7 @@ msgstr "Codice di invito non valido." msgid "Registration successful" msgstr "Registrazione riuscita" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registra" @@ -2982,7 +3057,7 @@ msgid "Same as password above. Required." msgstr "Stessa password di sopra; richiesta" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Email" @@ -3141,6 +3216,11 @@ msgstr "Ripetuti!" msgid "Replies to %s" msgstr "Risposte a %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "Risposte a %1$s su %2$s!" + #: actions/replies.php:144 #, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3274,6 +3354,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "Messaggi preferiti di %s" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Impossibile recuperare i messaggi preferiti." @@ -3330,6 +3415,11 @@ msgstr "Questo è un modo per condividere ciò che ti piace." msgid "%s group" msgstr "Gruppi di %s" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "Membri del gruppo %1$s, pagina %2$d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "Profilo del gruppo" @@ -3449,6 +3539,11 @@ msgstr "Messaggio eliminato." msgid " tagged %s" msgstr " etichettati con %s" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "Profili bloccati di %1$s, pagina %2$d" + #: actions/showstream.php:122 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3538,196 +3633,146 @@ msgstr "L'utente è già stato zittito." msgid "Basic settings for this StatusNet site." msgstr "Impostazioni di base per questo sito StatusNet." -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "Il nome del sito non deve avere lunghezza parti a zero." -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 msgid "You must have a valid contact email address." msgstr "Devi avere un'email di contatto valida." -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, fuzzy, php-format msgid "Unknown language \"%s\"." msgstr "Lingua \"%s\" sconosciuta." -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "URL di segnalazione snapshot non valido." -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "Valore di esecuzione dello snapshot non valido." -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "La frequenza degli snapshot deve essere un numero." -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "Il limite minimo del testo è di 140 caratteri." -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "Il limite per i duplicati deve essere di 1 o più secondi." -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "Generale" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 msgid "Site name" msgstr "Nome del sito" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "Il nome del tuo sito, topo \"Acme Microblog\"" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "Offerto da" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "Testo usato per i crediti nel piè di pagina di ogni pagina" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "URL per offerto da" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "URL usato per i crediti nel piè di pagina di ogni pagina" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 msgid "Contact email address for your site" msgstr "Indirizzo email di contatto per il sito" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 msgid "Local" msgstr "Locale" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "Fuso orario predefinito" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "Fuso orario predefinito; tipicamente UTC" -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "Lingua predefinita" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "URL" - -#: actions/siteadminpanel.php:306 -msgid "Server" -msgstr "Server" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "Nome host del server" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "URL semplici" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "Usare gli URL semplici (più leggibili e facili da ricordare)?" - -#: actions/siteadminpanel.php:318 -msgid "Access" -msgstr "Accesso" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "Privato" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" -"Proibire agli utenti anonimi (che non hanno effettuato l'accesso) di vedere " -"il sito?" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "Solo invito" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "Rende la registrazione solo su invito" - -#: actions/siteadminpanel.php:333 -msgid "Closed" -msgstr "Chiuso" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "Disabilita la creazione di nuovi account" - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "Snapshot" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "A caso quando avviene un web hit" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "In un job pianificato" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "Snapshot dei dati" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "Quando inviare dati statistici a status.net" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "Frequenza" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "Gli snapshot verranno inviati ogni N web hit" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "URL per la segnalazione" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "Gli snapshot verranno inviati a questo URL" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "Limiti" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "Limiti del testo" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "Numero massimo di caratteri per messaggo" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "Limite duplicati" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Quanto tempo gli utenti devono attendere (in secondi) prima di inviare " "nuovamente lo stesso messaggio" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 msgid "Save site settings" msgstr "Salva impostazioni" @@ -3934,6 +3979,11 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "Utenti auto-etichettati con %1$s - pagina %2$d" + #: actions/tag.php:86 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4236,6 +4286,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "Gustati il tuo hotdog!" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "Membri del gruppo %1$s, pagina %2$d" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "Cerca altri gruppi" @@ -4309,7 +4364,7 @@ msgstr "" msgid "Plugins" msgstr "Plugin" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "Versione" @@ -4370,27 +4425,27 @@ msgstr "Impossibile inserire il messaggio." msgid "Could not update message with new URI." msgstr "Impossibile aggiornare il messaggio con il nuovo URI." -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Errore del DB nell'inserire un hashtag: %s" -#: classes/Notice.php:225 +#: classes/Notice.php:214 msgid "Problem saving notice. Too long." msgstr "Problema nel salvare il messaggio. Troppo lungo." -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "Problema nel salvare il messaggio. Utente sconosciuto." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Troppi messaggi troppo velocemente; fai una pausa e scrivi di nuovo tra " "qualche minuto." -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4398,20 +4453,25 @@ msgstr "" "Troppi messaggi duplicati troppo velocemente; fai una pausa e scrivi di " "nuovo tra qualche minuto." -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "Ti è proibito inviare messaggi su questo sito." -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "Problema nel salvare il messaggio." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "Problema nel salvare il messaggio." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Errore del DB nell'inserire la risposta: %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4466,124 +4526,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Pagina senza nome" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Esplorazione sito primaria" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "Home" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Profilo personale e attività degli amici" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Modifica la tua email, immagine, password o il tuo profilo" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "Connetti" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect to services" msgstr "Connettiti con altri servizi" -#: lib/action.php:442 +#: lib/action.php:448 msgid "Change site configuration" msgstr "Modifica la configurazione del sito" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Invita" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Invita amici e colleghi a seguirti su %s" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "Esci" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Termina la tua sessione sul sito" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "Crea un account" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "Accedi al sito" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Aiuto" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "Aiutami!" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Cerca" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Cerca persone o del testo" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "Messaggio del sito" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "Viste locali" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "Pagina messaggio" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Esplorazione secondaria del sito" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "Informazioni" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "TOS" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "Privacy" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "Sorgenti" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Contatti" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "Badge" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Licenza del software StatusNet" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4592,12 +4652,12 @@ msgstr "" "**%%site.name%%** è un servizio di microblog offerto da [%%site.broughtby%%]" "(%%site.broughtbyurl%%). " -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** è un servizio di microblog. " -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4608,41 +4668,41 @@ msgstr "" "s, disponibile nei termini della licenza [GNU Affero General Public License]" "(http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "Licenza del contenuto del sito" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "Tutti " -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "licenza." -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "Paginazione" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "Successivi" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "Precedenti" @@ -4674,10 +4734,24 @@ msgstr "Configurazione di base" msgid "Design configuration" msgstr "Configurazione aspetto" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "Configurazione percorsi" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "Configurazione aspetto" + +#: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "Configurazione percorsi" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -5298,12 +5372,12 @@ msgstr "MB" msgid "kB" msgstr "kB" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "[%s]" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, fuzzy, php-format msgid "Unknown inbox source %d." msgstr "Lingua \"%s\" sconosciuta." @@ -5802,19 +5876,19 @@ msgstr "Risposte" msgid "Favorites" msgstr "Preferiti" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "In arrivo" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "I tuoi messaggi in arrivo" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "Inviati" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "I tuoi messaggi inviati" @@ -6056,47 +6130,47 @@ msgstr "Messaggio" msgid "Moderate" msgstr "Modera" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "pochi secondi fa" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "circa un minuto fa" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "circa %d minuti fa" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "circa un'ora fa" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "circa %d ore fa" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "circa un giorno fa" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "circa %d giorni fa" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "circa un mese fa" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "circa %d mesi fa" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "circa un anno fa" @@ -6110,7 +6184,7 @@ msgstr "%s non è un colore valido." msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "%s non è un colore valido. Usa 3 o 6 caratteri esadecimali." -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "Messaggio troppo lungo: massimo %1$d caratteri, inviati %2$d." diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index 6260ef5ac..ba3d7ecae 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -11,17 +11,71 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:37:57+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:59:15+0000\n" "Language-Team: Japanese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +msgid "Access" +msgstr "アクセス" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "サイト設定ã®ä¿å­˜" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "登録" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "プライベート" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "匿åユーザー(ログインã—ã¦ã„ã¾ã›ã‚“)ãŒã‚µã‚¤ãƒˆã‚’見るã®ã‚’ç¦æ­¢ã—ã¾ã™ã‹?" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "招待ã®ã¿" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "招待ã®ã¿ç™»éŒ²ã™ã‚‹" + +#: actions/accessadminpanel.php:173 +msgid "Closed" +msgstr "é–‰ã˜ã‚‰ã‚ŒãŸ" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "æ–°è¦ç™»éŒ²ã‚’無効。" + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "ä¿å­˜" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "サイト設定ã®ä¿å­˜" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -36,7 +90,7 @@ msgstr "ãã®ã‚ˆã†ãªãƒšãƒ¼ã‚¸ã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -141,8 +195,7 @@ msgstr "%2$s ã« %1$s ã¨å‹äººã‹ã‚‰ã®æ›´æ–°ãŒã‚ã‚Šã¾ã™ï¼" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -158,7 +211,7 @@ msgstr "API メソッドãŒè¦‹ã¤ã‹ã‚Šã¾ã›ã‚“。" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "ã“ã®ãƒ¡ã‚½ãƒƒãƒ‰ã«ã¯ POST ãŒå¿…è¦ã§ã™ã€‚" @@ -189,7 +242,7 @@ msgstr "プロフィールをä¿å­˜ã§ãã¾ã›ã‚“ã§ã—ãŸã€‚" #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -492,7 +545,14 @@ msgstr "アプリケーションã¯ã‚ãªãŸã®ã‚¢ã‚«ã‚¦ãƒ³ãƒˆã«æŽ¥ç¶šã—ãŸã„ msgid "Allow or deny access" msgstr "アクセスを許å¯ã¾ãŸã¯æ‹’絶" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "アカウント" @@ -549,17 +609,17 @@ msgstr "ステータスを削除ã—ã¾ã—ãŸã€‚" msgid "No status with that ID found." msgstr "ãã®ï¼©ï¼¤ã§ã®ã‚¹ãƒ†ãƒ¼ã‚¿ã‚¹ã¯ã‚ã‚Šã¾ã›ã‚“。" -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "é•·ã™ãŽã¾ã™ã€‚ã¤ã¶ã‚„ãã¯æœ€å¤§ 140 å­—ã¾ã§ã§ã™ã€‚" -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "ã¿ã¤ã‹ã‚Šã¾ã›ã‚“" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "ã¤ã¶ã‚„ã㯠URL ã‚’å«ã‚ã¦æœ€å¤§ %d å­—ã¾ã§ã§ã™ã€‚" @@ -610,11 +670,6 @@ msgstr "%s ã®ãƒ‘ブリックタイムライン" msgid "%s updates from everyone!" msgstr "皆ã‹ã‚‰ã® %s アップデート!" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "%s ã«ã‚ˆã‚‹ç¹°ã‚Šè¿”ã—" - #: actions/apitimelineretweetedtome.php:111 #, php-format msgid "Repeated to %s" @@ -1023,17 +1078,6 @@ msgstr "デフォルトデザインã«æˆ»ã™ã€‚" msgid "Reset back to default" msgstr "デフォルトã¸ãƒªã‚»ãƒƒãƒˆã™ã‚‹" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "ä¿å­˜" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "デザインã®ä¿å­˜" @@ -1046,12 +1090,14 @@ msgstr "ã“ã®ã¤ã¶ã‚„ãã¯ãŠæ°—ã«å…¥ã‚Šã§ã¯ã‚ã‚Šã¾ã›ã‚“!" msgid "Add to favorites" msgstr "ãŠæ°—ã«å…¥ã‚Šã«åŠ ãˆã‚‹" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "ãã®ã‚ˆã†ãªãƒ‰ã‚­ãƒ¥ãƒ¡ãƒ³ãƒˆã¯ã‚ã‚Šã¾ã›ã‚“。" -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" msgstr "アプリケーション編集" #: actions/editapplication.php:66 @@ -1068,7 +1114,7 @@ msgid "No such application." msgstr "ãã®ã‚ˆã†ãªã‚¢ãƒ—リケーションã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "ã‚ãªãŸã®ã‚»ãƒƒã‚·ãƒ§ãƒ³ãƒˆãƒ¼ã‚¯ãƒ³ã«é–¢ã™ã‚‹å•é¡ŒãŒã‚ã‚Šã¾ã—ãŸã€‚" @@ -1272,7 +1318,7 @@ msgid "Cannot normalize that email address" msgstr "ãã®ãƒ¡ãƒ¼ãƒ«ã‚¢ãƒ‰ãƒ¬ã‚¹ã‚’æ­£è¦åŒ–ã§ãã¾ã›ã‚“" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "有効ãªãƒ¡ãƒ¼ãƒ«ã‚¢ãƒ‰ãƒ¬ã‚¹ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" @@ -1284,7 +1330,7 @@ msgstr "ã“ã‚Œã¯ã™ã§ã«ã‚ãªãŸã®ãƒ¡ãƒ¼ãƒ«ã‚¢ãƒ‰ãƒ¬ã‚¹ã§ã™ã€‚" msgid "That email address already belongs to another user." msgstr "ã“ã®ãƒ¡ãƒ¼ãƒ«ã‚¢ãƒ‰ãƒ¬ã‚¹ã¯æ—¢ã«ä»–ã®äººãŒä½¿ã£ã¦ã„ã¾ã™ã€‚" -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "承èªã‚³ãƒ¼ãƒ‰ã‚’追加ã§ãã¾ã›ã‚“" @@ -1592,7 +1638,7 @@ msgstr "%1$s グループメンãƒãƒ¼ã€ãƒšãƒ¼ã‚¸ %2$d" msgid "A list of the users in this group." msgstr "ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã®åˆ©ç”¨è€…ã®ãƒªã‚¹ãƒˆã€‚" -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "管ç†è€…" @@ -1788,6 +1834,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "ãã® Jabber ID ã¯ã‚ãªãŸã®ã‚‚ã®ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "%s ã®å—ä¿¡ç®±" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1872,7 +1923,7 @@ msgstr "ä»»æ„ã«æ‹›å¾…ã«ãƒ‘ーソナルメッセージを加ãˆã¦ãã ã•ã„ #: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 msgid "Send" -msgstr "é€ã‚‹" +msgstr "投稿" #: actions/invite.php:226 #, php-format @@ -1970,7 +2021,7 @@ msgstr "ユーザåã¾ãŸã¯ãƒ‘スワードãŒé–“é•ã£ã¦ã„ã¾ã™ã€‚" msgid "Error setting user. You are probably not authorized." msgstr "ユーザ設定エラー。 ã‚ãªãŸã¯ãŸã¶ã‚“承èªã•ã‚Œã¦ã„ã¾ã›ã‚“。" -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "ログイン" @@ -2032,7 +2083,8 @@ msgid "No current status" msgstr "ç¾åœ¨ã®ã‚¹ãƒ†ãƒ¼ã‚¿ã‚¹ã¯ã‚ã‚Šã¾ã›ã‚“" #: actions/newapplication.php:52 -msgid "New application" +#, fuzzy +msgid "New Application" msgstr "æ–°ã—ã„アプリケーション" #: actions/newapplication.php:64 @@ -2224,8 +2276,8 @@ msgstr "内容種別 " msgid "Only " msgstr "ã ã‘ " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "サãƒãƒ¼ãƒˆã•ã‚Œã¦ã„ãªã„データ形å¼ã€‚" @@ -2289,6 +2341,11 @@ msgstr "ä¸æ­£ãªãƒ­ã‚°ã‚¤ãƒ³ãƒˆãƒ¼ã‚¯ãƒ³ãŒæŒ‡å®šã•ã‚Œã¦ã„ã¾ã™ã€‚" msgid "Login token expired." msgstr "ログイントークンãŒæœŸé™åˆ‡ã‚Œã§ã™ãƒ»" +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "%s ã®é€ä¿¡ç®±" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2361,7 +2418,7 @@ msgstr "æ–°ã—ã„パスワードをä¿å­˜ã§ãã¾ã›ã‚“。" msgid "Password saved." msgstr "パスワードãŒä¿å­˜ã•ã‚Œã¾ã—ãŸã€‚" -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "パス" @@ -2369,132 +2426,148 @@ msgstr "パス" msgid "Path and server settings for this StatusNet site." msgstr "パス㨠StatusNet サイトã®ã‚µãƒ¼ãƒãƒ¼è¨­å®š" -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, php-format msgid "Theme directory not readable: %s" msgstr "テーマディレクトリãŒèª­ã¿è¾¼ã‚ã¾ã›ã‚“: %s" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "ã‚¢ãƒã‚¿ãƒ¼ãƒ‡ã‚£ãƒ¬ã‚¯ãƒˆãƒªã«æ›¸ãè¾¼ã¿ã§ãã¾ã›ã‚“: %s" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "ãƒãƒƒã‚¯ã‚°ãƒ©ã‚¦ãƒ³ãƒ‰ãƒ‡ã‚£ãƒ¬ã‚¯ãƒˆãƒªã«æ›¸ãè¾¼ã¿ã§ãã¾ã›ã‚“ : %s" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "場所ディレクトリãŒèª­ã¿è¾¼ã‚ã¾ã›ã‚“: %s" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "ä¸æ­£ãª SSL サーãƒãƒ¼ã€‚最大 255 文字ã¾ã§ã€‚" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "サイト" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "サーãƒãƒ¼" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "サイトã®ã‚µãƒ¼ãƒãƒ¼ãƒ›ã‚¹ãƒˆå" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "パス" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 msgid "Site path" msgstr "サイトパス" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "ロケールã®ãƒ‘ス" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "ロケールã¸ã®ãƒ‡ã‚£ãƒ¬ã‚¯ãƒˆãƒªãƒ‘ス" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "Fancy URL (読ã¿ã‚„ã™ã忘れã«ãã„) を使用ã—ã¾ã™ã‹?" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "テーマ" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "テーマサーãƒãƒ¼" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "テーマパス" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "テーマディレクトリ" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 msgid "Avatars" msgstr "ã‚¢ãƒã‚¿ãƒ¼" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 msgid "Avatar server" msgstr "ã‚¢ãƒã‚¿ãƒ¼ã‚µãƒ¼ãƒãƒ¼" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 msgid "Avatar path" msgstr "ã‚¢ãƒã‚¿ãƒ¼ãƒ‘ス" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 msgid "Avatar directory" msgstr "ã‚¢ãƒã‚¿ãƒ¼ãƒ‡ã‚£ãƒ¬ã‚¯ãƒˆãƒª" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "ãƒãƒƒã‚¯ã‚°ãƒ©ã‚¦ãƒ³ãƒ‰" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "ãƒãƒƒã‚¯ã‚°ãƒ©ã‚¦ãƒ³ãƒ‰ã‚µãƒ¼ãƒãƒ¼" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "ãƒãƒƒã‚¯ã‚°ãƒ©ã‚¦ãƒ³ãƒ‰ãƒ‘ス" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "ãƒãƒƒã‚¯ã‚°ãƒ©ã‚¦ãƒ³ãƒ‰ãƒ‡ã‚£ãƒ¬ã‚¯ãƒˆãƒª" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 msgid "Never" msgstr "" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "ã¨ãã©ã" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "ã„ã¤ã‚‚" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "SSL 使用" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "SSL 使用時" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 msgid "SSL server" msgstr "SSLサーãƒ" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "ダイレクト SSL リクエストをå‘ã‘るサーãƒ" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 msgid "Save paths" msgstr "ä¿å­˜ãƒ‘ス" @@ -2606,7 +2679,7 @@ msgstr "" "自分自身ã«ã¤ã„ã¦ã®ã‚¿ã‚° (アルファベットã€æ•°å­—ã€-ã€.ã€_)ã€ã‚«ãƒ³ãƒžã¾ãŸã¯ç©ºç™½åŒºåˆ‡" "ã‚Šã§" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "言語" @@ -2632,7 +2705,7 @@ msgstr "自分をフォローã—ã¦ã„る者を自動的ã«ãƒ•ã‚©ãƒ­ãƒ¼ã™ã‚‹ (B msgid "Bio is too long (max %d chars)." msgstr "自己紹介ãŒé•·ã™ãŽã¾ã™ (最長140文字)。" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "タイムゾーンãŒé¸ã°ã‚Œã¦ã„ã¾ã›ã‚“。" @@ -2907,7 +2980,7 @@ msgstr "ã™ã¿ã¾ã›ã‚“ã€ä¸æ­£ãªæ‹›å¾…コード。" msgid "Registration successful" msgstr "登録æˆåŠŸ" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "登録" @@ -2950,7 +3023,7 @@ msgid "Same as password above. Required." msgstr "上ã®ãƒ‘スワードã¨åŒã˜ã§ã™ã€‚ 必須。" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "メール" @@ -3107,6 +3180,11 @@ msgstr "ç¹°ã‚Šè¿”ã•ã‚Œã¾ã—ãŸ!" msgid "Replies to %s" msgstr "%s ã¸ã®è¿”ä¿¡" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "%2$s 上㮠%1$s ã¸ã®è¿”ä¿¡!" + #: actions/replies.php:144 #, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3238,6 +3316,11 @@ msgstr "" "注æ„: ç§ãŸã¡ã¯HMAC-SHA1ç½²åをサãƒãƒ¼ãƒˆã—ã¾ã™ã€‚ ç§ãŸã¡ã¯å¹³æ–‡ç½²åメソッドをサ" "ãƒãƒ¼ãƒˆã—ã¾ã›ã‚“。" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "%s ã®ãŠæ°—ã«å…¥ã‚Šã®ã¤ã¶ã‚„ã" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "ãŠæ°—ã«å…¥ã‚Šã®ã¤ã¶ã‚„ãを検索ã§ãã¾ã›ã‚“。" @@ -3295,6 +3378,11 @@ msgstr "ã“ã‚Œã¯ã€ã‚ãªãŸãŒå¥½ããªã“ã¨ã‚’共有ã™ã‚‹æ–¹æ³•ã§ã™ã€‚" msgid "%s group" msgstr "%s グループ" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "%1$s グループメンãƒãƒ¼ã€ãƒšãƒ¼ã‚¸ %2$d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "グループプロファイル" @@ -3414,6 +3502,11 @@ msgstr "ã¤ã¶ã‚„ãを削除ã—ã¾ã—ãŸã€‚" msgid " tagged %s" msgstr "タグ付ã‘ã•ã‚ŒãŸ %s" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%1$s ã¨å‹äººã€ãƒšãƒ¼ã‚¸ %2$d" + #: actions/showstream.php:122 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3503,197 +3596,149 @@ msgstr "利用者ã¯æ—¢ã«é»™ã£ã¦ã„ã¾ã™ã€‚" msgid "Basic settings for this StatusNet site." msgstr "ã“ã® StatusNet サイトã®åŸºæœ¬è¨­å®šã€‚" -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "サイトåã¯é•·ã•0ã§ã¯ã„ã‘ã¾ã›ã‚“。" -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 msgid "You must have a valid contact email address." msgstr "有効ãªé€£çµ¡ç”¨ãƒ¡ãƒ¼ãƒ«ã‚¢ãƒ‰ãƒ¬ã‚¹ãŒãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "ä¸æ˜Žãªè¨€èªž \"%s\"" -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "ä¸æ­£ãªã‚¹ãƒŠãƒƒãƒ—ショットレãƒãƒ¼ãƒˆURL。" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "ä¸æ­£ãªã‚¹ãƒŠãƒƒãƒ—ショットランãƒãƒªãƒ¥ãƒ¼" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "スナップショット頻度ã¯æ•°ã§ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "最å°ã®ãƒ†ã‚­ã‚¹ãƒˆåˆ¶é™ã¯140å­—ã§ã™ã€‚" -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "デュープ制é™ã¯1秒以上ã§ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "一般" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 msgid "Site name" msgstr "サイトå" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "ã‚ãªãŸã®ã‚µã‚¤ãƒˆã®åå‰ã€\"Yourcompany Microblog\"ã®ã‚ˆã†ãªã€‚" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "æŒã£ã¦æ¥ã‚‰ã‚Œã¾ã™" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" "クレジットã«ä½¿ç”¨ã•ã‚Œã‚‹ãƒ†ã‚­ã‚¹ãƒˆã¯ã€ãã‚Œãžã‚Œã®ãƒšãƒ¼ã‚¸ã®ãƒ•ãƒƒã‚¿ãƒ¼ã§ãƒªãƒ³ã‚¯ã•ã‚Œã¾" "ã™ã€‚" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "URLã§ã€æŒã£ã¦æ¥ã‚‰ã‚Œã¾ã™" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" "クレジットã«ä½¿ç”¨ã•ã‚Œã‚‹URLã¯ã€ãã‚Œãžã‚Œã®ãƒšãƒ¼ã‚¸ã®ãƒ•ãƒƒã‚¿ãƒ¼ã§ãƒªãƒ³ã‚¯ã•ã‚Œã¾ã™ã€‚" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 msgid "Contact email address for your site" msgstr "ã‚ãªãŸã®ã‚µã‚¤ãƒˆã«ã‚³ãƒ³ã‚¿ã‚¯ãƒˆã™ã‚‹ãƒ¡ãƒ¼ãƒ«ã‚¢ãƒ‰ãƒ¬ã‚¹" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 msgid "Local" msgstr "ローカル" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "デフォルトタイムゾーン" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "サイトã®ãƒ‡ãƒ•ã‚©ãƒ«ãƒˆã‚¿ã‚¤ãƒ ã‚¾ãƒ¼ãƒ³; 通常UTC。" -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "デフォルトサイト言語" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "" - -#: actions/siteadminpanel.php:306 -msgid "Server" -msgstr "サーãƒãƒ¼" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "サイトã®ã‚µãƒ¼ãƒãƒ¼ãƒ›ã‚¹ãƒˆå" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "Fancy URL (読ã¿ã‚„ã™ã忘れã«ãã„) を使用ã—ã¾ã™ã‹?" - -#: actions/siteadminpanel.php:318 -msgid "Access" -msgstr "アクセス" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "プライベート" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "匿åユーザー(ログインã—ã¦ã„ã¾ã›ã‚“)ãŒã‚µã‚¤ãƒˆã‚’見るã®ã‚’ç¦æ­¢ã—ã¾ã™ã‹?" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "招待ã®ã¿" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "招待ã®ã¿ç™»éŒ²ã™ã‚‹" - -#: actions/siteadminpanel.php:333 -msgid "Closed" -msgstr "é–‰ã˜ã‚‰ã‚ŒãŸ" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "æ–°è¦ç™»éŒ²ã‚’無効。" - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "スナップショット" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "予定ã•ã‚Œã¦ã„るジョブã§" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "データスナップショット" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "ã„㤠status.net サーãƒã«çµ±è¨ˆãƒ‡ãƒ¼ã‚¿ã‚’é€ã‚Šã¾ã™ã‹" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "頻度" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "レãƒãƒ¼ãƒˆ URL" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "レãƒãƒ¼ãƒˆ URL" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "ã“ã®URLã«ã‚¹ãƒŠãƒƒãƒ—ショットをé€ã‚‹ã§ã—ょã†" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "制é™" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "テキスト制é™" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "ã¤ã¶ã‚„ãã®æ–‡å­—ã®æœ€å¤§æ•°" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "デュープ制é™" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "ã©ã‚Œãらã„é•·ã„é–“(秒)ã€ãƒ¦ãƒ¼ã‚¶ã¯ã€å†ã³åŒã˜ã‚‚ã®ã‚’投稿ã™ã‚‹ã®ã‚’å¾…ãŸãªã‘ã‚Œã°ãªã‚‰ãª" "ã„ã‹ã€‚" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 msgid "Save site settings" msgstr "サイト設定ã®ä¿å­˜" @@ -3902,6 +3947,11 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "ユーザ自身ãŒã¤ã‘ãŸã‚¿ã‚° %1$s - ページ %2$d" + #: actions/tag.php:86 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4201,6 +4251,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "ã‚ãªãŸã®hotdogを楽ã—ã‚“ã§ãã ã•ã„!" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "%1$s グループメンãƒãƒ¼ã€ãƒšãƒ¼ã‚¸ %2$d" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "ã‚‚ã£ã¨ã‚°ãƒ«ãƒ¼ãƒ—を検索" @@ -4264,7 +4319,7 @@ msgstr "" msgid "Plugins" msgstr "プラグイン" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "ãƒãƒ¼ã‚¸ãƒ§ãƒ³" @@ -4323,26 +4378,26 @@ msgstr "メッセージを追加ã§ãã¾ã›ã‚“。" msgid "Could not update message with new URI." msgstr "æ–°ã—ã„URIã§ãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ã‚’アップデートã§ãã¾ã›ã‚“ã§ã—ãŸã€‚" -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "ãƒãƒƒã‚·ãƒ¥ã‚¿ã‚°è¿½åŠ  DB エラー: %s" -#: classes/Notice.php:225 +#: classes/Notice.php:214 msgid "Problem saving notice. Too long." msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚é•·ã™ãŽã§ã™ã€‚" -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚ä¸æ˜Žãªåˆ©ç”¨è€…ã§ã™ã€‚" -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "多ã™ãŽã‚‹ã¤ã¶ã‚„ããŒé€Ÿã™ãŽã¾ã™; 数分間ã®ä¼‘ã¿ã‚’å–ã£ã¦ã‹ã‚‰å†æŠ•ç¨¿ã—ã¦ãã ã•ã„。" -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4350,20 +4405,25 @@ msgstr "" "多ã™ãŽã‚‹é‡è¤‡ãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ãŒé€Ÿã™ãŽã¾ã™; 数分間休ã¿ã‚’å–ã£ã¦ã‹ã‚‰å†åº¦æŠ•ç¨¿ã—ã¦ãã ã•" "ã„。" -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "ã‚ãªãŸã¯ã“ã®ã‚µã‚¤ãƒˆã§ã¤ã¶ã‚„ãを投稿ã™ã‚‹ã®ãŒç¦æ­¢ã•ã‚Œã¦ã„ã¾ã™ã€‚" -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚" -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚" + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "返信を追加ã™ã‚‹éš›ã«ãƒ‡ãƒ¼ã‚¿ãƒ™ãƒ¼ã‚¹ã‚¨ãƒ©ãƒ¼ : %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4418,124 +4478,124 @@ msgstr "" msgid "Untitled page" msgstr "å称未設定ページ" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "プライマリサイトナビゲーション" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "ホーム" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "パーソナルプロファイルã¨å‹äººã®ã‚¿ã‚¤ãƒ ãƒ©ã‚¤ãƒ³" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "メールアドレスã€ã‚¢ãƒã‚¿ãƒ¼ã€ãƒ‘スワードã€ãƒ—ロパティã®å¤‰æ›´" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "接続" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect to services" msgstr "サービスã¸æŽ¥ç¶š" -#: lib/action.php:442 +#: lib/action.php:448 msgid "Change site configuration" msgstr "サイト設定ã®å¤‰æ›´" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "招待" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "å‹äººã‚„åŒåƒšãŒ %s ã§åŠ ã‚るよã†èª˜ã£ã¦ãã ã•ã„。" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "ログアウト" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "サイトã‹ã‚‰ãƒ­ã‚°ã‚¢ã‚¦ãƒˆ" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "アカウントを作æˆ" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "サイトã¸ãƒ­ã‚°ã‚¤ãƒ³" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "ヘルプ" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "助ã‘ã¦ï¼" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "検索" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "人々ã‹ãƒ†ã‚­ã‚¹ãƒˆã‚’検索" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "サイトã¤ã¶ã‚„ã" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "ローカルビュー" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "ページã¤ã¶ã‚„ã" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "セカンダリサイトナビゲーション" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "About" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "よãã‚る質å•" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "プライãƒã‚·ãƒ¼" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "ソース" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "連絡先" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "ãƒãƒƒã‚¸" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "StatusNet ソフトウェアライセンス" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4544,12 +4604,12 @@ msgstr "" "**%%site.name%%** 㯠[%%site.broughtby%%](%%site.broughtbyurl%%) ãŒæä¾›ã™ã‚‹ãƒž" "イクロブログサービスã§ã™ã€‚ " -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** ã¯ãƒžã‚¤ã‚¯ãƒ­ãƒ–ログサービスã§ã™ã€‚ " -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4560,41 +4620,41 @@ msgstr "" "ã„ã¦ã„ã¾ã™ã€‚ ライセンス [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)。" -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "サイト内容ライセンス" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "全㦠" -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "ライセンス。" -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "ページ化" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "<<後" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "å‰>>" @@ -4626,10 +4686,24 @@ msgstr "基本サイト設定" msgid "Design configuration" msgstr "デザイン設定" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "パス設定" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "デザイン設定" + +#: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "パス設定" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "アプリケーション編集" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "ã“ã®ã‚¢ãƒ—リケーションã®ã‚¢ã‚¤ã‚³ãƒ³" @@ -5204,12 +5278,12 @@ msgstr "MB" msgid "kB" msgstr "kB" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "ä¸æ˜Žãªå—ä¿¡ç®±ã®ã‚½ãƒ¼ã‚¹ %d。" @@ -5712,19 +5786,19 @@ msgstr "返信" msgid "Favorites" msgstr "ãŠæ°—ã«å…¥ã‚Š" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "å—ä¿¡ç®±" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "ã‚ãªãŸã®å…¥ã£ã¦ãるメッセージ" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "é€ä¿¡ç®±" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "ã‚ãªãŸãŒé€ã£ãŸãƒ¡ãƒƒã‚»ãƒ¼ã‚¸" @@ -5967,47 +6041,47 @@ msgstr "メッセージ" msgid "Moderate" msgstr "å¸ä¼š" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "数秒å‰" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "ç´„ 1 分å‰" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "ç´„ %d 分å‰" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "ç´„ 1 時間å‰" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "ç´„ %d 時間å‰" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "ç´„ 1 æ—¥å‰" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "ç´„ %d æ—¥å‰" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "ç´„ 1 ヵ月å‰" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "ç´„ %d ヵ月å‰" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "ç´„ 1 å¹´å‰" @@ -6021,7 +6095,7 @@ msgstr "%sã¯æœ‰åŠ¹ãªè‰²ã§ã¯ã‚ã‚Šã¾ã›ã‚“!" msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "%s ã¯æœ‰åŠ¹ãªè‰²ã§ã¯ã‚ã‚Šã¾ã›ã‚“! 3ã‹6ã®16進数を使ã£ã¦ãã ã•ã„。" -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "メッセージãŒé•·ã™ãŽã¾ã™ - 最大 %1$d å­—ã€ã‚ãªãŸãŒé€ã£ãŸã®ã¯ %2$d。" diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index b8197af3e..bd2600be2 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -7,17 +7,75 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:38:00+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:59:18+0000\n" "Language-Team: Korean\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#, fuzzy +msgid "Access" +msgstr "수ë½" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "아바타 설정" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "회ì›ê°€ìž…" + +#: actions/accessadminpanel.php:161 +#, fuzzy +msgid "Private" +msgstr "ê°œì¸ì •ë³´ 취급방침" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#: actions/accessadminpanel.php:167 +#, fuzzy +msgid "Invite only" +msgstr "초대" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "" + +#: actions/accessadminpanel.php:173 +#, fuzzy +msgid "Closed" +msgstr "차단하기" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "" + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "저장" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "아바타 설정" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 #, fuzzy @@ -33,7 +91,7 @@ msgstr "그러한 태그가 없습니다." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -133,8 +191,7 @@ msgstr "%1$s ë° %2$sì— ìžˆëŠ” ì¹œêµ¬ë“¤ì˜ ì—…ë°ì´íŠ¸!" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -151,7 +208,7 @@ msgstr "API 메서드를 ì°¾ì„ ìˆ˜ 없습니다." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "ì´ ë©”ì„œë“œëŠ” 등ë¡ì„ 요구합니다." @@ -182,7 +239,7 @@ msgstr "í”„ë¡œí•„ì„ ì €ìž¥ í•  수 없습니다." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -495,7 +552,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "계정" @@ -556,17 +620,17 @@ msgstr "아바타가 ì—…ë°ì´íŠ¸ ë˜ì—ˆìŠµë‹ˆë‹¤." msgid "No status with that ID found." msgstr "ë°œê²¬ëœ IDì˜ ìƒíƒœê°€ 없습니다." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Max notice size is %d chars." msgstr "너무 ê¹ë‹ˆë‹¤. í†µì§€ì˜ ìµœëŒ€ 길ì´ëŠ” 140ê¸€ìž ìž…ë‹ˆë‹¤." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "찾지 못함" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -618,11 +682,6 @@ msgstr "%s 공개 타임ë¼ì¸" msgid "%s updates from everyone!" msgstr "모ë‘ë¡œë¶€í„°ì˜ ì—…ë°ì´íŠ¸ %sê°œ!" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "" - #: actions/apitimelineretweetedtome.php:111 #, fuzzy, php-format msgid "Repeated to %s" @@ -1047,17 +1106,6 @@ msgstr "" msgid "Reset back to default" msgstr "" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "저장" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1070,13 +1118,15 @@ msgstr "ì´ ë©”ì‹œì§€ëŠ” favoriteì´ ì•„ë‹™ë‹ˆë‹¤." msgid "Add to favorites" msgstr "좋아하는 게시글로 추가하기" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "그러한 문서는 없습니다." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "다른 옵션들" #: actions/editapplication.php:66 #, fuzzy @@ -1095,7 +1145,7 @@ msgid "No such application." msgstr "그러한 통지는 없습니다." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "ë‹¹ì‹ ì˜ ì„¸ì…˜í† í°ê´€ë ¨ 문제가 있습니다." @@ -1308,7 +1358,7 @@ msgid "Cannot normalize that email address" msgstr "ê·¸ ì´ë©”ì¼ ì£¼ì†Œë¥¼ 정규화 í•  수 없습니다." #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "유효한 ì´ë©”ì¼ ì£¼ì†Œê°€ 아닙니다." @@ -1320,7 +1370,7 @@ msgstr "ê·¸ ì´ë©”ì¼ ì£¼ì†ŒëŠ” ì´ë¯¸ ê·€í•˜ì˜ ê²ƒìž…ë‹ˆë‹¤." msgid "That email address already belongs to another user." msgstr "ê·¸ ì´ë©”ì¼ ì£¼ì†ŒëŠ” ì´ë¯¸ 다른 사용ìžì˜ 소유입니다." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "í™•ì¸ ì½”ë“œë¥¼ 추가 í•  수 없습니다." @@ -1637,7 +1687,7 @@ msgstr "%s 그룹 회ì›, %d페ì´ì§€" msgid "A list of the users in this group." msgstr "ì´ ê·¸ë£¹ì˜ íšŒì›ë¦¬ìŠ¤íŠ¸" -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "관리ìž" @@ -1830,6 +1880,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "ê·¸ Jabber ID는 ê·€í•˜ì˜ ê²ƒì´ ì•„ë‹™ë‹ˆë‹¤." +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "%sì˜ ë°›ì€ìª½ì§€í•¨" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -2004,7 +2059,7 @@ msgstr "틀린 계정 ë˜ëŠ” 비밀 번호" msgid "Error setting user. You are probably not authorized." msgstr "ì¸ì¦ì´ ë˜ì§€ 않았습니다." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "로그ì¸" @@ -2066,8 +2121,9 @@ msgid "No current status" msgstr "현재 ìƒíƒœê°€ 없습니다." #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "그러한 통지는 없습니다." #: actions/newapplication.php:64 #, fuzzy @@ -2260,8 +2316,8 @@ msgstr "ì—°ê²°" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "지ì›í•˜ëŠ” 형ì‹ì˜ ë°ì´í„°ê°€ 아닙니다." @@ -2332,6 +2388,11 @@ msgstr "옳지 ì•Šì€ í†µì§€ ë‚´ìš©" msgid "Login token expired." msgstr "사ì´íŠ¸ì— 로그ì¸í•˜ì„¸ìš”." +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "%sì˜ ë³´ë‚¸ìª½ì§€í•¨" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2402,7 +2463,7 @@ msgstr "새 비밀번호를 저장 í•  수 없습니다." msgid "Password saved." msgstr "비밀 번호 저장" -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "" @@ -2410,142 +2471,159 @@ msgstr "" msgid "Path and server settings for this StatusNet site." msgstr "" -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, fuzzy, php-format msgid "Theme directory not readable: %s" msgstr "ì´ íŽ˜ì´ì§€ëŠ” 귀하가 승ì¸í•œ 미디어 타입ì—서는 ì´ìš©í•  수 없습니다." -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 #, fuzzy msgid "Site" msgstr "초대" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +#, fuzzy +msgid "Server" +msgstr "복구" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 #, fuzzy msgid "Site path" msgstr "사ì´íŠ¸ 공지" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 #, fuzzy msgid "Avatars" msgstr "아바타" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 #, fuzzy msgid "Avatar server" msgstr "아바타 설정" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 #, fuzzy msgid "Avatar path" msgstr "아바타가 ì—…ë°ì´íŠ¸ ë˜ì—ˆìŠµë‹ˆë‹¤." -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 #, fuzzy msgid "Avatar directory" msgstr "아바타가 ì—…ë°ì´íŠ¸ ë˜ì—ˆìŠµë‹ˆë‹¤." -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 #, fuzzy msgid "SSL" msgstr "SMS" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 #, fuzzy msgid "Never" msgstr "복구" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 #, fuzzy msgid "Sometimes" msgstr "통지" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 #, fuzzy msgid "SSL server" msgstr "복구" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 #, fuzzy msgid "Save paths" msgstr "사ì´íŠ¸ 공지" @@ -2656,7 +2734,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "ë‹¹ì‹ ì„ ìœ„í•œ 태그, (문ìž,숫ìž,-, ., _ë¡œ 구성) 콤마 í˜¹ì€ ê³µë°±ìœ¼ë¡œ 구분." -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "언어" @@ -2682,7 +2760,7 @@ msgstr "나ì—게 구ë…하는 사람ì—게 ìžë™ êµ¬ë… ì‹ ì²­" msgid "Bio is too long (max %d chars)." msgstr "ìžê¸°ì†Œê°œê°€ 너무 ê¹ë‹ˆë‹¤. (최대 140글ìž)" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "íƒ€ìž„ì¡´ì´ ì„¤ì • ë˜ì§€ 않았습니다." @@ -2948,7 +3026,7 @@ msgstr "í™•ì¸ ì½”ë“œ 오류" msgid "Registration successful" msgstr "íšŒì› ê°€ìž…ì´ ì„±ê³µì ìž…니다." -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "회ì›ê°€ìž…" @@ -2990,7 +3068,7 @@ msgid "Same as password above. Required." msgstr "위와 ê°™ì€ ë¹„ë°€ 번호. 필수 사항." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "ì´ë©”ì¼" @@ -3154,6 +3232,11 @@ msgstr "ìƒì„±" msgid "Replies to %s" msgstr "%sì— ë‹µì‹ " +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "%2$sì—ì„œ %1$s까지 메시지" + #: actions/replies.php:144 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3283,6 +3366,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "%s ë‹˜ì˜ ì¢‹ì•„í•˜ëŠ” 글들" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "좋아하는 ê²Œì‹œê¸€ì„ ë³µêµ¬í•  수 없습니다." @@ -3332,6 +3420,11 @@ msgstr "" msgid "%s group" msgstr "%s 그룹" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "%s 그룹 회ì›, %d페ì´ì§€" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "그룹 프로필" @@ -3447,6 +3540,11 @@ msgstr "ê²Œì‹œê¸€ì´ ë“±ë¡ë˜ì—ˆìŠµë‹ˆë‹¤." msgid " tagged %s" msgstr "%s íƒœê·¸ëœ í†µì§€" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%s 와 친구들, %d 페ì´ì§€" + #: actions/showstream.php:122 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3528,203 +3626,149 @@ msgstr "회ì›ì´ ë‹¹ì‹ ì„ ì°¨ë‹¨í•´ì™”ìŠµë‹ˆë‹¤." msgid "Basic settings for this StatusNet site." msgstr "" -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 #, fuzzy msgid "You must have a valid contact email address." msgstr "유효한 ì´ë©”ì¼ ì£¼ì†Œê°€ 아닙니다." -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "" -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 #, fuzzy msgid "Site name" msgstr "사ì´íŠ¸ 공지" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 #, fuzzy msgid "Contact email address for your site" msgstr "%sì— í¬ìŠ¤íŒ… í•  새로운 ì´ë©”ì¼ ì£¼ì†Œ" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 #, fuzzy msgid "Local" msgstr "로컬 ë·°" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 #, fuzzy msgid "Default site language" msgstr "언어 설정" -#: actions/siteadminpanel.php:303 -#, fuzzy -msgid "URLs" -msgstr "URL" - -#: actions/siteadminpanel.php:306 -#, fuzzy -msgid "Server" -msgstr "복구" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "" - -#: actions/siteadminpanel.php:318 -#, fuzzy -msgid "Access" -msgstr "수ë½" - -#: actions/siteadminpanel.php:321 -#, fuzzy -msgid "Private" -msgstr "ê°œì¸ì •ë³´ 취급방침" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" - -#: actions/siteadminpanel.php:327 -#, fuzzy -msgid "Invite only" -msgstr "초대" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "" - -#: actions/siteadminpanel.php:333 -#, fuzzy -msgid "Closed" -msgstr "차단하기" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "" - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 #, fuzzy msgid "Save site settings" msgstr "아바타 설정" @@ -3925,6 +3969,11 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "ì´ìš©ìž 셀프 í…Œí¬ %s - %d 페ì´ì§€" + #: actions/tag.php:86 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4232,6 +4281,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "%s 그룹 회ì›, %d페ì´ì§€" + #: actions/usergroups.php:130 #, fuzzy msgid "Search for more groups" @@ -4295,7 +4349,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "ê°œì¸ì ì¸" @@ -4354,28 +4408,28 @@ msgstr "메시지를 삽입할 수 없습니다." msgid "Could not update message with new URI." msgstr "새 URI와 함께 메시지를 ì—…ë°ì´íŠ¸í•  수 없습니다." -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "해쉬테그를 추가 í•  ë•Œì— ë°ì´íƒ€ë² ì´ìŠ¤ ì—러 : %s" -#: classes/Notice.php:225 +#: classes/Notice.php:214 #, fuzzy msgid "Problem saving notice. Too long." msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "게시글 저장문제. ì•Œë ¤ì§€ì§€ì•Šì€ íšŒì›" -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "너무 ë§Žì€ ê²Œì‹œê¸€ì´ ë„ˆë¬´ 빠르게 올ë¼ì˜µë‹ˆë‹¤. 한숨고르고 ëª‡ë¶„í›„ì— ë‹¤ì‹œ í¬ìŠ¤íŠ¸ë¥¼ " "해보세요." -#: classes/Notice.php:240 +#: classes/Notice.php:229 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4384,20 +4438,25 @@ msgstr "" "너무 ë§Žì€ ê²Œì‹œê¸€ì´ ë„ˆë¬´ 빠르게 올ë¼ì˜µë‹ˆë‹¤. 한숨고르고 ëª‡ë¶„í›„ì— ë‹¤ì‹œ í¬ìŠ¤íŠ¸ë¥¼ " "해보세요." -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "ì´ ì‚¬ì´íŠ¸ì— 게시글 í¬ìŠ¤íŒ…으로부터 ë‹¹ì‹ ì€ ê¸ˆì§€ë˜ì—ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "ë‹µì‹ ì„ ì¶”ê°€ í•  ë•Œì— ë°ì´íƒ€ë² ì´ìŠ¤ ì—러 : %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4453,127 +4512,127 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "제목없는 페ì´ì§€" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "주 사ì´íŠ¸ 네비게ì´ì…˜" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "홈" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "ê°œì¸ í”„ë¡œí•„ê³¼ 친구 타임ë¼ì¸" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "ë‹¹ì‹ ì˜ ì´ë©”ì¼, 아바타, 비밀 번호, í”„ë¡œí•„ì„ ë³€ê²½í•˜ì„¸ìš”." -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "ì—°ê²°" -#: lib/action.php:438 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "ì„œë²„ì— ìž¬ì ‘ì† í•  수 없습니다 : %s" -#: lib/action.php:442 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "주 사ì´íŠ¸ 네비게ì´ì…˜" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "초대" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "%sì— ì¹œêµ¬ë¥¼ 가입시키기 위해 친구와 ë™ë£Œë¥¼ 초대합니다." -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "로그아웃" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "ì´ ì‚¬ì´íŠ¸ë¡œë¶€í„° 로그아웃" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "계정 만들기" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "ì´ ì‚¬ì´íŠ¸ 로그ì¸" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "ë„움ë§" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "ë„ì›€ì´ í•„ìš”í•´!" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "검색" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "프로필ì´ë‚˜ í…스트 검색" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "사ì´íŠ¸ 공지" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "로컬 ë·°" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "페ì´ì§€ 공지" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "ë³´ì¡° 사ì´íŠ¸ 네비게ì´ì…˜" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "ì •ë³´" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "ìžì£¼ 묻는 질문" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "ê°œì¸ì •ë³´ 취급방침" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "소스 코드" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "ì—°ë½í•˜ê¸°" -#: lib/action.php:745 +#: lib/action.php:751 #, fuzzy msgid "Badge" msgstr "찔러 보기" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "ë¼ì½”니카 소프트웨어 ë¼ì´ì„ ìŠ¤" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4582,12 +4641,12 @@ msgstr "" "**%%site.name%%** 는 [%%site.broughtby%%](%%site.broughtbyurl%%)ê°€ 제공하는 " "마ì´í¬ë¡œë¸”로깅서비스입니다." -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** 는 마ì´í¬ë¡œë¸”로깅서비스입니다." -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4598,42 +4657,42 @@ msgstr "" "ì„ ì‚¬ìš©í•©ë‹ˆë‹¤. StatusNet는 [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html) ë¼ì´ì„ ìŠ¤ì— ë”°ë¼ ì‚¬ìš©í•  수 있습니다." -#: lib/action.php:795 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "ë¼ì½”니카 소프트웨어 ë¼ì´ì„ ìŠ¤" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "모든 것" -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "ë¼ì´ì„ ìŠ¤" -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "페ì´ì§€ìˆ˜" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "ë’· 페ì´ì§€" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "ì•ž 페ì´ì§€" @@ -4672,11 +4731,25 @@ msgstr "ì´ë©”ì¼ ì£¼ì†Œ 확ì¸ì„œ" msgid "Design configuration" msgstr "SMS ì¸ì¦" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "SMS ì¸ì¦" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "SMS ì¸ì¦" + +#: lib/adminpanelaction.php:332 #, fuzzy msgid "Paths configuration" msgstr "SMS ì¸ì¦" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -5263,12 +5336,12 @@ msgstr "" msgid "kB" msgstr "" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "" @@ -5694,19 +5767,19 @@ msgstr "답신" msgid "Favorites" msgstr "좋아하는 글들" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "ë°›ì€ ìª½ì§€í•¨" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "ë‹¹ì‹ ì˜ ë°›ì€ ë©”ì‹œì§€ë“¤" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "보낸 쪽지함" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "ë‹¹ì‹ ì˜ ë³´ë‚¸ 메시지들" @@ -5965,47 +6038,47 @@ msgstr "메시지" msgid "Moderate" msgstr "" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "몇 ì´ˆ ì „" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "1분 ì „" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "%d분 ì „" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "1시간 ì „" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "%d시간 ì „" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "하루 ì „" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "%dì¼ ì „" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "1달 ì „" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "%d달 ì „" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "1ë…„ ì „" @@ -6019,7 +6092,7 @@ msgstr "홈페ì´ì§€ 주소형ì‹ì´ 올바르지 않습니다." msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "" -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, fuzzy, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "ë‹¹ì‹ ì´ ë³´ë‚¸ 메시지가 너무 길어요. 최대 140글ìžê¹Œì§€ìž…니다." diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index 95eaff943..441ccdb8b 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -9,17 +9,73 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:38:03+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:59:21+0000\n" "Language-Team: Macedonian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural= n==1 || n%10==1 ? 0 : 1;\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +msgid "Access" +msgstr "ПриÑтап" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Зачувај нагодувања на веб-Ñтраницата" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "РегиÑтрирај Ñе" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "Приватен" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" +"Да им забранам на анонимните (ненајавени) кориÑници да ја гледаат веб-" +"Ñтраницата?" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "Само Ñо покана" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "РегиÑтрирање Ñамо Ñо покана." + +#: actions/accessadminpanel.php:173 +msgid "Closed" +msgstr "Затворен" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "Оневозможи нови региÑтрации." + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Зачувај" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Зачувај нагодувања на веб-Ñтраницата" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -34,7 +90,7 @@ msgstr "Ðема таква Ñтраница" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -142,8 +198,7 @@ msgstr "Подновувања од %1$s и пријатели на %2$s!" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -159,7 +214,7 @@ msgstr "API методот не е пронајден." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "Овој метод бара POST." @@ -190,7 +245,7 @@ msgstr "Ðе може да Ñе зачува профил." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -493,7 +548,14 @@ msgstr "Има програм кој Ñака да Ñе поврзе Ñо Ваш msgid "Allow or deny access" msgstr "Дозволи или одбиј приÑтап" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Сметка" @@ -550,17 +612,17 @@ msgstr "СтатуÑот е избришан." msgid "No status with that ID found." msgstr "Ðема пронајдено ÑÑ‚Ð°Ñ‚ÑƒÑ Ñо тој ID." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Ова е предолго. МакÑималната дозволена должина изнеÑува %d знаци." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "Ðе е пронајдено" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -613,11 +675,6 @@ msgstr "Јавна иÑторија на %s" msgid "%s updates from everyone!" msgstr "%s подновуввања од Ñите!" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "Повторено од %s" - #: actions/apitimelineretweetedtome.php:111 #, php-format msgid "Repeated to %s" @@ -1028,17 +1085,6 @@ msgstr "Врати оÑновно-зададени нагодувања" msgid "Reset back to default" msgstr "Врати по оÑновно" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Зачувај" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Зачувај изглед" @@ -1051,12 +1097,14 @@ msgstr "Оваа забелешка не Ви е омилена!" msgid "Add to favorites" msgstr "Додај во омилени" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "Ðема таков документ." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" msgstr "Уреди програм" #: actions/editapplication.php:66 @@ -1073,7 +1121,7 @@ msgid "No such application." msgstr "Ðема таков програм." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "Се појави проблем Ñо Вашиот ÑеÑиÑки жетон." @@ -1277,7 +1325,7 @@ msgid "Cannot normalize that email address" msgstr "Ðеможам да ја нормализирам таа е-поштенÑка адреÑа" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "Ðеправилна адреÑа за е-пошта." @@ -1289,7 +1337,7 @@ msgstr "Оваа е-поштенÑка адреÑа е веќе Ваша." msgid "That email address already belongs to another user." msgstr "Таа е-поштенÑка адреÑа е веќе зафатена од друг кориÑник." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "Кодот за потврда не може да Ñе внеÑе." @@ -1599,7 +1647,7 @@ msgstr "Членови на групата %1$s, ÑÑ‚Ñ€. %2$d" msgid "A list of the users in this group." msgstr "ЛиÑта на кориÑниците на овааг група." -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "ÐдминиÑтратор" @@ -1796,6 +1844,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "Ова не е Вашиот Jabber ID." +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "Приемно Ñандаче за %s" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1980,7 +2033,7 @@ msgstr "Ðеточно кориÑничко име или лозинка" msgid "Error setting user. You are probably not authorized." msgstr "Грешка при поÑтавувањето на кориÑникот. Веројатно не Ñе заверени." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Ðајава" @@ -2043,7 +2096,8 @@ msgid "No current status" msgstr "Ðема тековен ÑтатуÑ" #: actions/newapplication.php:52 -msgid "New application" +#, fuzzy +msgid "New Application" msgstr "Ðов програм" #: actions/newapplication.php:64 @@ -2237,8 +2291,8 @@ msgstr "тип на Ñодржини " msgid "Only " msgstr "Само " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "Ова не е поддржан формат на податотека." @@ -2302,6 +2356,11 @@ msgstr "Ðазначен е неважечки најавен жетон." msgid "Login token expired." msgstr "Ðајавниот жетон е иÑтечен." +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "Излезно Ñандаче за %s" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2374,7 +2433,7 @@ msgstr "Ðе можам да ја зачувам новата лозинка." msgid "Password saved." msgstr "Лозинката е зачувана." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "Патеки" @@ -2382,132 +2441,148 @@ msgstr "Патеки" msgid "Path and server settings for this StatusNet site." msgstr "Ðагодувања за патеки и Ñервери за оваа StatusNet веб-Ñтраница." -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, php-format msgid "Theme directory not readable: %s" msgstr "Директориумот на темата е нечитлив: %s" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "Директориумот на аватарот е недоÑтапен за пишување: %s" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "Директориумот на позадината е нечитлив: %s" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "Директориумот на локалите е нечитлив: %s" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Ðеважечки SSL-Ñервер. Дозволени Ñе најмногу 255 знаци" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "Веб-Ñтраница" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "ОпÑлужувач" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "Име на домаќинот на Ñерверот на веб-Ñтраницата" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "Патека" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 msgid "Site path" msgstr "Патека на веб-Ñтраницата" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "Патека до локалите" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "Патека до директориумот на локалите" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "ИнтереÑни URL-адреÑи" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "Да кориÑтам интереÑни (почитливи и повпечатливи) URL-адреÑи?" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "Тема" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "Сервер на темата" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "Патека до темата" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "Директориум на темата" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 msgid "Avatars" msgstr "Ðватари" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 msgid "Avatar server" msgstr "Сервер на аватарот" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 msgid "Avatar path" msgstr "Патека на аватарот" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 msgid "Avatar directory" msgstr "Директориум на аватарот" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "Позадини" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "Сервер на позаднината" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "Патека до позадината" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "Директориум на позадината" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 msgid "Never" msgstr "Ðикогаш" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "Понекогаш" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "Секогаш" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "КориÑти SSL" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "Кога Ñе кориÑти SSL" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 msgid "SSL server" msgstr "SSL-Ñервер" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "Сервер, кому ќе му Ñе иÑпраќаат SSL-барања" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 msgid "Save paths" msgstr "Зачувај патеки" @@ -2621,7 +2696,7 @@ msgstr "" "Ознаки за Ð’Ð°Ñ Ñамите (букви, бројки, -, . и _), одделени Ñо запирка или " "празно меÑто" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "Јазик" @@ -2649,7 +2724,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Биографијата е преголема (највеќе до %d знаци)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "Ðе е избрана чаÑовна зона." @@ -2926,7 +3001,7 @@ msgstr "Жалиме, неважечки код за поканата." msgid "Registration successful" msgstr "РегиÑтрацијата е уÑпешна" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "РегиÑтрирај Ñе" @@ -2970,7 +3045,7 @@ msgid "Same as password above. Required." msgstr "ИÑто што и лозинката погоре. Задолжително поле." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Е-пошта" @@ -3129,6 +3204,11 @@ msgstr "Повторено!" msgid "Replies to %s" msgstr "Одговори иÑпратени до %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "Одговори на %1$s на %2$s!" + #: actions/replies.php:144 #, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3260,6 +3340,11 @@ msgstr "" "Ðапомена: Поддржуваме HMAC-SHA1 потпиÑи. Ðе поддржуваме потпишување Ñо проÑÑ‚ " "текÑÑ‚." +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "Омилени забелешки на %s" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Ðе можев да ги вратам омилените забелешки." @@ -3317,6 +3402,11 @@ msgstr "Ова е начин да го Ñподелите она што Ви Ñ msgid "%s group" msgstr "Група %s" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "Членови на групата %1$s, ÑÑ‚Ñ€. %2$d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "Профил на група" @@ -3437,6 +3527,11 @@ msgstr "Избришана забелешка" msgid " tagged %s" msgstr " означено Ñо %s" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%1$s и пријателите, ÑÑ‚Ñ€. %2$d" + #: actions/showstream.php:122 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3526,200 +3621,150 @@ msgstr "КориÑникот е веќе замолчен." msgid "Basic settings for this StatusNet site." msgstr "ОÑновни нагодувања за оваа StatusNet веб-Ñтраница." -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "Должината на името на веб-Ñтраницата не може да изнеÑува нула." -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 msgid "You must have a valid contact email address." msgstr "Мора да имате важечка контактна е-поштенÑка адреÑа." -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "Ðепознат јазик „%s“" -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "Ðеважечки URL за извештај од Ñнимката." -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "Ðеважечка вредноÑÑ‚ на пуштањето на Ñнимката." -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "ЧеÑтотата на Ñнимките мора да биде бројка." -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "Минималното ограничување на текÑтот изнеÑува 140 знаци." -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "Ограничувањето на дуплирањето мора да изнеÑува барем 1 Ñекунда." -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "Општи" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 msgid "Site name" msgstr "Име на веб-Ñтраницата" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "Името на Вашата веб-Ñтраница, како на пр. „Микроблог на Вашафирма“" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "Овозможено од" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" "ТекÑÑ‚ за врÑката за наведување на авторите во долната колонцифра на Ñекоја " "Ñтраница" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "URL-адреÑа на овозможувачот на уÑлугите" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" "URL-адреÑата која е кориÑти за врÑки за автори во долната колоцифра на " "Ñекоја Ñтраница" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 msgid "Contact email address for your site" msgstr "Контактна е-пошта за Вашата веб-Ñтраница" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 msgid "Local" msgstr "Локално" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "ОÑновна чаÑовна зона" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "Матична чаÑовна зона за веб-Ñтраницата; обично UTC." -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "ОÑновен јазик" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "URL-адреÑи" - -#: actions/siteadminpanel.php:306 -msgid "Server" -msgstr "ОпÑлужувач" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "Име на домаќинот на Ñерверот на веб-Ñтраницата" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "ИнтереÑни URL-адреÑи" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "Да кориÑтам интереÑни (почитливи и повпечатливи) URL-адреÑи?" - -#: actions/siteadminpanel.php:318 -msgid "Access" -msgstr "ПриÑтап" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "Приватен" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" -"Да им забранам на анонимните (ненајавени) кориÑници да ја гледаат веб-" -"Ñтраницата?" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "Само Ñо покана" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "РегиÑтрирање Ñамо Ñо покана." - -#: actions/siteadminpanel.php:333 -msgid "Closed" -msgstr "Затворен" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "Оневозможи нови региÑтрации." - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "Снимки" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "По ÑлучајноÑÑ‚ во текот на поÑета" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "Во зададена задача" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "Снимки од податоци" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "Кога да им Ñе иÑпраќаат ÑтатиÑтички податоци на status.net Ñерверите" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "ЧеÑтота" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "Ќе Ñе иÑпраќаат Ñнимки на Ñекои N поÑети" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "URL на извештајот" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "Снимките ќе Ñе иÑпраќаат на оваа URL-адреÑа" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "Ограничувања" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "Ограничување на текÑтот" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "МакÑимален број на знаци за забелешки." -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "Ограничување на дуплирањето" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Колку долго треба да почекаат кориÑниците (во Ñекунди) за да можат повторно " "да го објават иÑтото." -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 msgid "Save site settings" msgstr "Зачувај нагодувања на веб-Ñтраницата" @@ -3926,6 +3971,11 @@ msgstr "Jabber" msgid "SMS" msgstr "СМС" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "КориÑтници Ñамоозначени Ñо %1$s - ÑÑ‚Ñ€. %2$d" + #: actions/tag.php:86 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4226,6 +4276,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "Добар апетит!" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "Членови на групата %1$s, ÑÑ‚Ñ€. %2$d" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "Пребарај уште групи" @@ -4301,7 +4356,7 @@ msgstr "" msgid "Plugins" msgstr "Приклучоци" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "Верзија" @@ -4358,27 +4413,27 @@ msgstr "Ðе можев да ја иÑпратам пораката." msgid "Could not update message with new URI." msgstr "Ðе можев да ја подновам пораката Ñо нов URI." -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Грешка во базата на податоци при вметнувањето на хеш-ознака: %s" -#: classes/Notice.php:225 +#: classes/Notice.php:214 msgid "Problem saving notice. Too long." msgstr "Проблем Ñо зачувувањето на белешката. Премногу долго." -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "Проблем Ñо зачувувањето на белешката. Ðепознат кориÑник." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Премногу забелњшки за прекратко време; здивнете малку и продолжете за " "неколку минути." -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4386,20 +4441,25 @@ msgstr "" "Премногу дуплирани пораки во прекратко време; здивнете малку и продолжете за " "неколку минути." -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "Забрането Ви е да објавувате забелешки на оваа веб-Ñтраница." -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "Проблем во зачувувањето на белешката." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "Проблем во зачувувањето на белешката." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Одговор од внеÑот во базата: %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4454,124 +4514,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Страница без наÑлов" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Главна навигација" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "Дома" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Личен профил и иÑторија на пријатели" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Промена на е-пошта, аватар, лозинка, профил" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "Поврзи Ñе" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect to services" msgstr "Поврзи Ñе Ñо уÑлуги" -#: lib/action.php:442 +#: lib/action.php:448 msgid "Change site configuration" msgstr "Промена на конфигурацијата на веб-Ñтраницата" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Покани" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Поканете пријатели и колеги да Ви Ñе придружат на %s" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "Одјави Ñе" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Одјава" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "Создај Ñметка" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "Ðајава" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Помош" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "Ðапомош!" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Барај" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Пребарајте луѓе или текÑÑ‚" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "Ðапомена за веб-Ñтраницата" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "Локални прегледи" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "Ðапомена за Ñтраницата" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Споредна навигација" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "За" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "ЧПП" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "УÑлови" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "ПриватноÑÑ‚" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "Изворен код" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Контакт" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "Значка" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Лиценца на програмот StatusNet" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4580,12 +4640,12 @@ msgstr "" "**%%site.name%%** е ÑÐµÑ€Ð²Ð¸Ñ Ð·Ð° микроблогирање што ви го овозможува [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** е ÑÐµÑ€Ð²Ð¸Ñ Ð·Ð° микроблогирање." -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4596,41 +4656,41 @@ msgstr "" "верзија %s, доÑтапен пд [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "Лиценца на Ñодржините на веб-Ñтраницата" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "Сите " -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "лиценца." -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "Прелом на Ñтраници" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "По" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "Пред" @@ -4662,10 +4722,24 @@ msgstr "ОÑновни нагодувања на веб-Ñтраницата" msgid "Design configuration" msgstr "Конфигурација на изгледот" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "Конфигурација на патеки" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "Конфигурација на изгледот" + +#: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "Конфигурација на патеки" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "Уреди програм" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "Икона за овој програм" @@ -5279,12 +5353,12 @@ msgstr "МБ" msgid "kB" msgstr "кб" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "[%s]" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "Ðепознат извор на приемна пошта %d." @@ -5788,19 +5862,19 @@ msgstr "Одговори" msgid "Favorites" msgstr "Омилени" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Примени" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "Ваши приемни пораки" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "За праќање" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "Ваши иÑпратени пораки" @@ -6043,47 +6117,47 @@ msgstr "Порака" msgid "Moderate" msgstr "Модерирај" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "пред неколку Ñекунди" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "пред една минута" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "пред %d минути" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "пред еден чаÑ" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "пред %d чаÑа" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "пред еден ден" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "пред %d денови" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "пред еден меÑец" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "пред %d меÑеца" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "пред една година" @@ -6097,7 +6171,7 @@ msgstr "%s не е важечка боја!" msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "%s не е важечка боја! КориÑтете 3 или 6 шеÑнаеÑетни (hex) знаци." -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "" diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index 697fda7b0..e6d329506 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -8,17 +8,72 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:38:06+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:59:24+0000\n" "Language-Team: Norwegian (bokmÃ¥l)‬\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#, fuzzy +msgid "Access" +msgstr "Godta" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Innstillinger for IM" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "Alle abonnementer" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "" + +#: actions/accessadminpanel.php:173 +msgid "Closed" +msgstr "" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "" + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Lagre" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Innstillinger for IM" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -33,7 +88,7 @@ msgstr "Ingen slik side" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -139,8 +194,7 @@ msgstr "Oppdateringer fra %1$s og venner pÃ¥ %2$s!" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -157,7 +211,7 @@ msgstr "API-metode ikke funnet!" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "Denne metoden krever en POST." @@ -188,7 +242,7 @@ msgstr "Klarte ikke Ã¥ lagre profil." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -495,7 +549,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 #, fuzzy msgid "Account" msgstr "Om" @@ -555,17 +616,17 @@ msgstr "" msgid "No status with that ID found." msgstr "" -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "" -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -616,11 +677,6 @@ msgstr "%s offentlig tidslinje" msgid "%s updates from everyone!" msgstr "%s oppdateringer fra alle sammen!" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "" - #: actions/apitimelineretweetedtome.php:111 #, fuzzy, php-format msgid "Repeated to %s" @@ -1039,17 +1095,6 @@ msgstr "" msgid "Reset back to default" msgstr "" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Lagre" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1062,13 +1107,15 @@ msgstr "" msgid "Add to favorites" msgstr "" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, php-format +msgid "No such document \"%s\"" msgstr "" -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "Ingen slik side" #: actions/editapplication.php:66 #, fuzzy @@ -1087,7 +1134,7 @@ msgid "No such application." msgstr "Ingen slik side" #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "" @@ -1298,7 +1345,7 @@ msgid "Cannot normalize that email address" msgstr "Klarer ikke normalisere epostadressen" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "Ugyldig e-postadresse." @@ -1310,7 +1357,7 @@ msgstr "Det er allerede din e-postadresse." msgid "That email address already belongs to another user." msgstr "" -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "" @@ -1614,7 +1661,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "En liste over brukerne i denne gruppen." -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" @@ -1797,6 +1844,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "Det er ikke din Jabber ID." +#: actions/inbox.php:59 +#, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1969,7 +2021,7 @@ msgstr "Feil brukernavn eller passord" msgid "Error setting user. You are probably not authorized." msgstr "Ikke autorisert." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Logg inn" @@ -2028,8 +2080,9 @@ msgid "No current status" msgstr "" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "Ingen slik side" #: actions/newapplication.php:64 msgid "You must be logged in to register an application." @@ -2212,8 +2265,8 @@ msgstr "" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "" @@ -2282,6 +2335,11 @@ msgstr "Nytt nick" msgid "Login token expired." msgstr "" +#: actions/outbox.php:58 +#, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2354,7 +2412,7 @@ msgstr "Klarer ikke Ã¥ lagre nytt passord." msgid "Password saved." msgstr "Passordet ble lagret" -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "" @@ -2362,138 +2420,155 @@ msgstr "" msgid "Path and server settings for this StatusNet site." msgstr "" -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, php-format msgid "Theme directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +#, fuzzy +msgid "Server" +msgstr "Gjenopprett" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 msgid "Site path" msgstr "" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 #, fuzzy msgid "Avatars" msgstr "Brukerbilde" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 #, fuzzy msgid "Avatar server" msgstr "Innstillinger for IM" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 #, fuzzy msgid "Avatar path" msgstr "Brukerbildet har blitt oppdatert." -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 #, fuzzy msgid "Avatar directory" msgstr "Brukerbildet har blitt oppdatert." -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 #, fuzzy msgid "Never" msgstr "Gjenopprett" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 #, fuzzy msgid "SSL server" msgstr "Gjenopprett" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 msgid "Save paths" msgstr "" @@ -2599,7 +2674,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "SprÃ¥k" @@ -2626,7 +2701,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "«Om meg» er for lang (maks 140 tegn)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "" @@ -2889,7 +2964,7 @@ msgstr "" msgid "Registration successful" msgstr "" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "" @@ -2930,7 +3005,7 @@ msgid "Same as password above. Required." msgstr "" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "E-post" @@ -3087,6 +3162,11 @@ msgstr "Opprett" msgid "Replies to %s" msgstr "Svar til %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "Svar til %s" + #: actions/replies.php:144 #, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3218,6 +3298,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "%s og venner" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "" @@ -3267,6 +3352,11 @@ msgstr "" msgid "%s group" msgstr "" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "Alle abonnementer" + #: actions/showgroup.php:218 #, fuzzy msgid "Group profile" @@ -3380,6 +3470,11 @@ msgstr "" msgid " tagged %s" msgstr "Tagger" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%s og venner" + #: actions/showstream.php:122 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3461,195 +3556,145 @@ msgstr "Du er allerede logget inn!" msgid "Basic settings for this StatusNet site." msgstr "" -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 #, fuzzy msgid "You must have a valid contact email address." msgstr "Ugyldig e-postadresse" -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "" -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 msgid "Site name" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 msgid "Contact email address for your site" msgstr "" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 msgid "Local" msgstr "" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "" - -#: actions/siteadminpanel.php:306 -#, fuzzy -msgid "Server" -msgstr "Gjenopprett" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "" - -#: actions/siteadminpanel.php:318 -#, fuzzy -msgid "Access" -msgstr "Godta" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "" - -#: actions/siteadminpanel.php:333 -msgid "Closed" -msgstr "" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "" - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 #, fuzzy msgid "Save site settings" msgstr "Innstillinger for IM" @@ -3849,6 +3894,11 @@ msgstr "Ingen Jabber ID." msgid "SMS" msgstr "" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "Mikroblogg av %s" + #: actions/tag.php:86 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4143,6 +4193,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "Alle abonnementer" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "" @@ -4205,7 +4260,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "Personlig" @@ -4263,44 +4318,48 @@ msgstr "" msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:225 +#: classes/Notice.php:214 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "" -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +msgid "Problem saving group inbox." +msgstr "" + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4358,126 +4417,126 @@ msgstr "%1$s sin status pÃ¥ %2$s" msgid "Untitled page" msgstr "" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "Hjem" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "Koble til" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect to services" msgstr "" -#: lib/action.php:442 +#: lib/action.php:448 msgid "Change site configuration" msgstr "" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "Logg ut" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "" -#: lib/action.php:457 +#: lib/action.php:463 #, fuzzy msgid "Create an account" msgstr "Opprett en ny konto" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Hjelp" -#: lib/action.php:463 +#: lib/action.php:469 #, fuzzy msgid "Help me!" msgstr "Hjelp" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Søk" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "Om" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "OSS/FAQ" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "Kilde" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4486,12 +4545,12 @@ msgstr "" "**%%site.name%%** er en mikrobloggingtjeneste av [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** er en mikrobloggingtjeneste. " -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4499,41 +4558,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "" -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "" -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "" -#: lib/action.php:1141 +#: lib/action.php:1147 #, fuzzy msgid "Before" msgstr "Tidligere »" @@ -4566,10 +4625,22 @@ msgstr "" msgid "Design configuration" msgstr "" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +msgid "User configuration" +msgstr "" + +#: lib/adminpanelaction.php:327 +msgid "Access configuration" +msgstr "" + +#: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -5158,12 +5229,12 @@ msgstr "" msgid "kB" msgstr "" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "" @@ -5589,19 +5660,19 @@ msgstr "Svar" msgid "Favorites" msgstr "" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "" @@ -5858,47 +5929,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "noen fÃ¥ sekunder siden" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "omtrent ett minutt siden" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "omtrent %d minutter siden" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "omtrent én time siden" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "omtrent %d timer siden" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "omtrent én dag siden" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "omtrent %d dager siden" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "omtrent én mÃ¥ned siden" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "omtrent %d mÃ¥neder siden" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "omtrent ett Ã¥r siden" @@ -5912,7 +5983,7 @@ msgstr "" msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "" -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "" diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index 935117671..8e5fc1ea9 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -10,17 +10,71 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:38:12+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:59:30+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +msgid "Access" +msgstr "Toegang" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Websiteinstellingen opslaan" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "Registreren" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "Privé" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "Mogen anonieme gebruikers (niet aangemeld) de website bekijken?" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "Alleen op uitnodiging" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "Registratie alleen op uitnodiging." + +#: actions/accessadminpanel.php:173 +msgid "Closed" +msgstr "Gesloten" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "Nieuwe registraties uitschakelen." + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Opslaan" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Websiteinstellingen opslaan" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -35,7 +89,7 @@ msgstr "Deze pagina bestaat niet" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -143,8 +197,7 @@ msgstr "Updates van %1$s en vrienden op %2$s." #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -160,7 +213,7 @@ msgstr "De API-functie is niet aangetroffen." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "Deze methode vereist een POST." @@ -191,7 +244,7 @@ msgstr "Het was niet mogelijk het profiel op te slaan." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -505,7 +558,14 @@ msgstr "Een applicatie vraagt toegang tot uw gebruikersgegevens" msgid "Allow or deny access" msgstr "Toegang toestaan of ontzeggen" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Gebruiker" @@ -562,17 +622,17 @@ msgstr "De status is verwijderd." msgid "No status with that ID found." msgstr "Er is geen status gevonden met dit ID." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "De mededeling is te lang. Gebruik maximaal %d tekens." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "Niet gevonden" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -625,11 +685,6 @@ msgstr "%s publieke tijdlijn" msgid "%s updates from everyone!" msgstr "%s updates van iedereen" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "Herhaald door %s" - #: actions/apitimelineretweetedtome.php:111 #, php-format msgid "Repeated to %s" @@ -1040,17 +1095,6 @@ msgstr "Standaardontwerp toepassen" msgid "Reset back to default" msgstr "Standaardinstellingen toepassen" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Opslaan" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Ontwerp opslaan" @@ -1063,12 +1107,14 @@ msgstr "Deze mededeling staats niet op uw favorietenlijst." msgid "Add to favorites" msgstr "Aan favorieten toevoegen" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "Onbekend document." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" msgstr "Applicatie bewerken" #: actions/editapplication.php:66 @@ -1085,7 +1131,7 @@ msgid "No such application." msgstr "De applicatie bestaat niet." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "Er is een probleem met uw sessietoken." @@ -1288,7 +1334,7 @@ msgid "Cannot normalize that email address" msgstr "Kan het emailadres niet normaliseren" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "Geen geldig e-mailadres." @@ -1300,7 +1346,7 @@ msgstr "U hebt dit e-mailadres als ingesteld als uw e-mailadres." msgid "That email address already belongs to another user." msgstr "Dit e-mailadres is al geregistreerd door een andere gebruiker." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "De bevestigingscode kon niet ingevoegd worden." @@ -1615,7 +1661,7 @@ msgstr "%1$s groeps leden, pagina %2$d" msgid "A list of the users in this group." msgstr "Ledenlijst van deze groep" -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Beheerder" @@ -1814,6 +1860,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "Dit is niet uw Jabber-ID." +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "Postvak IN van %s" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -2000,7 +2051,7 @@ msgstr "" "Er is een fout opgetreden bij het maken van de instellingen. U hebt " "waarschijnlijk niet de juiste rechten." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Aanmelden" @@ -2062,7 +2113,8 @@ msgid "No current status" msgstr "Geen huidige status" #: actions/newapplication.php:52 -msgid "New application" +#, fuzzy +msgid "New Application" msgstr "Nieuwe applicatie" #: actions/newapplication.php:64 @@ -2259,8 +2311,8 @@ msgstr "inhoudstype " msgid "Only " msgstr "Alleen " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "Geen ondersteund gegevensformaat." @@ -2324,6 +2376,11 @@ msgstr "Het opgegeven token is ongeldig." msgid "Login token expired." msgstr "Het aanmeldtoken is verlopen." +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "Postvak UIT voor %s" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2394,7 +2451,7 @@ msgstr "Het was niet mogelijk het nieuwe wachtwoord op te slaan." msgid "Password saved." msgstr "Het wachtwoord is opgeslagen." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "Paden" @@ -2402,132 +2459,148 @@ msgstr "Paden" msgid "Path and server settings for this StatusNet site." msgstr "Pad- en serverinstellingen voor de StatusNet-website." -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, php-format msgid "Theme directory not readable: %s" msgstr "Er kan niet uit de vormgevingmap gelezen worden: %s" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "Er kan niet in de avatarmap geschreven worden: %s" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "Er kan niet in de achtergrondmap geschreven worden: %s" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "Er kan niet uit de talenmap gelezen worden: %s" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "De SSL-server is ongeldig. De maximale lengte is 255 tekens." -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "Website" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "Server" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "Hostnaam van de website server." + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "Pad" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 msgid "Site path" msgstr "Websitepad" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "Talenpad" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "Talenmap" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "Nette URL's" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "Nette URL's (meer leesbaar en beter te onthouden) gebruiken?" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "Vormgeving" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "Vormgevingsserver" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "Vormgevingspad" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "Vormgevingsmap" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 msgid "Avatars" msgstr "Avatars" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 msgid "Avatar server" msgstr "Avatarserver" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 msgid "Avatar path" msgstr "Avatarpad" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 msgid "Avatar directory" msgstr "Avatarmap" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "Achtergronden" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "Achtergrondenserver" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "Achtergrondpad" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "Achtergrondenmap" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 msgid "Never" msgstr "Nooit" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "Soms" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "Altijd" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "SSL gebruiken" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "Wanneer SSL gebruikt moet worden" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 msgid "SSL server" msgstr "SSL-server" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "De server waar SSL-verzoeken heen gestuurd moeten worden" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 msgid "Save paths" msgstr "Opslagpaden" @@ -2641,7 +2714,7 @@ msgstr "" "Eigen labels (letter, getallen, -, ., en _). Gescheiden door komma's of " "spaties" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "Taal" @@ -2669,7 +2742,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "De beschrijving is te lang (maximaal %d tekens)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "Er is geen tijdzone geselecteerd." @@ -2952,7 +3025,7 @@ msgstr "Sorry. De uitnodigingscode is ongeldig." msgid "Registration successful" msgstr "De registratie is voltooid" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registreren" @@ -2994,7 +3067,7 @@ msgid "Same as password above. Required." msgstr "Gelijk aan het wachtwoord hierboven. Verplicht" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "E-mail" @@ -3153,6 +3226,11 @@ msgstr "Herhaald!" msgid "Replies to %s" msgstr "Antwoorden aan %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "Antwoorden aan %1$s op %2$s." + #: actions/replies.php:144 #, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3284,6 +3362,11 @@ msgstr "" "Opmerking: HMAC-SHA1 ondertekening wordt ondersteund. Ondertekening in " "platte tekst is niet mogelijk." +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "Favoriete mededelingen van %s" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Het was niet mogelijk de favoriete mededelingen op te halen." @@ -3342,6 +3425,11 @@ msgstr "Dit is de manier om dat te delen wat u wilt." msgid "%s group" msgstr "%s groep" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "%1$s groeps leden, pagina %2$d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "Groepsprofiel" @@ -3462,6 +3550,11 @@ msgstr "Deze mededeling is verwijderd." msgid " tagged %s" msgstr " met het label %s" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%1$s en vrienden, pagina %2$d" + #: actions/showstream.php:122 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3552,200 +3645,152 @@ msgstr "Deze gebruiker is al gemuilkorfd." msgid "Basic settings for this StatusNet site." msgstr "Basisinstellingen voor deze StatusNet-website." -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "De sitenaam moet ingevoerd worden en mag niet leeg zijn." -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 msgid "You must have a valid contact email address." msgstr "" "U moet een geldig e-mailadres opgeven waarop contact opgenomen kan worden." -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "De taal \"%s\" is niet bekend." -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "De rapportage-URL voor snapshots is ongeldig." -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "De waarde voor het uitvoeren van snapshots is ongeldig." -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "De snapshotfrequentie moet een getal zijn." -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "De minimale tekstlimiet is 140 tekens." -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "De duplicaatlimiet moet één of meer seconden zijn." -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "Algemeen" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 msgid "Site name" msgstr "Websitenaam" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "De naam van de website, zoals \"UwBedrijf Microblog\"" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "Mogelijk gemaakt door" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" "De tekst die gebruikt worden in de \"creditsverwijzing\" in de voettekst van " "iedere pagina" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "\"Mogelijk gemaakt door\"-URL" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" "URL die wordt gebruikt voor de verwijzing naar de hoster en dergelijke in de " "voettekst van iedere pagina" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 msgid "Contact email address for your site" msgstr "E-mailadres om contact op te nemen met de websitebeheerder" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 msgid "Local" msgstr "Lokaal" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "Standaardtijdzone" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "Standaardtijdzone voor de website. Meestal UTC." -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "Standaardtaal" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "URL's" - -#: actions/siteadminpanel.php:306 -msgid "Server" -msgstr "Server" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "Hostnaam van de website server." - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "Nette URL's" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "Nette URL's (meer leesbaar en beter te onthouden) gebruiken?" - -#: actions/siteadminpanel.php:318 -msgid "Access" -msgstr "Toegang" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "Privé" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "Mogen anonieme gebruikers (niet aangemeld) de website bekijken?" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "Alleen op uitnodiging" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "Registratie alleen op uitnodiging." - -#: actions/siteadminpanel.php:333 -msgid "Closed" -msgstr "Gesloten" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "Nieuwe registraties uitschakelen." - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "Snapshots" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "Willekeurig tijdens een websitehit" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "Als geplande taak" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "Snapshots van gegevens" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" "Wanneer statistische gegevens naar de status.net-servers verzonden worden" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "Frequentie" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "Iedere zoveel websitehits wordt een snapshot verzonden" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "Rapportage-URL" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "Snapshots worden naar deze URL verzonden" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "Limieten" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "Tekstlimiet" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "Maximaal aantal te gebruiken tekens voor mededelingen." -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "Duplicaatlimiet" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Hoe lang gebruikers moeten wachten (in seconden) voor ze hetzelfde kunnen " "zenden." -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 msgid "Save site settings" msgstr "Websiteinstellingen opslaan" @@ -3953,6 +3998,11 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "Gebruikers die zichzelf met %1$s hebben gelabeld - pagina %2$d" + #: actions/tag.php:86 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4256,6 +4306,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "Geniet van uw hotdog!" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "%1$s groeps leden, pagina %2$d" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "Meer groepen zoeken" @@ -4330,7 +4385,7 @@ msgstr "" msgid "Plugins" msgstr "Plug-ins" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "Versie" @@ -4388,31 +4443,31 @@ msgstr "Het was niet mogelijk het bericht in te voegen." msgid "Could not update message with new URI." msgstr "Het was niet mogelijk het bericht bij te werken met de nieuwe URI." -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Er is een databasefout opgetreden bij de invoer van de hashtag: %s" -#: classes/Notice.php:225 +#: classes/Notice.php:214 msgid "Problem saving notice. Too long." msgstr "" "Er is een probleem opgetreden bij het opslaan van de mededeling. Deze is te " "lang." -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "" "Er was een probleem bij het opslaan van de mededeling. De gebruiker is " "onbekend." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "U hebt te snel te veel mededelingen verstuurd. Kom even op adem en probeer " "het over enige tijd weer." -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4420,22 +4475,27 @@ msgstr "" "Te veel duplicaatberichten te snel achter elkaar. Neem een adempauze en " "plaats over een aantal minuten pas weer een bericht." -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "" "U bent geblokkeerd en mag geen mededelingen meer achterlaten op deze site." -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "Er is een probleem opgetreden bij het opslaan van de mededeling." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "Er is een probleem opgetreden bij het opslaan van de mededeling." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "" "Er is een databasefout opgetreden bij het invoegen van het antwoord: %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4490,124 +4550,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Naamloze pagina" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Primaire sitenavigatie" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "Start" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Persoonlijk profiel en tijdlijn van vrienden" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Uw e-mailadres, avatar, wachtwoord of profiel wijzigen" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "Koppelen" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect to services" msgstr "Met diensten verbinden" -#: lib/action.php:442 +#: lib/action.php:448 msgid "Change site configuration" msgstr "Websiteinstellingen wijzigen" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Uitnodigen" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Vrienden en collega's uitnodigen om u te vergezellen op %s" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "Afmelden" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Van de site afmelden" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "Gebruiker aanmaken" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "Bij de site aanmelden" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Help" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "Help me!" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Zoeken" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Naar gebruikers of tekst zoeken" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "Mededeling van de website" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "Lokale weergaven" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "Mededeling van de pagina" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Secundaire sitenavigatie" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "Over" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "Veel gestelde vragen" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "Gebruiksvoorwaarden" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "Privacy" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "Broncode" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Contact" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "Widget" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Licentie van de StatusNet-software" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4616,12 +4676,12 @@ msgstr "" "**%%site.name%%** is een microblogdienst van [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** is een microblogdienst. " -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4632,41 +4692,45 @@ msgstr "" "versie %s, beschikbaar onder de [GNU Affero General Public License](http://" "www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "Licentie voor siteinhoud" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." -msgstr "" +msgstr "Inhoud en gegevens van %1$s zijn persoonlijk en vertrouwelijk." -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" +"Auteursrechten op inhoud en gegevens rusten bij %1$s. Alle rechten " +"voorbehouden." -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" +"Auteursrechten op inhoud en gegevens rusten bij de respectievelijke " +"gebruikers. Alle rechten voorbehouden." -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "Alle " -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "licentie." -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "Paginering" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "Later" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "Eerder" @@ -4698,10 +4762,24 @@ msgstr "Basisinstellingen voor de website" msgid "Design configuration" msgstr "Instellingen vormgeving" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "Padinstellingen" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "Instellingen vormgeving" + +#: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "Padinstellingen" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "Applicatie bewerken" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "Icoon voor deze applicatie" @@ -5322,12 +5400,12 @@ msgstr "MB" msgid "kB" msgstr "kB" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "[%s]" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "Onbekende bron Postvak IN %d." @@ -5831,19 +5909,19 @@ msgstr "Antwoorden" msgid "Favorites" msgstr "Favorieten" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Postvak IN" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "Uw inkomende berichten" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "Postvak UIT" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "Uw verzonden berichten" @@ -6085,47 +6163,47 @@ msgstr "Bericht" msgid "Moderate" msgstr "Modereren" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "een paar seconden geleden" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "ongeveer een minuut geleden" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "ongeveer %d minuten geleden" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "ongeveer een uur geleden" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "ongeveer %d uur geleden" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "ongeveer een dag geleden" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "ongeveer %d dagen geleden" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "ongeveer een maand geleden" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "ongeveer %d maanden geleden" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "ongeveer een jaar geleden" @@ -6139,7 +6217,7 @@ msgstr "%s is geen geldige kleur." msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "%s is geen geldige kleur. Gebruik drie of zes hexadecimale tekens." -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "" diff --git a/locale/nn/LC_MESSAGES/statusnet.po b/locale/nn/LC_MESSAGES/statusnet.po index 5a9d928fd..44c9c6cd5 100644 --- a/locale/nn/LC_MESSAGES/statusnet.po +++ b/locale/nn/LC_MESSAGES/statusnet.po @@ -7,17 +7,75 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:38:09+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:59:27+0000\n" "Language-Team: Norwegian Nynorsk\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nn\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#, fuzzy +msgid "Access" +msgstr "Godta" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Avatar-innstillingar" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "Registrér" + +#: actions/accessadminpanel.php:161 +#, fuzzy +msgid "Private" +msgstr "Personvern" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#: actions/accessadminpanel.php:167 +#, fuzzy +msgid "Invite only" +msgstr "Invitér" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "" + +#: actions/accessadminpanel.php:173 +#, fuzzy +msgid "Closed" +msgstr "Blokkér" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "" + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Lagra" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Avatar-innstillingar" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 #, fuzzy @@ -33,7 +91,7 @@ msgstr "Dette emneord finst ikkje." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -133,8 +191,7 @@ msgstr "Oppdateringar frÃ¥ %1$s og vener pÃ¥ %2$s!" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -151,7 +208,7 @@ msgstr "Fann ikkje API-metode." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "Dette krev ein POST." @@ -182,7 +239,7 @@ msgstr "Kan ikkje lagra profil." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -493,7 +550,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Konto" @@ -554,17 +618,17 @@ msgstr "Lasta opp brukarbilete." msgid "No status with that ID found." msgstr "Fann ingen status med den ID-en." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Det er for langt! Ein notis kan berre innehalde 140 teikn." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "Fann ikkje" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -616,11 +680,6 @@ msgstr "%s offentleg tidsline" msgid "%s updates from everyone!" msgstr "%s oppdateringar frÃ¥ alle saman!" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "" - #: actions/apitimelineretweetedtome.php:111 #, fuzzy, php-format msgid "Repeated to %s" @@ -1046,17 +1105,6 @@ msgstr "" msgid "Reset back to default" msgstr "" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Lagra" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1069,13 +1117,15 @@ msgstr "Denne notisen er ikkje ein favoritt!" msgid "Add to favorites" msgstr "Legg til i favorittar" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "Slikt dokument finst ikkje." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "Andre val" #: actions/editapplication.php:66 #, fuzzy @@ -1094,7 +1144,7 @@ msgid "No such application." msgstr "Denne notisen finst ikkje." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "Det var eit problem med sesjons billetten din." @@ -1308,7 +1358,7 @@ msgid "Cannot normalize that email address" msgstr "Klarar ikkje normalisera epostadressa" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "Ikkje ei gyldig epostadresse." @@ -1320,7 +1370,7 @@ msgstr "Det er alt din epost addresse" msgid "That email address already belongs to another user." msgstr "Den epost addressa er alt registrert hos ein annan brukar." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "Kan ikkje leggja til godkjenningskode." @@ -1637,7 +1687,7 @@ msgstr "%s medlemmar i gruppa, side %d" msgid "A list of the users in this group." msgstr "Ei liste over brukarane i denne gruppa." -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" @@ -1829,6 +1879,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "Det er ikkje din Jabber ID." +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "Innboks for %s" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -2006,7 +2061,7 @@ msgstr "Feil brukarnamn eller passord" msgid "Error setting user. You are probably not authorized." msgstr "Ikkje autorisert." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Logg inn" @@ -2069,8 +2124,9 @@ msgid "No current status" msgstr "Ingen status" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "Denne notisen finst ikkje." #: actions/newapplication.php:64 #, fuzzy @@ -2265,8 +2321,8 @@ msgstr "Kopla til" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "Ikkje eit støtta dataformat." @@ -2337,6 +2393,11 @@ msgstr "Ugyldig notisinnhald" msgid "Login token expired." msgstr "Logg inn " +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "Utboks for %s" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2407,7 +2468,7 @@ msgstr "Klarar ikkje lagra nytt passord." msgid "Password saved." msgstr "Lagra passord." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "" @@ -2415,142 +2476,159 @@ msgstr "" msgid "Path and server settings for this StatusNet site." msgstr "" -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, fuzzy, php-format msgid "Theme directory not readable: %s" msgstr "Denne sida er ikkje tilgjengleg i eit" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 #, fuzzy msgid "Site" msgstr "Invitér" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +#, fuzzy +msgid "Server" +msgstr "Gjenopprett" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 #, fuzzy msgid "Site path" msgstr "Statusmelding" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 #, fuzzy msgid "Avatars" msgstr "Brukarbilete" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 #, fuzzy msgid "Avatar server" msgstr "Avatar-innstillingar" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 #, fuzzy msgid "Avatar path" msgstr "Lasta opp brukarbilete." -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 #, fuzzy msgid "Avatar directory" msgstr "Lasta opp brukarbilete." -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 #, fuzzy msgid "SSL" msgstr "SMS" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 #, fuzzy msgid "Never" msgstr "Gjenopprett" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 #, fuzzy msgid "Sometimes" msgstr "Notisar" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 #, fuzzy msgid "SSL server" msgstr "Gjenopprett" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 #, fuzzy msgid "Save paths" msgstr "Statusmelding" @@ -2664,7 +2742,7 @@ msgstr "" "merkelappar for deg sjølv ( bokstavar, nummer, -, ., og _ ), komma eller " "mellomroms separert." -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "SprÃ¥k" @@ -2691,7 +2769,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "«Om meg» er for lang (maks 140 " -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "Tidssone er ikkje valt." @@ -2958,7 +3036,7 @@ msgstr "Feil med stadfestingskode." msgid "Registration successful" msgstr "Registreringa gikk bra" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registrér" @@ -3000,7 +3078,7 @@ msgid "Same as password above. Required." msgstr "Samme som passord over. PÃ¥krevd." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Epost" @@ -3167,6 +3245,11 @@ msgstr "Lag" msgid "Replies to %s" msgstr "Svar til %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "Melding til %1$s pÃ¥ %2$s" + #: actions/replies.php:144 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3296,6 +3379,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "%s's favoritt meldingar" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Kunne ikkje hente fram favorittane." @@ -3345,6 +3433,11 @@ msgstr "" msgid "%s group" msgstr "%s gruppe" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "%s medlemmar i gruppa, side %d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "Gruppe profil" @@ -3460,6 +3553,11 @@ msgstr "Melding lagra" msgid " tagged %s" msgstr "Notisar merka med %s" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%s med vener, side %d" + #: actions/showstream.php:122 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3541,203 +3639,149 @@ msgstr "Brukar har blokkert deg." msgid "Basic settings for this StatusNet site." msgstr "" -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 #, fuzzy msgid "You must have a valid contact email address." msgstr "Ikkje ei gyldig epostadresse" -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "" -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 #, fuzzy msgid "Site name" msgstr "Statusmelding" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 #, fuzzy msgid "Contact email address for your site" msgstr "Ny epostadresse for Ã¥ oppdatera %s" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 #, fuzzy msgid "Local" msgstr "Lokale syningar" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 #, fuzzy msgid "Default site language" msgstr "Foretrukke sprÃ¥k" -#: actions/siteadminpanel.php:303 -#, fuzzy -msgid "URLs" -msgstr "URL" - -#: actions/siteadminpanel.php:306 -#, fuzzy -msgid "Server" -msgstr "Gjenopprett" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "" - -#: actions/siteadminpanel.php:318 -#, fuzzy -msgid "Access" -msgstr "Godta" - -#: actions/siteadminpanel.php:321 -#, fuzzy -msgid "Private" -msgstr "Personvern" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" - -#: actions/siteadminpanel.php:327 -#, fuzzy -msgid "Invite only" -msgstr "Invitér" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "" - -#: actions/siteadminpanel.php:333 -#, fuzzy -msgid "Closed" -msgstr "Blokkér" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "" - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 #, fuzzy msgid "Save site settings" msgstr "Avatar-innstillingar" @@ -3939,6 +3983,11 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "Brukarar sjølv-merka med %s, side %d" + #: actions/tag.php:86 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4251,6 +4300,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "%s medlemmar i gruppa, side %d" + #: actions/usergroups.php:130 #, fuzzy msgid "Search for more groups" @@ -4314,7 +4368,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "Personleg" @@ -4373,27 +4427,27 @@ msgstr "Kunne ikkje lagre melding." msgid "Could not update message with new URI." msgstr "Kunne ikkje oppdatere melding med ny URI." -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "databasefeil ved innsetjing av skigardmerkelapp (#merkelapp): %s" -#: classes/Notice.php:225 +#: classes/Notice.php:214 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Eit problem oppstod ved lagring av notis." -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "Feil ved lagring av notis. Ukjend brukar." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "For mange notisar for raskt; tek ei pause, og prøv igjen om eit par minutt." -#: classes/Notice.php:240 +#: classes/Notice.php:229 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4401,20 +4455,25 @@ msgid "" msgstr "" "For mange notisar for raskt; tek ei pause, og prøv igjen om eit par minutt." -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "Du kan ikkje lengre legge inn notisar pÃ¥ denne sida." -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "Eit problem oppstod ved lagring av notis." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "Eit problem oppstod ved lagring av notis." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Databasefeil, kan ikkje lagra svar: %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4470,127 +4529,127 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Ingen tittel" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Navigasjon for hovudsida" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "Heim" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Personleg profil og oversyn over vener" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Endra e-posten, avataren, passordet eller profilen" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "Kopla til" -#: lib/action.php:438 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "Klarte ikkje Ã¥ omdirigera til tenaren: %s" -#: lib/action.php:442 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "Navigasjon for hovudsida" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Invitér" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Inviter vennar og kollega til Ã¥ bli med deg pÃ¥ %s" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "Logg ut" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Logg ut or sida" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "Opprett ny konto" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "Logg inn or sida" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Hjelp" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "Hjelp meg!" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Søk" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Søk etter folk eller innhald" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "Statusmelding" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "Lokale syningar" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "Sidenotis" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "AndrenivÃ¥s side navigasjon" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "Om" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "OSS" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "Personvern" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "Kjeldekode" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:745 +#: lib/action.php:751 #, fuzzy msgid "Badge" msgstr "Dult" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "StatusNets programvarelisens" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4599,12 +4658,12 @@ msgstr "" "**%%site.name%%** er ei mikrobloggingteneste av [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** er ei mikrobloggingteneste. " -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4615,42 +4674,42 @@ msgstr "" "%s, tilgjengeleg under [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:795 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "StatusNets programvarelisens" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "Alle" -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "lisens." -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "Paginering" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "« Etter" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "Før »" @@ -4689,11 +4748,25 @@ msgstr "Stadfesting av epostadresse" msgid "Design configuration" msgstr "SMS bekreftelse" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "SMS bekreftelse" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "SMS bekreftelse" + +#: lib/adminpanelaction.php:332 #, fuzzy msgid "Paths configuration" msgstr "SMS bekreftelse" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -5283,12 +5356,12 @@ msgstr "" msgid "kB" msgstr "" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "" @@ -5721,19 +5794,19 @@ msgstr "Svar" msgid "Favorites" msgstr "Favorittar" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Innboks" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "Dine innkomande meldinger" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "Utboks" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "Dine sende meldingar" @@ -5992,47 +6065,47 @@ msgstr "Melding" msgid "Moderate" msgstr "" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "eit par sekund sidan" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "omtrent eitt minutt sidan" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "~%d minutt sidan" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "omtrent ein time sidan" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "~%d timar sidan" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "omtrent ein dag sidan" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "~%d dagar sidan" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "omtrent ein mÃ¥nad sidan" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "~%d mÃ¥nadar sidan" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "omtrent eitt Ã¥r sidan" @@ -6046,7 +6119,7 @@ msgstr "Heimesida er ikkje ei gyldig internettadresse." msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "" -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, fuzzy, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "Melding for lang - maksimum 140 teikn, du skreiv %d" diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index b42a542b5..292affef5 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:38:15+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:59:33+0000\n" "Last-Translator: Piotr DrÄ…g \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -19,11 +19,65 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: out-statusnet\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +msgid "Access" +msgstr "DostÄ™p" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Zapisz ustawienia strony" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "Zarejestruj siÄ™" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "Prywatna" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "Zabronić anonimowym użytkownikom (niezalogowanym) przeglÄ…dać stronÄ™?" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "Tylko zaproszeni" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "Rejestracja tylko za zaproszeniem." + +#: actions/accessadminpanel.php:173 +msgid "Closed" +msgstr "ZamkniÄ™te" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "WyÅ‚Ä…czenie nowych rejestracji." + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Zapisz" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Zapisz ustawienia strony" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -38,7 +92,7 @@ msgstr "Nie ma takiej strony" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -146,8 +200,7 @@ msgstr "Aktualizacje z %1$s i przyjaciół na %2$s." #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -163,7 +216,7 @@ msgstr "Nie odnaleziono metody API." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "Ta metoda wymaga POST." @@ -193,7 +246,7 @@ msgstr "Nie można zapisać profilu." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -495,7 +548,14 @@ msgstr "Aplikacja chce poÅ‚Ä…czyć siÄ™ z kontem użytkownika" msgid "Allow or deny access" msgstr "Zezwolić czy odmówić dostÄ™p" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Konto" @@ -552,17 +612,17 @@ msgstr "UsuniÄ™to stan." msgid "No status with that ID found." msgstr "Nie odnaleziono stanów z tym identyfikatorem." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Wpis jest za dÅ‚ugi. Maksymalna dÅ‚ugość wynosi %d znaków." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "Nie odnaleziono" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "Maksymalny rozmiar wpisu wynosi %d znaków, w tym adres URL zaÅ‚Ä…cznika." @@ -613,11 +673,6 @@ msgstr "Publiczna oÅ› czasu użytkownika %s" msgid "%s updates from everyone!" msgstr "Użytkownik %s aktualizuje od każdego." -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "Powtórzone przez użytkownika %s" - #: actions/apitimelineretweetedtome.php:111 #, php-format msgid "Repeated to %s" @@ -1023,17 +1078,6 @@ msgstr "Przywróć domyÅ›lny wyglÄ…d" msgid "Reset back to default" msgstr "Przywróć domyÅ›lne ustawienia" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Zapisz" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Zapisz wyglÄ…d" @@ -1046,12 +1090,14 @@ msgstr "Ten wpis nie jest ulubiony." msgid "Add to favorites" msgstr "Dodaj do ulubionych" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "Nie ma takiego dokumentu." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" msgstr "Zmodyfikuj aplikacjÄ™" #: actions/editapplication.php:66 @@ -1068,7 +1114,7 @@ msgid "No such application." msgstr "Nie ma takiej aplikacji." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "WystÄ…piÅ‚ problem z tokenem sesji." @@ -1270,7 +1316,7 @@ msgid "Cannot normalize that email address" msgstr "Nie można znormalizować tego adresu e-mail" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "To nie jest prawidÅ‚owy adres e-mail." @@ -1282,7 +1328,7 @@ msgstr "Ten adres e-mail jest już twój." msgid "That email address already belongs to another user." msgstr "Ten adres e-mail należy już do innego użytkownika." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "Nie można wprowadzić kodu potwierdzajÄ…cego." @@ -1586,7 +1632,7 @@ msgstr "CzÅ‚onkowie grupy %1$s, strona %2$d" msgid "A list of the users in this group." msgstr "Lista użytkowników znajdujÄ…cych siÄ™ w tej grupie." -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" @@ -1782,6 +1828,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "To nie jest twój identyfikator Jabbera." +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "Odebrane wiadomoÅ›ci użytkownika %s" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1965,7 +2016,7 @@ msgstr "Niepoprawna nazwa użytkownika lub hasÅ‚o." msgid "Error setting user. You are probably not authorized." msgstr "BÅ‚Ä…d podczas ustawiania użytkownika. Prawdopodobnie brak upoważnienia." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Zaloguj siÄ™" @@ -2029,7 +2080,8 @@ msgid "No current status" msgstr "Brak obecnego stanu" #: actions/newapplication.php:52 -msgid "New application" +#, fuzzy +msgid "New Application" msgstr "Nowa aplikacja" #: actions/newapplication.php:64 @@ -2220,8 +2272,8 @@ msgstr "typ zawartoÅ›ci " msgid "Only " msgstr "Tylko " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "To nie jest obsÅ‚ugiwany format danych." @@ -2285,6 +2337,11 @@ msgstr "Podano nieprawidÅ‚owy token logowania." msgid "Login token expired." msgstr "Token logowania wygasÅ‚." +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "WysÅ‚ane wiadomoÅ›ci użytkownika %s" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2355,7 +2412,7 @@ msgstr "Nie można zapisać nowego hasÅ‚a." msgid "Password saved." msgstr "Zapisano hasÅ‚o." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "Åšcieżki" @@ -2363,132 +2420,150 @@ msgstr "Åšcieżki" msgid "Path and server settings for this StatusNet site." msgstr "Ustawienia Å›cieżki i serwera dla tej strony StatusNet." -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, php-format msgid "Theme directory not readable: %s" msgstr "Katalog motywu jest nieczytelny: %s" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "Katalog awatara jest niezapisywalny: %s" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "Katalog tÅ‚a jest niezapisywalny: %s" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "Katalog lokalizacji jest nieczytelny: %s" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "NieprawidÅ‚owy serwer SSL. Maksymalna dÅ‚ugość to 255 znaków." -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "Strona" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "Serwer" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "Nazwa komputera serwera strony." + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "Åšcieżka" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 msgid "Site path" msgstr "Åšcieżka do strony" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "Åšcieżka do lokalizacji" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "Åšcieżka do katalogu lokalizacji" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "Eleganckie adresu URL" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" +"Używać eleganckich (bardziej czytelnych i Å‚atwiejszych do zapamiÄ™tania) " +"adresów URL?" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "Motyw" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "Serwer motywu" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "Åšcieżka do motywu" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "Katalog motywu" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 msgid "Avatars" msgstr "Awatary" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 msgid "Avatar server" msgstr "Serwer awatara" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 msgid "Avatar path" msgstr "Åšcieżka do awatara" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 msgid "Avatar directory" msgstr "Katalog awatara" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "TÅ‚a" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "Serwer tÅ‚a" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "Åšcieżka do tÅ‚a" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "Katalog tÅ‚a" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 msgid "Never" msgstr "Nigdy" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "Czasem" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "Zawsze" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "Użycie SSL" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "Kiedy używać SSL" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 msgid "SSL server" msgstr "Serwer SSL" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "Serwer do przekierowywania żądaÅ„ SSL" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 msgid "Save paths" msgstr "Åšcieżki zapisu" @@ -2600,7 +2675,7 @@ msgstr "" "Znaczniki dla siebie (litery, liczby, -, . i _), oddzielone przecinkami lub " "spacjami" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "JÄ™zyk" @@ -2627,7 +2702,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Wpis \"O mnie\" jest za dÅ‚ugi (maksymalnie %d znaków)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "Nie wybrano strefy czasowej." @@ -2902,7 +2977,7 @@ msgstr "NieprawidÅ‚owy kod zaproszenia." msgid "Registration successful" msgstr "Rejestracja powiodÅ‚a siÄ™" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Zarejestruj siÄ™" @@ -2946,7 +3021,7 @@ msgid "Same as password above. Required." msgstr "Takie samo jak powyższe hasÅ‚o. Wymagane." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "E-mail" @@ -3104,6 +3179,11 @@ msgstr "Powtórzono." msgid "Replies to %s" msgstr "Odpowiedzi na %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "odpowiedzi dla użytkownika %1$s na %2$s." + #: actions/replies.php:144 #, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3235,6 +3315,11 @@ msgstr "" "Uwaga: obsÅ‚ugiwane sÄ… podpisy HMAC-SHA1. Metoda podpisu w zwykÅ‚ym tekÅ›cie " "nie jest obsÅ‚ugiwana." +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "Ulubione wpisy użytkownika %s" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Nie można odebrać ulubionych wpisów." @@ -3292,6 +3377,11 @@ msgstr "To jest sposób na współdzielenie tego, co chcesz." msgid "%s group" msgstr "Grupa %s" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "CzÅ‚onkowie grupy %1$s, strona %2$d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "Profil grupy" @@ -3412,6 +3502,11 @@ msgstr "UsuniÄ™to wpis." msgid " tagged %s" msgstr " ze znacznikiem %s" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%1$s i przyjaciele, strona %2$d" + #: actions/showstream.php:122 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3502,196 +3597,146 @@ msgstr "Użytkownik jest już wyciszony." msgid "Basic settings for this StatusNet site." msgstr "Podstawowe ustawienia tej strony StatusNet." -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "Nazwa strony nie może mieć zerowÄ… dÅ‚ugość." -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 msgid "You must have a valid contact email address." msgstr "Należy posiadać prawidÅ‚owy kontaktowy adres e-mail." -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "Nieznany jÄ™zyk \"%s\"." -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "NieprawidÅ‚owy adres URL zgÅ‚aszania migawek." -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "NieprawidÅ‚owa wartość wykonania migawki." -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "CzÄ™stotliwość migawek musi być liczbÄ…." -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "Maksymalne ograniczenie tekstu to 14 znaków." -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "Ograniczenie duplikatów musi wynosić jednÄ… lub wiÄ™cej sekund." -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "Ogólne" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 msgid "Site name" msgstr "Nazwa strony" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "Nazwa strony, taka jak \"Mikroblog firmy X\"" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "Dostarczane przez" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "Tekst używany do odnoÅ›nika do zasÅ‚ug w stopce każdej strony" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "Adres URL \"Dostarczane przez\"" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "Adres URL używany do odnoÅ›nika do zasÅ‚ug w stopce każdej strony" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 msgid "Contact email address for your site" msgstr "Kontaktowy adres e-mail strony" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 msgid "Local" msgstr "Lokalne" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "DomyÅ›lna strefa czasowa" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "DomyÅ›la strefa czasowa strony, zwykle UTC." -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "DomyÅ›lny jÄ™zyk strony" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "Adresy URL" - -#: actions/siteadminpanel.php:306 -msgid "Server" -msgstr "Serwer" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "Nazwa komputera serwera strony." - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "Eleganckie adresu URL" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "" -"Używać eleganckich (bardziej czytelnych i Å‚atwiejszych do zapamiÄ™tania) " -"adresów URL?" - -#: actions/siteadminpanel.php:318 -msgid "Access" -msgstr "DostÄ™p" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "Prywatna" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "Zabronić anonimowym użytkownikom (niezalogowanym) przeglÄ…dać stronÄ™?" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "Tylko zaproszeni" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "Rejestracja tylko za zaproszeniem." - -#: actions/siteadminpanel.php:333 -msgid "Closed" -msgstr "ZamkniÄ™te" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "WyÅ‚Ä…czenie nowych rejestracji." - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "Migawki" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "Losowo podczas trafienia WWW" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "Jako zaplanowane zadanie" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "Migawki danych" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "Kiedy wysyÅ‚ać dane statystyczne na serwery status.net" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "CzÄ™stotliwość" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "Migawki bÄ™dÄ… wysyÅ‚ane co N trafieÅ„ WWW" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "Adres URL zgÅ‚aszania" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "Migawki bÄ™dÄ… wysyÅ‚ane na ten adres URL" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "Ograniczenia" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "Ograniczenie tekstu" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "Maksymalna liczba znaków wpisów." -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "Ograniczenie duplikatów" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Ile czasu użytkownicy muszÄ… czekać (w sekundach), aby ponownie wysÅ‚ać to " "samo." -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 msgid "Save site settings" msgstr "Zapisz ustawienia strony" @@ -3899,6 +3944,11 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "Użytkownicy używajÄ…cy znacznika %1$s - strona %2$d" + #: actions/tag.php:86 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4197,6 +4247,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "Smacznego hot-doga." +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "CzÅ‚onkowie grupy %1$s, strona %2$d" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "Wyszukaj wiÄ™cej grup" @@ -4272,7 +4327,7 @@ msgstr "" msgid "Plugins" msgstr "Wtyczki" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "Wersja" @@ -4331,27 +4386,27 @@ msgstr "Nie można wprowadzić wiadomoÅ›ci." msgid "Could not update message with new URI." msgstr "Nie można zaktualizować wiadomoÅ›ci za pomocÄ… nowego adresu URL." -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "BÅ‚Ä…d bazy danych podczas wprowadzania znacznika mieszania: %s" -#: classes/Notice.php:225 +#: classes/Notice.php:214 msgid "Problem saving notice. Too long." msgstr "Problem podczas zapisywania wpisu. Za dÅ‚ugi." -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "Problem podczas zapisywania wpisu. Nieznany użytkownik." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Za dużo wpisów w za krótkim czasie, weź gÅ‚Ä™boki oddech i wyÅ›lij ponownie za " "kilka minut." -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4359,20 +4414,25 @@ msgstr "" "Za dużo takich samych wiadomoÅ›ci w za krótkim czasie, weź gÅ‚Ä™boki oddech i " "wyÅ›lij ponownie za kilka minut." -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "Zabroniono ci wysyÅ‚ania wpisów na tej stronie." -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "Problem podczas zapisywania wpisu." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "Problem podczas zapisywania wpisu." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "BÅ‚Ä…d bazy danych podczas wprowadzania odpowiedzi: %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4427,124 +4487,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Strona bez nazwy" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Główna nawigacja strony" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "Strona domowa" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Profil osobisty i oÅ› czasu przyjaciół" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "ZmieÅ„ adres e-mail, awatar, hasÅ‚o, profil" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "PoÅ‚Ä…cz" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect to services" msgstr "PoÅ‚Ä…cz z serwisami" -#: lib/action.php:442 +#: lib/action.php:448 msgid "Change site configuration" msgstr "ZmieÅ„ konfiguracjÄ™ strony" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "ZaproÅ›" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "ZaproÅ› przyjaciół i kolegów do doÅ‚Ä…czenia do ciebie na %s" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "Wyloguj siÄ™" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Wyloguj siÄ™ ze strony" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "Utwórz konto" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "Zaloguj siÄ™ na stronÄ™" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Pomoc" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "Pomóż mi." -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Wyszukaj" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Wyszukaj osoby lub tekst" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "Wpis strony" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "Lokalne widoki" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "Wpis strony" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Druga nawigacja strony" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "O usÅ‚udze" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "TOS" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "Prywatność" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "Kod źródÅ‚owy" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "Odznaka" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Licencja oprogramowania StatusNet" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4553,12 +4613,12 @@ msgstr "" "**%%site.name%%** jest usÅ‚ugÄ… mikroblogowania prowadzonÄ… przez [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** jest usÅ‚ugÄ… mikroblogowania. " -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4569,41 +4629,45 @@ msgstr "" "status.net/) w wersji %s, dostÄ™pnego na [Powszechnej Licencji Publicznej GNU " "Affero](http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "Licencja zawartoÅ›ci strony" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." -msgstr "" +msgstr "Treść i dane %1$s sÄ… prywatne i poufne." -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" +"Prawa autorskie do treÅ›ci i danych sÄ… wÅ‚asnoÅ›ciÄ… %1$s. Wszystkie prawa " +"zastrzeżone." -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" +"Prawa autorskie do treÅ›ci i danych sÄ… wÅ‚asnoÅ›ciÄ… współtwórców. Wszystkie " +"prawa zastrzeżone." -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "Wszystko " -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "licencja." -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "Paginacja" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "Później" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "WczeÅ›niej" @@ -4635,10 +4699,24 @@ msgstr "Podstawowa konfiguracja strony" msgid "Design configuration" msgstr "Konfiguracja wyglÄ…du" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "Konfiguracja Å›cieżek" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "Konfiguracja wyglÄ…du" + +#: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "Konfiguracja Å›cieżek" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "Zmodyfikuj aplikacjÄ™" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "Ikona tej aplikacji" @@ -5256,12 +5334,12 @@ msgstr "MB" msgid "kB" msgstr "KB" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "[%s]" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "Nieznane źródÅ‚o skrzynki odbiorczej %d." @@ -5759,19 +5837,19 @@ msgstr "Odpowiedzi" msgid "Favorites" msgstr "Ulubione" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Odebrane" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "WiadomoÅ›ci przychodzÄ…ce" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "WysÅ‚ane" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "WysÅ‚ane wiadomoÅ›ci" @@ -6013,47 +6091,47 @@ msgstr "Wiadomość" msgid "Moderate" msgstr "Moderuj" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "kilka sekund temu" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "okoÅ‚o minutÄ™ temu" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "okoÅ‚o %d minut temu" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "okoÅ‚o godzinÄ™ temu" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "okoÅ‚o %d godzin temu" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "blisko dzieÅ„ temu" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "okoÅ‚o %d dni temu" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "okoÅ‚o miesiÄ…c temu" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "okoÅ‚o %d miesiÄ™cy temu" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "okoÅ‚o rok temu" @@ -6069,7 +6147,7 @@ msgstr "" "%s nie jest prawidÅ‚owym kolorem. Użyj trzech lub szeÅ›ciu znaków " "szesnastkowych." -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "Wiadomość jest za dÅ‚uga - maksymalnie %1$d znaków, wysÅ‚ano %2$d." diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index 9b136debd..86e7899ee 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -9,17 +9,71 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:38:17+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:59:37+0000\n" "Language-Team: Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +msgid "Access" +msgstr "Acesso" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Gravar configurações do site" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "Registar" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "Privado" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "Proibir utilizadores anónimos (sem sessão iniciada) de ver o site?" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "Só por convite" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "Permitir o registo só a convidados." + +#: actions/accessadminpanel.php:173 +msgid "Closed" +msgstr "Fechado" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "Impossibilitar registos novos." + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Gravar" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Gravar configurações do site" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -34,7 +88,7 @@ msgstr "Página não encontrada." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -140,8 +194,7 @@ msgstr "Actualizações de %1$s e amigos no %2$s!" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -157,7 +210,7 @@ msgstr "Método da API não encontrado." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "Este método requer um POST." @@ -187,7 +240,7 @@ msgstr "Não foi possível gravar o perfil." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -490,7 +543,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Conta" @@ -549,17 +609,17 @@ msgstr "Estado apagado." msgid "No status with that ID found." msgstr "Não foi encontrado um estado com esse ID." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Demasiado longo. Tamanho máx. das notas é %d caracteres." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "Não encontrado" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "Tamanho máx. das notas é %d caracteres, incluíndo a URL do anexo." @@ -610,11 +670,6 @@ msgstr "Notas públicas de %s" msgid "%s updates from everyone!" msgstr "%s actualizações de todos!" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "Repetida por %s" - #: actions/apitimelineretweetedtome.php:111 #, php-format msgid "Repeated to %s" @@ -1023,17 +1078,6 @@ msgstr "Repor estilos predefinidos" msgid "Reset back to default" msgstr "Repor predefinição" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Gravar" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Gravar o estilo" @@ -1046,13 +1090,15 @@ msgstr "Esta nota não é uma favorita!" msgid "Add to favorites" msgstr "Adicionar às favoritas" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "Documento não encontrado." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "Outras opções" #: actions/editapplication.php:66 #, fuzzy @@ -1071,7 +1117,7 @@ msgid "No such application." msgstr "Nota não encontrada." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "Ocorreu um problema com a sua sessão." @@ -1285,7 +1331,7 @@ msgid "Cannot normalize that email address" msgstr "Não é possível normalizar esse endereço electrónico" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "Correio electrónico é inválido." @@ -1297,7 +1343,7 @@ msgstr "Esse já é o seu endereço electrónico." msgid "That email address already belongs to another user." msgstr "Esse endereço electrónico já pertence a outro utilizador." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "Não foi possível inserir o código de confirmação." @@ -1604,7 +1650,7 @@ msgstr "Membros do grupo %1$s, página %2$d" msgid "A list of the users in this group." msgstr "Uma lista dos utilizadores neste grupo." -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Gestor" @@ -1800,6 +1846,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "Esse não é o seu Jabber ID." +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "Caixa de entrada de %s" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1983,7 +2034,7 @@ msgstr "Nome de utilizador ou senha incorrectos." msgid "Error setting user. You are probably not authorized." msgstr "Erro ao preparar o utilizador. Provavelmente não está autorizado." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Entrar" @@ -2047,8 +2098,9 @@ msgid "No current status" msgstr "Sem estado actual" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "Nota não encontrada." #: actions/newapplication.php:64 #, fuzzy @@ -2243,8 +2295,8 @@ msgstr "tipo de conteúdo " msgid "Only " msgstr "Apenas " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "Formato de dados não suportado." @@ -2314,6 +2366,11 @@ msgstr "Chave inválida ou expirada." msgid "Login token expired." msgstr "Iniciar sessão no site" +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "Caixa de saída de %s" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2385,7 +2442,7 @@ msgstr "Não é possível guardar a nova senha." msgid "Password saved." msgstr "Senha gravada." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "Localizações" @@ -2393,132 +2450,148 @@ msgstr "Localizações" msgid "Path and server settings for this StatusNet site." msgstr "Configurações de localização e servidor deste site StatusNet." -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, php-format msgid "Theme directory not readable: %s" msgstr "Sem acesso de leitura do directório do tema: %s" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "Sem acesso de escrita no directório do avatar: %s" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "Sem acesso de escrita no directório do fundo: %s" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "Sem acesso de leitura ao directório de idiomas: %s" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Servidor SSL inválido. O tamanho máximo é 255 caracteres." -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "Site" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "Servidor" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "Nome do servidor do site." + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "Localização" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 msgid "Site path" msgstr "Localização do site" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "Localização de idiomas" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "Localização do directório de idiomas" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "URLs bonitas" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "Usar URLs bonitas (mais legíveis e memoráveis)" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "Tema" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "Servidor do tema" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "Localização do tema" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "Directório do tema" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 msgid "Avatars" msgstr "Avatares" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 msgid "Avatar server" msgstr "Servidor do avatar" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 msgid "Avatar path" msgstr "Localização do avatar" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 msgid "Avatar directory" msgstr "Directório do avatar" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "Fundos" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "Servidor de fundos" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "Localização dos fundos" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "Directório dos fundos" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 msgid "Never" msgstr "Nunca" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "Às vezes" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "Sempre" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "Usar SSL" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "Quando usar SSL" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 msgid "SSL server" msgstr "Servidor SSL" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "Servidor para onde encaminhar pedidos SSL" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 msgid "Save paths" msgstr "Gravar localizações" @@ -2631,7 +2704,7 @@ msgstr "" "Categorias para si (letras, números, -, ., _), separadas por vírgulas ou " "espaços" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "Idioma" @@ -2657,7 +2730,7 @@ msgstr "Subscrever automaticamente quem me subscreva (óptimo para não-humanos) msgid "Bio is too long (max %d chars)." msgstr "Biografia demasiado extensa (máx. %d caracteres)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "Fuso horário não foi seleccionado." @@ -2936,7 +3009,7 @@ msgstr "Desculpe, código de convite inválido." msgid "Registration successful" msgstr "Registo efectuado" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registar" @@ -2979,7 +3052,7 @@ msgid "Same as password above. Required." msgstr "Repita a senha acima. Obrigatório." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Correio" @@ -3137,6 +3210,11 @@ msgstr "Repetida!" msgid "Replies to %s" msgstr "Respostas a %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "Respostas a %1$s em %2$s!" + #: actions/replies.php:144 #, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3270,6 +3348,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "Notas favoritas de %s" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Não foi possível importar notas favoritas." @@ -3327,6 +3410,11 @@ msgstr "Esta é uma forma de partilhar aquilo de que gosta." msgid "%s group" msgstr "Grupo %s" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "Membros do grupo %1$s, página %2$d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "Perfil do grupo" @@ -3447,6 +3535,11 @@ msgstr "Avatar actualizado." msgid " tagged %s" msgstr " categorizou %s" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "Perfis bloqueados de %1$s, página %2$d" + #: actions/showstream.php:122 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3536,194 +3629,146 @@ msgstr "O utilizador já está silenciado." msgid "Basic settings for this StatusNet site." msgstr "Configurações básicas para este site StatusNet." -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "Nome do site não pode ter comprimento zero." -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 msgid "You must have a valid contact email address." msgstr "Tem de ter um endereço válido para o correio electrónico de contacto." -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "Língua desconhecida \"%s\"." -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "URL para onde enviar instantâneos é inválida" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "Valor de criação do instantâneo é inválido." -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "Frequência dos instantâneos estatísticos tem de ser um número." -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "O valor mínimo de limite para o texto é 140 caracteres." -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "O limite de duplicados tem de ser 1 ou mais segundos." -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "Geral" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 msgid "Site name" msgstr "Nome do site" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "O nome do seu site, por exemplo \"Microblogue NomeDaEmpresa\"" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "Disponibilizado por" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "Texto usado para a ligação de atribuição no rodapé de cada página" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "URL da atribuição" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "URL usada para a ligação de atribuição no rodapé de cada página" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 msgid "Contact email address for your site" msgstr "Endereço de correio electrónico de contacto para o site" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 msgid "Local" msgstr "Local" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "Fuso horário, por omissão" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "Fuso horário por omissão, para o site; normalmente, UTC." -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "Idioma do site, por omissão" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "URLs" - -#: actions/siteadminpanel.php:306 -msgid "Server" -msgstr "Servidor" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "Nome do servidor do site." - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "URLs bonitas" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "Usar URLs bonitas (mais legíveis e memoráveis)" - -#: actions/siteadminpanel.php:318 -msgid "Access" -msgstr "Acesso" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "Privado" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "Proibir utilizadores anónimos (sem sessão iniciada) de ver o site?" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "Só por convite" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "Permitir o registo só a convidados." - -#: actions/siteadminpanel.php:333 -msgid "Closed" -msgstr "Fechado" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "Impossibilitar registos novos." - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "Instantâneos" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "Aleatoriamente, durante o acesso pela internet" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "Num processo agendado" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "Instantâneos dos dados" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "Quando enviar dados estatísticos para os servidores do status.net" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "Frequência" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "Instantâneos serão enviados uma vez a cada N acessos da internet" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "URL para relatórios" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "Instantâneos serão enviados para esta URL" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "Limites" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "Limite de texto" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "Número máximo de caracteres nas notas." -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "Limite de duplicações" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Quanto tempo os utilizadores terão de esperar (em segundos) para publicar a " "mesma coisa outra vez." -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 msgid "Save site settings" msgstr "Gravar configurações do site" @@ -3932,6 +3977,11 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "Utilizadores auto-categorizados com %1$s - página %2$d" + #: actions/tag.php:86 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4232,6 +4282,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "Disfrute do seu cachorro-quente!" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "Membros do grupo %1$s, página %2$d" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "Procurar mais grupos" @@ -4304,7 +4359,7 @@ msgstr "" msgid "Plugins" msgstr "Plugins" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "Versão" @@ -4364,27 +4419,27 @@ msgstr "Não foi possível inserir a mensagem." msgid "Could not update message with new URI." msgstr "Não foi possível actualizar a mensagem com a nova URI." -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Erro na base de dados ao inserir a marca: %s" -#: classes/Notice.php:225 +#: classes/Notice.php:214 msgid "Problem saving notice. Too long." msgstr "Problema na gravação da nota. Demasiado longa." -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "Problema na gravação da nota. Utilizador desconhecido." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Demasiadas notas, demasiado rápido; descanse e volte a publicar daqui a " "alguns minutos." -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4392,20 +4447,25 @@ msgstr "" "Demasiadas mensagens duplicadas, demasiado rápido; descanse e volte a " "publicar daqui a alguns minutos." -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "Está proibido de publicar notas neste site." -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "Problema na gravação da nota." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "Problema na gravação da nota." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Ocorreu um erro na base de dados ao inserir a resposta: %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4460,124 +4520,124 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Página sem título" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Navegação primária deste site" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "Início" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Perfil pessoal e notas dos amigos" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Altere o seu endereço electrónico, avatar, senha, perfil" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "Ligar" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect to services" msgstr "Ligar aos serviços" -#: lib/action.php:442 +#: lib/action.php:448 msgid "Change site configuration" msgstr "Alterar a configuração do site" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Convidar" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Convidar amigos e colegas para se juntarem a si em %s" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "Sair" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Terminar esta sessão" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "Criar uma conta" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "Iniciar uma sessão" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Ajuda" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "Ajudem-me!" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Pesquisa" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Procurar pessoas ou pesquisar texto" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "Aviso do site" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "Vistas locais" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "Aviso da página" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Navegação secundária deste site" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "Sobre" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "Termos" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "Privacidade" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "Código" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Contacto" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "Emblema" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Licença de software do StatusNet" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4586,12 +4646,12 @@ msgstr "" "**%%site.name%%** é um serviço de microblogues disponibilizado por [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** é um serviço de microblogues. " -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4602,41 +4662,41 @@ msgstr "" "disponibilizado nos termos da [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "Licença de conteúdos do site" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "Tudo " -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "licença." -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "Paginação" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "Posteriores" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "Anteriores" @@ -4668,10 +4728,24 @@ msgstr "Configuração básica do site" msgid "Design configuration" msgstr "Configuração do estilo" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "Configuração das localizações" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "Configuração do estilo" + +#: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "Configuração das localizações" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -5288,12 +5362,12 @@ msgstr "MB" msgid "kB" msgstr "kB" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "[%s]" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, fuzzy, php-format msgid "Unknown inbox source %d." msgstr "Língua desconhecida \"%s\"." @@ -5792,19 +5866,19 @@ msgstr "Respostas" msgid "Favorites" msgstr "Favoritas" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Recebidas" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "Mensagens recebidas" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "Enviadas" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "Mensagens enviadas" @@ -6046,47 +6120,47 @@ msgstr "Mensagem" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "há alguns segundos" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "há cerca de um minuto" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "há cerca de %d minutos" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "há cerca de uma hora" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "há cerca de %d horas" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "há cerca de um dia" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "há cerca de %d dias" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "há cerca de um mês" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "há cerca de %d meses" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "há cerca de um ano" @@ -6100,7 +6174,7 @@ msgstr "%s não é uma cor válida!" msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "%s não é uma cor válida! Use 3 ou 6 caracteres hexadecimais." -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "Mensagem demasiado extensa - máx. %1$d caracteres, enviou %2$d." diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index d28a14e68..c3502658a 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -10,17 +10,71 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:38:21+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:59:40+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +msgid "Access" +msgstr "Acesso" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Salvar as configurações do site" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "Registrar-se" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "Particular" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "Impedir usuários anônimos (não autenticados) de visualizar o site?" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "Somente convidados" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "Cadastro liberado somente para convidados." + +#: actions/accessadminpanel.php:173 +msgid "Closed" +msgstr "Fechado" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "Desabilita novos registros." + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Salvar" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Salvar as configurações do site" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -35,7 +89,7 @@ msgstr "Esta página não existe." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -143,8 +197,7 @@ msgstr "Atualizações de %1$s e amigos no %2$s!" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -160,7 +213,7 @@ msgstr "O método da API não foi encontrado!" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "Este método requer um POST." @@ -191,7 +244,7 @@ msgstr "Não foi possível salvar o perfil." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -498,7 +551,14 @@ msgstr "Uma aplicação gostaria de se conectar à sua conta" msgid "Allow or deny access" msgstr "Permitir ou negar o acesso" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Conta" @@ -555,17 +615,17 @@ msgstr "A mensagem foi excluída." msgid "No status with that ID found." msgstr "Não foi encontrada nenhuma mensagem com esse ID." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Está muito extenso. O tamanho máximo é de %s caracteres." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "Não encontrado" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "O tamanho máximo da mensagem é de %s caracteres" @@ -616,11 +676,6 @@ msgstr "Mensagens públicas de %s" msgid "%s updates from everyone!" msgstr "%s mensagens de todo mundo!" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "Repetida por %s" - #: actions/apitimelineretweetedtome.php:111 #, php-format msgid "Repeated to %s" @@ -1030,17 +1085,6 @@ msgstr "Restaura a aparência padrão" msgid "Reset back to default" msgstr "Restaura de volta ao padrão" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Salvar" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Salvar a aparência" @@ -1053,12 +1097,14 @@ msgstr "Esta mensagem não é uma favorita!" msgid "Add to favorites" msgstr "Adicionar às favoritas" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "Esse documento não existe." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" msgstr "Editar a aplicação" #: actions/editapplication.php:66 @@ -1075,7 +1121,7 @@ msgid "No such application." msgstr "Essa aplicação não existe." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "Ocorreu um problema com o seu token de sessão." @@ -1280,7 +1326,7 @@ msgid "Cannot normalize that email address" msgstr "Não foi possível normalizar este endereço de e-mail" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "Não é um endereço de e-mail válido." @@ -1292,7 +1338,7 @@ msgstr "Esse já é seu endereço de e-mail." msgid "That email address already belongs to another user." msgstr "Esse endereço de e-mail já pertence à outro usuário." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "Não foi possível inserir o código de confirmação." @@ -1602,7 +1648,7 @@ msgstr "Membros do grupo %1$s, pág. %2$d" msgid "A list of the users in this group." msgstr "Uma lista dos usuários deste grupo." -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" @@ -1800,6 +1846,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "Essa não é sua ID do Jabber." +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "Recebidas por %s" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1984,7 +2035,7 @@ msgid "Error setting user. You are probably not authorized." msgstr "" "Erro na configuração do usuário. Você provavelmente não tem autorização." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Entrar" @@ -2050,7 +2101,8 @@ msgid "No current status" msgstr "Nenhuma mensagem atual" #: actions/newapplication.php:52 -msgid "New application" +#, fuzzy +msgid "New Application" msgstr "Nova aplicação" #: actions/newapplication.php:64 @@ -2245,8 +2297,8 @@ msgstr "tipo de conteúdo " msgid "Only " msgstr "Apenas " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "Não é um formato de dados suportado." @@ -2310,6 +2362,11 @@ msgstr "O token de autenticação especificado é inválido." msgid "Login token expired." msgstr "O token de autenticação expirou." +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "Enviadas de %s" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2382,7 +2439,7 @@ msgstr "Não é possível salvar a nova senha." msgid "Password saved." msgstr "A senha foi salva." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "Caminhos" @@ -2390,133 +2447,149 @@ msgstr "Caminhos" msgid "Path and server settings for this StatusNet site." msgstr "Configurações dos caminhos e do servidor para este site StatusNet." -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, php-format msgid "Theme directory not readable: %s" msgstr "Sem permissão de leitura no diretório de temas: %s" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "Sem permissão de escrita no diretório de avatares: %s" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "Sem permissão de escrita no diretório de imagens de fundo: %s" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "Sem permissão de leitura no diretório de locales: %s" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" "Servidor SSL inválido. O comprimento máximo deve ser de 255 caracteres." -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "Site" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "Servidor" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "Nome de host do servidor do site." + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "Caminho" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 msgid "Site path" msgstr "Caminho do site" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "Caminho para os locales" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "Caminho do diretório de locales" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "URLs limpas" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "Utilizar URLs limpas (mais legíveis e memorizáveis)?" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "Tema" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "Servidor de temas" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "Caminho dos temas" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "Diretório dos temas" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 msgid "Avatars" msgstr "Avatares" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 msgid "Avatar server" msgstr "Servidor de avatares" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 msgid "Avatar path" msgstr "Caminho dos avatares" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 msgid "Avatar directory" msgstr "Diretório dos avatares" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "Imagens de fundo" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "Servidor de imagens de fundo" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "Caminho das imagens de fundo" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "Diretório das imagens de fundo" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 msgid "Never" msgstr "Nunca" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "Algumas vezes" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "Sempre" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "Usar SSL" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "Quando usar SSL" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 msgid "SSL server" msgstr "Servidor SSL" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "Servidor para onde devem ser direcionadas as requisições SSL" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 msgid "Save paths" msgstr "Salvar caminhos" @@ -2628,7 +2701,7 @@ msgstr "" "Suas etiquetas (letras, números, -, ., e _), separadas por vírgulas ou " "espaços" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "Idioma" @@ -2655,7 +2728,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "A descrição é muito extensa (máximo %d caracteres)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "O fuso horário não foi selecionado." @@ -2935,7 +3008,7 @@ msgstr "Desculpe, mas o código do convite é inválido." msgid "Registration successful" msgstr "Registro realizado com sucesso" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registrar-se" @@ -2978,7 +3051,7 @@ msgid "Same as password above. Required." msgstr "Igual à senha acima. Obrigatório." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "E-mail" @@ -3135,6 +3208,11 @@ msgstr "Repetida!" msgid "Replies to %s" msgstr "Respostas para %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "Respostas para %1$s no %2$s" + #: actions/replies.php:144 #, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3267,6 +3345,11 @@ msgstr "" "Nota: Nós suportamos assinaturas HMAC-SHA1. Nós não suportamos o método de " "assinatura em texto plano." +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "Mensagens favoritas de %s" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Não foi possível recuperar as mensagens favoritas." @@ -3324,6 +3407,11 @@ msgstr "Esta é uma forma de compartilhar o que você gosta." msgid "%s group" msgstr "Grupo %s" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "Membros do grupo %1$s, pág. %2$d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "Perfil do grupo" @@ -3444,6 +3532,11 @@ msgstr "A mensagem excluída." msgid " tagged %s" msgstr " etiquetada %s" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%1$s e amigos, pág. %2$d" + #: actions/showstream.php:122 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3535,194 +3628,146 @@ msgstr "O usuário já está silenciado." msgid "Basic settings for this StatusNet site." msgstr "Configurações básicas para esta instância do StatusNet." -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "Você deve digitar alguma coisa para o nome do site." -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 msgid "You must have a valid contact email address." msgstr "Você deve ter um endereço de e-mail para contato válido." -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "Idioma \"%s\" desconhecido." -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "A URL para o envio das estatísticas é inválida." -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "O valor de execução da obtenção das estatísticas é inválido." -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "A frequência de geração de estatísticas deve ser um número." -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "O comprimento máximo do texto é de 140 caracteres." -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "O limite de duplicatas deve ser de um ou mais segundos." -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "Geral" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 msgid "Site name" msgstr "Nome do site" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "O nome do seu site, por exemplo \"Microblog da Sua Empresa\"" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "Disponibilizado por" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "Texto utilizado para o link de créditos no rodapé de cada página" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "URL do disponibilizado por" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "URL utilizada para o link de créditos no rodapé de cada página" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 msgid "Contact email address for your site" msgstr "Endereço de e-mail para contatos do seu site" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 msgid "Local" msgstr "Local" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "Fuso horário padrão" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "Fuso horário padrão para o seu site; geralmente UTC." -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "Idioma padrão do site" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "URLs" - -#: actions/siteadminpanel.php:306 -msgid "Server" -msgstr "Servidor" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "Nome de host do servidor do site." - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "URLs limpas" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "Utilizar URLs limpas (mais legíveis e memorizáveis)?" - -#: actions/siteadminpanel.php:318 -msgid "Access" -msgstr "Acesso" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "Particular" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "Impedir usuários anônimos (não autenticados) de visualizar o site?" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "Somente convidados" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "Cadastro liberado somente para convidados." - -#: actions/siteadminpanel.php:333 -msgid "Closed" -msgstr "Fechado" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "Desabilita novos registros." - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "Estatísticas" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "Aleatoriamente durante o funcionamento" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "Em horários pré-definidos" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "Estatísticas dos dados" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "Quando enviar dados estatísticos para os servidores status.net" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "Frequentemente" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "As estatísticas serão enviadas uma vez a cada N usos da web" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "URL para envio" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "As estatísticas serão enviadas para esta URL" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "Limites" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "Limite do texto" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "Número máximo de caracteres para as mensagens." -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "Limite de duplicatas" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Quanto tempo (em segundos) os usuários devem esperar para publicar a mesma " "coisa novamente." -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 msgid "Save site settings" msgstr "Salvar as configurações do site" @@ -3929,6 +3974,11 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "Usuários auto-etiquetados com %1$s - pág. %2$d" + #: actions/tag.php:86 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4230,6 +4280,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "Aproveite o seu cachorro-quente!" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "Membros do grupo %1$s, pág. %2$d" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "Procurar por outros grupos" @@ -4305,7 +4360,7 @@ msgstr "" msgid "Plugins" msgstr "Plugins" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "Versão" @@ -4361,27 +4416,27 @@ msgstr "Não foi possível inserir a mensagem." msgid "Could not update message with new URI." msgstr "Não foi possível atualizar a mensagem com a nova URI." -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Erro no banco de dados durante a inserção da hashtag: %s" -#: classes/Notice.php:225 +#: classes/Notice.php:214 msgid "Problem saving notice. Too long." msgstr "Problema no salvamento da mensagem. Ela é muito extensa." -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "Problema no salvamento da mensagem. Usuário desconhecido." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Muitas mensagens em um período curto de tempo; dê uma respirada e publique " "novamente daqui a alguns minutos." -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4389,20 +4444,25 @@ msgstr "" "Muitas mensagens duplicadas em um período curto de tempo; dê uma respirada e " "publique novamente daqui a alguns minutos." -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "Você está proibido de publicar mensagens neste site." -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "Problema no salvamento da mensagem." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "Problema no salvamento da mensagem." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Erro no banco de dados na inserção da reposta: %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4457,124 +4517,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Página sem título" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Navegação primária no site" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "Início" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Perfil pessoal e fluxo de mensagens dos amigos" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Mude seu e-mail, avatar, senha, perfil" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "Conectar" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect to services" msgstr "Conecte-se a outros serviços" -#: lib/action.php:442 +#: lib/action.php:448 msgid "Change site configuration" msgstr "Mude as configurações do site" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Convidar" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Convide seus amigos e colegas para unir-se a você no %s" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "Sair" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Sai do site" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "Cria uma conta" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "Autentique-se no site" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Ajuda" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "Ajudem-me!" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Procurar" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Procura por pessoas ou textos" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "Mensagem do site" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "Visualizações locais" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "Notícia da página" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Navegação secundária no site" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "Sobre" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "Termos de uso" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "Privacidade" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "Fonte" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Contato" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "Mini-aplicativo" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Licença do software StatusNet" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4583,12 +4643,12 @@ msgstr "" "**%%site.name%%** é um serviço de microblog disponibilizado por [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** é um serviço de microblog. " -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4599,41 +4659,43 @@ msgstr "" "versão %s, disponível sob a [GNU Affero General Public License] (http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "Licença do conteúdo do site" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." -msgstr "" +msgstr "O conteúdo e os dados de %1$s são privados e confidenciais." -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." -msgstr "" +msgstr "Conteúdo e dados licenciados sob %1$s. Todos os direitos reservados." -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" +"Conteúdo e dados licenciados pelos colaboradores. Todos os direitos " +"reservados." -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "Todas " -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "licença." -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "Paginação" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "Próximo" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "Anterior" @@ -4665,10 +4727,24 @@ msgstr "Configuração básica do site" msgid "Design configuration" msgstr "Configuração da aparência" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "Configuração dos caminhos" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "Configuração da aparência" + +#: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "Configuração dos caminhos" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "Editar a aplicação" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "Ãcone para esta aplicação" @@ -5284,12 +5360,12 @@ msgstr "Mb" msgid "kB" msgstr "Kb" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "[%s]" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "Fonte da caixa de entrada desconhecida %d." @@ -5790,19 +5866,19 @@ msgstr "Respostas" msgid "Favorites" msgstr "Favoritas" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Recebidas" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "Suas mensagens recebidas" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "Enviadas" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "Suas mensagens enviadas" @@ -6044,47 +6120,47 @@ msgstr "Mensagem" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "alguns segundos atrás" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "cerca de 1 minuto atrás" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "cerca de %d minutos atrás" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "cerca de 1 hora atrás" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "cerca de %d horas atrás" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "cerca de 1 dia atrás" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "cerca de %d dias atrás" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "cerca de 1 mês atrás" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "cerca de %d meses atrás" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "cerca de 1 ano atrás" @@ -6098,7 +6174,7 @@ msgstr "%s não é uma cor válida!" msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "%s não é uma cor válida! Utilize 3 ou 6 caracteres hexadecimais." -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "" diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index d95566fdf..cd58abacb 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -11,18 +11,73 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:38:23+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:59:43+0000\n" "Language-Team: Russian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%" "10< =4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +msgid "Access" +msgstr "ПринÑÑ‚ÑŒ" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Сохранить наÑтройки Ñайта" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "РегиÑтрациÑ" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "Личное" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" +"Запретить анонимным (не авторизовавшимÑÑ) пользователÑм проÑматривать Ñайт?" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "Только по приглашениÑм" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "Разрешить региÑтрацию только по приглашениÑм." + +#: actions/accessadminpanel.php:173 +msgid "Closed" +msgstr "Закрыта" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "Отключить новые региÑтрации." + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Сохранить" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Сохранить наÑтройки Ñайта" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -37,7 +92,7 @@ msgstr "Ðет такой Ñтраницы" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -55,9 +110,9 @@ msgid "No such user." msgstr "Ðет такого пользователÑ." #: actions/all.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s and friends, page %2$d" -msgstr "Заблокированные профили %1$s, Ñтраница %2$d" +msgstr "%1$s и друзьÑ, Ñтраница %2$d" #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 @@ -143,8 +198,7 @@ msgstr "Обновлено от %1$s и его друзей на %2$s!" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -160,7 +214,7 @@ msgstr "Метод API не найден." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "Этот метод требует POST." @@ -189,7 +243,7 @@ msgstr "Ðе удаётÑÑ Ñохранить профиль." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -433,7 +487,7 @@ msgstr "группы на %s" #: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 msgid "Bad request." -msgstr "" +msgstr "Ðеверный запроÑ." #: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -458,14 +512,12 @@ msgid "Invalid nickname / password!" msgstr "Ðеверное Ð¸Ð¼Ñ Ð¸Ð»Ð¸ пароль." #: actions/apioauthauthorize.php:170 -#, fuzzy msgid "DB error deleting OAuth app user." -msgstr "Ошибка в уÑтановках пользователÑ." +msgstr "Ошибка базы данных при удалении Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð¿Ñ€Ð¸Ð»Ð¾Ð¶ÐµÐ½Ð¸Ñ OAuth." #: actions/apioauthauthorize.php:196 -#, fuzzy msgid "DB error inserting OAuth app user." -msgstr "Ошибка баз данных при вÑтавке хеш-тегов Ð´Ð»Ñ %s" +msgstr "Ошибка базы данных при добавлении Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð¿Ñ€Ð¸Ð»Ð¾Ð¶ÐµÐ½Ð¸Ñ OAuth." #: actions/apioauthauthorize.php:231 #, php-format @@ -473,11 +525,12 @@ msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" +"Ключ запроÑа %s авторизован. ПожалуйÑта, обменÑйте его на ключ доÑтупа." #: actions/apioauthauthorize.php:241 #, php-format msgid "The request token %s has been denied." -msgstr "" +msgstr "Ключ запроÑа %s отклонён." #: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -490,13 +543,20 @@ msgstr "Ðетиповое подтверждение формы." #: actions/apioauthauthorize.php:273 msgid "An application would like to connect to your account" -msgstr "" +msgstr "Приложение хочет ÑоединитьÑÑ Ñ Ð²Ð°ÑˆÐµÐ¹ учётной запиÑью" #: actions/apioauthauthorize.php:290 msgid "Allow or deny access" msgstr "Разрешить или запретить доÑтуп" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "ÐаÑтройки" @@ -553,17 +613,17 @@ msgstr "Ð¡Ñ‚Ð°Ñ‚ÑƒÑ ÑƒÐ´Ð°Ð»Ñ‘Ð½." msgid "No status with that ID found." msgstr "Ðе найдено ÑтатуÑа Ñ Ñ‚Ð°ÐºÐ¸Ð¼ ID." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Слишком Ð´Ð»Ð¸Ð½Ð½Ð°Ñ Ð·Ð°Ð¿Ð¸ÑÑŒ. МакÑÐ¸Ð¼Ð°Ð»ÑŒÐ½Ð°Ñ Ð´Ð»Ð¸Ð½Ð° — %d знаков." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "Ðе найдено" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "МакÑÐ¸Ð¼Ð°Ð»ÑŒÐ½Ð°Ñ Ð´Ð»Ð¸Ð½Ð° запиÑи — %d Ñимволов, Ð²ÐºÐ»ÑŽÑ‡Ð°Ñ URL вложениÑ." @@ -614,11 +674,6 @@ msgstr "ÐžÐ±Ñ‰Ð°Ñ Ð»ÐµÐ½Ñ‚Ð° %s" msgid "%s updates from everyone!" msgstr "ÐžÐ±Ð½Ð¾Ð²Ð»ÐµÐ½Ð¸Ñ %s от вÑех!" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "Повторено %s" - #: actions/apitimelineretweetedtome.php:111 #, php-format msgid "Repeated to %s" @@ -1027,17 +1082,6 @@ msgstr "ВоÑÑтановить оформление по умолчанию" msgid "Reset back to default" msgstr "ВоÑÑтановить Ð·Ð½Ð°Ñ‡ÐµÐ½Ð¸Ñ Ð¿Ð¾ умолчанию" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Сохранить" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Сохранить оформление" @@ -1050,39 +1094,37 @@ msgstr "Эта запиÑÑŒ не входит в чиÑло ваших люби msgid "Add to favorites" msgstr "Добавить в любимые" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "Ðет такого документа." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "Изменить приложение" #: actions/editapplication.php:66 -#, fuzzy msgid "You must be logged in to edit an application." -msgstr "Ð’Ñ‹ должны авторизоватьÑÑ, чтобы изменить группу." +msgstr "Ð’Ñ‹ должны авторизоватьÑÑ, чтобы изменить приложение." #: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy msgid "You are not the owner of this application." -msgstr "Ð’Ñ‹ не ÑвлÑетеÑÑŒ членом Ñтой группы." +msgstr "Ð’Ñ‹ не ÑвлÑетеÑÑŒ владельцем Ñтого приложениÑ." #: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 #: actions/showapplication.php:87 -#, fuzzy msgid "No such application." -msgstr "Ðет такой запиÑи." +msgstr "Ðет такого приложениÑ." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "Проблема Ñ Ð’Ð°ÑˆÐµÐ¹ ÑеÑÑией. Попробуйте ещё раз, пожалуйÑта." #: actions/editapplication.php:161 -#, fuzzy msgid "Use this form to edit your application." -msgstr "Заполните информацию о группе в Ñледующие полÑ" +msgstr "ВоÑпользуйтеÑÑŒ Ñтой формой, чтобы изменить приложение." #: actions/editapplication.php:177 actions/newapplication.php:159 msgid "Name is required." @@ -1098,21 +1140,19 @@ msgstr "ОпиÑание обÑзательно." #: actions/editapplication.php:191 msgid "Source URL is too long." -msgstr "" +msgstr "URL иÑточника Ñлишком длинный." #: actions/editapplication.php:197 actions/newapplication.php:182 -#, fuzzy msgid "Source URL is not valid." -msgstr "URL аватары «%s» недейÑтвителен." +msgstr "URL иÑточника недейÑтвителен." #: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Organization is required." -msgstr "" +msgstr "ÐžÑ€Ð³Ð°Ð½Ð¸Ð·Ð°Ñ†Ð¸Ñ Ð¾Ð±Ñзательна." #: actions/editapplication.php:203 actions/newapplication.php:188 -#, fuzzy msgid "Organization is too long (max 255 chars)." -msgstr "Слишком длинное меÑтораÑположение (макÑимум 255 знаков)." +msgstr "Слишком длинное название организации (макÑимум 255 знаков)." #: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization homepage is required." @@ -1120,17 +1160,15 @@ msgstr "ДомашнÑÑ Ñтраница организации обÑзате #: actions/editapplication.php:215 actions/newapplication.php:203 msgid "Callback is too long." -msgstr "" +msgstr "Обратный вызов Ñлишком длинный." #: actions/editapplication.php:222 actions/newapplication.php:212 -#, fuzzy msgid "Callback URL is not valid." -msgstr "URL аватары «%s» недейÑтвителен." +msgstr "URL-Ð°Ð´Ñ€ÐµÑ Ð¾Ð±Ñ€Ð°Ñ‚Ð½Ð¾Ð³Ð¾ вызова недейÑтвителен." #: actions/editapplication.php:255 -#, fuzzy msgid "Could not update application." -msgstr "Ðе удаётÑÑ Ð¾Ð±Ð½Ð¾Ð²Ð¸Ñ‚ÑŒ информацию о группе." +msgstr "Ðе удаётÑÑ Ð¾Ð±Ð½Ð¾Ð²Ð¸Ñ‚ÑŒ приложение." #: actions/editgroup.php:56 #, php-format @@ -1291,7 +1329,7 @@ msgid "Cannot normalize that email address" msgstr "Ðе удаётÑÑ Ñтандартизировать Ñтот Ñлектронный адреÑ" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "Ðеверный Ñлектронный адреÑ." @@ -1303,7 +1341,7 @@ msgstr "Это уже Ваш Ñлектронный адреÑ." msgid "That email address already belongs to another user." msgstr "Этот Ñлектронный Ð°Ð´Ñ€ÐµÑ ÑƒÐ¶Ðµ задейÑтвован другим пользователем." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "Ðе удаётÑÑ Ð²Ñтавить код подтверждениÑ." @@ -1611,7 +1649,7 @@ msgstr "УчаÑтники группы %1$s, Ñтраница %2$d" msgid "A list of the users in this group." msgstr "СпиÑок пользователей, ÑвлÑющихÑÑ Ñ‡Ð»ÐµÐ½Ð°Ð¼Ð¸ Ñтой группы." -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "ÐаÑтройки" @@ -1808,6 +1846,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "Это не Ваш Jabber ID." +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "ВходÑщие Ð´Ð»Ñ %s" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1816,7 +1859,8 @@ msgstr "ВходÑщие Ð´Ð»Ñ %s" #: actions/inbox.php:115 msgid "This is your inbox, which lists your incoming private messages." msgstr "" -"Это Ваши входÑщие ÑообщениÑ, где перечиÑлены входÑщие приватные ÑообщениÑ." +"Это ваш Ñщик входÑщих Ñообщений, в котором хранÑÑ‚ÑÑ Ð¿Ð¾Ñтупившие личные " +"ÑообщениÑ." #: actions/invite.php:39 msgid "Invites have been disabled." @@ -1873,7 +1917,7 @@ msgstr "" #: actions/invite.php:162 msgid "" "Use this form to invite your friends and colleagues to use this service." -msgstr "Ð’ Ñтой форме Ñ‚Ñ‹ можешь приглаÑить друзей и коллег на Ñтот ÑервиÑ." +msgstr "Ð’ Ñтой форме вы можете приглаÑить друзей и коллег на Ñтот ÑервиÑ." #: actions/invite.php:187 msgid "Email addresses" @@ -1881,7 +1925,7 @@ msgstr "Почтовый адреÑ" #: actions/invite.php:189 msgid "Addresses of friends to invite (one per line)" -msgstr "ÐдреÑа друзей, которых Ñ‚Ñ‹ хочешь приглаÑить (по одному на Ñтрочку)" +msgstr "ÐдреÑа друзей, которых вы хотите приглаÑить (по одному на Ñтрочку)" #: actions/invite.php:192 msgid "Personal message" @@ -1991,7 +2035,7 @@ msgstr "Ðекорректное Ð¸Ð¼Ñ Ð¸Ð»Ð¸ пароль." msgid "Error setting user. You are probably not authorized." msgstr "Ошибка уÑтановки пользователÑ. Ð’Ñ‹, вероÑтно, не авторизованы." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Вход" @@ -2054,27 +2098,25 @@ msgid "No current status" msgstr "Ðет текущего ÑтатуÑа" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "Ðовое приложение" #: actions/newapplication.php:64 -#, fuzzy msgid "You must be logged in to register an application." -msgstr "Ð’Ñ‹ должны авторизоватьÑÑ, чтобы Ñоздать новую группу." +msgstr "Ð’Ñ‹ должны авторизоватьÑÑ, чтобы зарегиÑтрировать приложение." #: actions/newapplication.php:143 -#, fuzzy msgid "Use this form to register a new application." -msgstr "ИÑпользуйте Ñту форму Ð´Ð»Ñ ÑÐ¾Ð·Ð´Ð°Ð½Ð¸Ñ Ð½Ð¾Ð²Ð¾Ð¹ группы." +msgstr "ИÑпользуйте Ñту форму Ð´Ð»Ñ ÑÐ¾Ð·Ð´Ð°Ð½Ð¸Ñ Ð½Ð¾Ð²Ð¾Ð³Ð¾ приложениÑ." #: actions/newapplication.php:173 msgid "Source URL is required." msgstr "URL иÑточника обÑзателен." #: actions/newapplication.php:255 actions/newapplication.php:264 -#, fuzzy msgid "Could not create application." -msgstr "Ðе удаётÑÑ Ñоздать алиаÑÑ‹." +msgstr "Ðе удаётÑÑ Ñоздать приложение." #: actions/newgroup.php:53 msgid "New group" @@ -2189,49 +2231,46 @@ msgid "Nudge sent!" msgstr "«Подталкивание» отправлено!" #: actions/oauthappssettings.php:59 -#, fuzzy msgid "You must be logged in to list your applications." -msgstr "Ð’Ñ‹ должны авторизоватьÑÑ, чтобы изменить группу." +msgstr "Ð’Ñ‹ должны авторизоватьÑÑ, чтобы проÑматривать Ñвои приложениÑ." #: actions/oauthappssettings.php:74 -#, fuzzy msgid "OAuth applications" -msgstr "Другие опции" +msgstr "ÐŸÑ€Ð¸Ð»Ð¾Ð¶ÐµÐ½Ð¸Ñ OAuth" #: actions/oauthappssettings.php:85 msgid "Applications you have registered" -msgstr "" +msgstr "ПриложениÑ, которые вы зарегиÑтрировали" #: actions/oauthappssettings.php:135 #, php-format msgid "You have not registered any applications yet." -msgstr "" +msgstr "Ð’Ñ‹ пока не зарегиÑтрировали ни одного приложениÑ." #: actions/oauthconnectionssettings.php:71 msgid "Connected applications" -msgstr "" +msgstr "Подключённые приложениÑ" #: actions/oauthconnectionssettings.php:87 msgid "You have allowed the following applications to access you account." -msgstr "" +msgstr "Ð’Ñ‹ разрешили доÑтуп к учётной запиÑи Ñледующим приложениÑм." #: actions/oauthconnectionssettings.php:170 -#, fuzzy msgid "You are not a user of that application." -msgstr "Ð’Ñ‹ не ÑвлÑетеÑÑŒ членом Ñтой группы." +msgstr "Ð’Ñ‹ не ÑвлÑетеÑÑŒ пользователем Ñтого приложениÑ." #: actions/oauthconnectionssettings.php:180 msgid "Unable to revoke access for app: " -msgstr "" +msgstr "Ðе удаётÑÑ Ð¾Ñ‚Ð¾Ð·Ð²Ð°Ñ‚ÑŒ права Ð´Ð»Ñ Ð¿Ñ€Ð¸Ð»Ð¾Ð¶ÐµÐ½Ð¸Ñ: " #: actions/oauthconnectionssettings.php:192 #, php-format msgid "You have not authorized any applications to use your account." -msgstr "" +msgstr "Ð’Ñ‹ не разрешили приложениÑм иÑпользовать вашу учётную запиÑÑŒ." #: actions/oauthconnectionssettings.php:205 msgid "Developers can edit the registration settings for their applications " -msgstr "" +msgstr "Разработчики могут изменÑÑ‚ÑŒ наÑтройки региÑтрации Ñвоих приложений " #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" @@ -2250,8 +2289,8 @@ msgstr "тип Ñодержимого " msgid "Only " msgstr "Только " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "Ðеподдерживаемый формат данных." @@ -2264,7 +2303,6 @@ msgid "Notice Search" msgstr "ПоиÑк в запиÑÑÑ…" #: actions/othersettings.php:60 -#, fuzzy msgid "Other settings" msgstr "Другие наÑтройки" @@ -2301,24 +2339,25 @@ msgid "No user ID specified." msgstr "Ðе указан идентификатор пользователÑ." #: actions/otp.php:83 -#, fuzzy msgid "No login token specified." -msgstr "Ðе указана запиÑÑŒ." +msgstr "Ðе указан ключ Ð´Ð»Ñ Ð²Ñ…Ð¾Ð´Ð°." #: actions/otp.php:90 -#, fuzzy msgid "No login token requested." -msgstr "Ðет ID Ð¿Ñ€Ð¾Ñ„Ð¸Ð»Ñ Ð² запроÑе." +msgstr "Ключ Ð´Ð»Ñ Ð²Ñ…Ð¾Ð´Ð° не был запрошен." #: actions/otp.php:95 -#, fuzzy msgid "Invalid login token specified." -msgstr "Ðеверный или уÑтаревший ключ." +msgstr "Задан неверный ключ Ð´Ð»Ñ Ð²Ñ…Ð¾Ð´Ð°." #: actions/otp.php:104 -#, fuzzy msgid "Login token expired." -msgstr "ÐвторизоватьÑÑ" +msgstr "Срок дейÑÑ‚Ð²Ð¸Ñ ÐºÐ»ÑŽÑ‡Ð° Ð´Ð»Ñ Ð²Ñ…Ð¾Ð´Ð° иÑтёк." + +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "ИÑходÑщие Ð´Ð»Ñ %s" #: actions/outbox.php:61 #, php-format @@ -2392,7 +2431,7 @@ msgstr "Ðе удаётÑÑ Ñохранить новый пароль." msgid "Password saved." msgstr "Пароль Ñохранён." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "Пути" @@ -2400,132 +2439,148 @@ msgstr "Пути" msgid "Path and server settings for this StatusNet site." msgstr "ÐаÑтройки путей и Ñерверов Ð´Ð»Ñ Ñтого Ñайта StatusNet." -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, php-format msgid "Theme directory not readable: %s" msgstr "Ð”Ð¸Ñ€ÐµÐºÑ‚Ð¾Ñ€Ð¸Ñ Ñ‚ÐµÐ¼ недоÑтупна Ð´Ð»Ñ Ñ‡Ñ‚ÐµÐ½Ð¸Ñ: %s" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "Ð”Ð¸Ñ€ÐµÐºÑ‚Ð¾Ñ€Ð¸Ñ Ð°Ð²Ð°Ñ‚Ð°Ñ€ не доÑтупна Ð´Ð»Ñ Ð·Ð°Ð¿Ð¸Ñи: %s" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "Ð”Ð¸Ñ€ÐµÐºÑ‚Ð¾Ñ€Ð¸Ñ Ñ„Ð¾Ð½Ð¾Ð²Ñ‹Ñ… изображений не доÑтупна Ð´Ð»Ñ Ð·Ð°Ð¿Ð¸Ñи: %s" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "Ð”Ð¸Ñ€ÐµÐºÑ‚Ð¾Ñ€Ð¸Ñ Ð»Ð¾ÐºÐ°Ð»Ð¸Ð·Ð°Ñ†Ð¸Ð¹ не доÑтупна Ð´Ð»Ñ Ñ‡Ñ‚ÐµÐ½Ð¸Ñ: %s" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Ðеверный SSL-Ñервер. МакÑÐ¸Ð¼Ð°Ð»ÑŒÐ½Ð°Ñ Ð´Ð»Ð¸Ð½Ð° ÑоÑтавлÑет 255 Ñимволов." -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "Сайт" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "Сервер" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "Ð˜Ð¼Ñ Ñ…Ð¾Ñта Ñервера Ñайта." + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "Путь" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 msgid "Site path" msgstr "Путь к Ñайту" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "ПуÑÑ‚ÑŒ к локализациÑм" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "Путь к директории локализаций" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "Короткие URL" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "ИÑпользовать ли короткие (более читаемые и запоминаемые) URL-адреÑа?" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "Тема" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "Сервер темы" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "Путь темы" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "Ð”Ð¸Ñ€ÐµÐºÑ‚Ð¾Ñ€Ð¸Ñ Ñ‚ÐµÐ¼Ñ‹" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 msgid "Avatars" msgstr "Ðватары" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 msgid "Avatar server" msgstr "Сервер аватар" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 msgid "Avatar path" msgstr "Путь к аватарам" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 msgid "Avatar directory" msgstr "Ð”Ð¸Ñ€ÐµÐºÑ‚Ð¾Ñ€Ð¸Ñ Ð°Ð²Ð°Ñ‚Ð°Ñ€" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "Фоновые изображениÑ" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "Сервер фонового изображениÑ" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "Путь к фоновому изображению" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "Ð”Ð¸Ñ€ÐµÐºÑ‚Ð¾Ñ€Ð¸Ñ Ñ„Ð¾Ð½Ð¾Ð²Ð¾Ð³Ð¾ изображениÑ" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 msgid "Never" msgstr "Ðикогда" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "Иногда" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "Ð’Ñегда" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "ИÑпользовать SSL" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "Когда иÑпользовать SSL" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 msgid "SSL server" msgstr "SSL-Ñервер" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "Сервер, которому направлÑÑ‚ÑŒ SSL-запроÑÑ‹" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 msgid "Save paths" msgstr "Сохранить пути" @@ -2636,7 +2691,7 @@ msgstr "" "Теги Ð´Ð»Ñ Ñамого ÑÐµÐ±Ñ (буквы, цифры, -, ., и _), разделенные запÑтой или " "пробелом" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "Язык" @@ -2662,7 +2717,7 @@ msgstr "ÐвтоматичеÑки подпиÑыватьÑÑ Ð½Ð° вÑех, к msgid "Bio is too long (max %d chars)." msgstr "Слишком Ð´Ð»Ð¸Ð½Ð½Ð°Ñ Ð±Ð¸Ð¾Ð³Ñ€Ð°Ñ„Ð¸Ñ (макÑимум %d Ñимволов)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "ЧаÑовой поÑÑ Ð½Ðµ выбран." @@ -2936,7 +2991,7 @@ msgstr "Извините, неверный приглаÑительный код msgid "Registration successful" msgstr "РегиÑÑ‚Ñ€Ð°Ñ†Ð¸Ñ ÑƒÑпешна!" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "РегиÑтрациÑ" @@ -2983,7 +3038,7 @@ msgid "Same as password above. Required." msgstr "Тот же пароль что и Ñверху. ОбÑзательное поле." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Email" @@ -3138,6 +3193,11 @@ msgstr "Повторено!" msgid "Replies to %s" msgstr "Ответы Ð´Ð»Ñ %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "Ответы на запиÑи %1$s на %2$s!" + #: actions/replies.php:144 #, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3195,18 +3255,16 @@ msgid "User is already sandboxed." msgstr "Пользователь уже в режиме пеÑочницы." #: actions/showapplication.php:82 -#, fuzzy msgid "You must be logged in to view an application." -msgstr "Ð’Ñ‹ должны авторизоватьÑÑ, чтобы покинуть группу." +msgstr "Ð’Ñ‹ должны авторизоватьÑÑ, чтобы проÑматривать приложениÑ." #: actions/showapplication.php:158 -#, fuzzy msgid "Application profile" -msgstr "ЗапиÑÑŒ без профилÑ" +msgstr "Профиль приложениÑ" #: actions/showapplication.php:160 lib/applicationeditform.php:182 msgid "Icon" -msgstr "" +msgstr "Иконка" #: actions/showapplication.php:170 actions/version.php:195 #: lib/applicationeditform.php:197 @@ -3230,46 +3288,52 @@ msgstr "СтатиÑтика" #: actions/showapplication.php:204 #, php-format msgid "created by %1$s - %2$s access by default - %3$d users" -msgstr "" +msgstr "Ñоздано %1$s — %2$s доÑтуп по умолчанию — %3$d польз." #: actions/showapplication.php:214 msgid "Application actions" -msgstr "" +msgstr "ДейÑÑ‚Ð²Ð¸Ñ Ð¿Ñ€Ð¸Ð»Ð¾Ð¶ÐµÐ½Ð¸Ñ" #: actions/showapplication.php:233 msgid "Reset key & secret" -msgstr "" +msgstr "СброÑить ключ и Ñекретную фразу" #: actions/showapplication.php:241 msgid "Application info" -msgstr "" +msgstr "Ð˜Ð½Ñ„Ð¾Ñ€Ð¼Ð°Ñ†Ð¸Ñ Ð¾ приложении" #: actions/showapplication.php:243 msgid "Consumer key" -msgstr "" +msgstr "ПотребительÑкий ключ" #: actions/showapplication.php:248 msgid "Consumer secret" -msgstr "" +msgstr "Ð¡ÐµÐºÑ€ÐµÑ‚Ð½Ð°Ñ Ñ„Ñ€Ð°Ð·Ð° потребителÑ" #: actions/showapplication.php:253 msgid "Request token URL" -msgstr "" +msgstr "URL ключа запроÑа" #: actions/showapplication.php:258 msgid "Access token URL" -msgstr "" +msgstr "URL ключа доÑтупа" #: actions/showapplication.php:263 -#, fuzzy msgid "Authorize URL" -msgstr "Ðвтор" +msgstr "URL авторизации" #: actions/showapplication.php:268 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +"Примечание: Мы поддерживаем подпиÑи HMAC-SHA1. Мы не поддерживаем метод " +"подпиÑи открытым текÑтом." + +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "Любимые запиÑи %s" #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." @@ -3327,6 +3391,11 @@ msgstr "Это ÑпоÑоб разделить то, что вам нравит msgid "%s group" msgstr "Группа %s" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "УчаÑтники группы %1$s, Ñтраница %2$d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "Профиль группы" @@ -3447,6 +3516,11 @@ msgstr "ЗапиÑÑŒ удалена." msgid " tagged %s" msgstr " Ñ Ñ‚ÐµÐ³Ð¾Ð¼ %s" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%1$s и друзьÑ, Ñтраница %2$d" + #: actions/showstream.php:122 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3539,196 +3613,147 @@ msgstr "Пользователь уже заглушён." msgid "Basic settings for this StatusNet site." msgstr "ОÑновные наÑтройки Ð´Ð»Ñ Ñтого Ñайта StatusNet." -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "Ð˜Ð¼Ñ Ñайта должно быть ненулевой длины." -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 msgid "You must have a valid contact email address." msgstr "У Ð²Ð°Ñ Ð´Ð¾Ð»Ð¶ÐµÐ½ быть дейÑтвительный контактный email-адреÑ." -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "ÐеизвеÑтный Ñзык «%s»." -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "Ðеверный URL отчёта Ñнимка." -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "Ðеверное значение запуÑка Ñнимка." -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "ЧаÑтота Ñнимков должна быть чиÑлом." -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "Минимальное ограничение текÑта ÑоÑтавлÑет 140 Ñимволов." -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "Ограничение Ð´ÑƒÐ±Ð»Ð¸Ñ€Ð¾Ð²Ð°Ð½Ð¸Ñ Ð´Ð¾Ð»Ð¶Ð½Ð¾ ÑоÑтавлÑÑ‚ÑŒ 1 или более Ñекунд." -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "Базовые" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 msgid "Site name" msgstr "Ð˜Ð¼Ñ Ñайта" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "Ð˜Ð¼Ñ Ð²Ð°ÑˆÐµÐ³Ð¾ Ñайта, например, «Yourcompany Microblog»" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "ПредоÑтавлено" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" "ТекÑÑ‚, иÑпользуемый Ð´Ð»Ñ ÑƒÐºÐ°Ð·Ð°Ð½Ð¸Ñ Ð°Ð²Ñ‚Ð¾Ñ€Ð¾Ð² в нижнем колонтитуле каждой Ñтраницы" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "URL-Ð°Ð´Ñ€ÐµÑ Ð¿Ð¾Ñтавщика уÑлуг" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" "URL, иÑпользуемый Ð´Ð»Ñ ÑÑылки на авторов в нижнем колонтитуле каждой Ñтраницы" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 msgid "Contact email address for your site" msgstr "Контактный email-Ð°Ð´Ñ€ÐµÑ Ð´Ð»Ñ Ð²Ð°ÑˆÐµÐ³Ð¾ Ñайта" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 msgid "Local" msgstr "Внутренние наÑтройки" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "ЧаÑовой поÑÑ Ð¿Ð¾ умолчанию" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "ЧаÑовой поÑÑ Ð¿Ð¾ умолчанию Ð´Ð»Ñ Ñайта; обычно UTC." -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "Язык Ñайта по умолчанию" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "URL-адреÑа" - -#: actions/siteadminpanel.php:306 -msgid "Server" -msgstr "Сервер" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "Ð˜Ð¼Ñ Ñ…Ð¾Ñта Ñервера Ñайта." - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "Короткие URL" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "ИÑпользовать ли короткие (более читаемые и запоминаемые) URL-адреÑа?" - -#: actions/siteadminpanel.php:318 -msgid "Access" -msgstr "ПринÑÑ‚ÑŒ" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "Личное" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" -"Запретить анонимным (не авторизовавшимÑÑ) пользователÑм проÑматривать Ñайт?" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "Только по приглашениÑм" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "Разрешить региÑтрацию только по приглашениÑм." - -#: actions/siteadminpanel.php:333 -msgid "Closed" -msgstr "Закрыта" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "Отключить новые региÑтрации." - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "Снимки" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "При Ñлучайном поÑещении" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "По заданному графику" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "Снимки данных" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "Когда отправлÑÑ‚ÑŒ ÑтатиÑтичеÑкие данные на Ñервера status.net" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "ЧаÑтота" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "Снимки будут отправлÑÑ‚ÑŒÑÑ ÐºÐ°Ð¶Ð´Ñ‹Ðµ N поÑещений" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "URL отчёта" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "Снимки будут отправлÑÑ‚ÑŒÑÑ Ð¿Ð¾ Ñтому URL-адреÑу" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "Границы" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "Границы текÑта" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "МакÑимальное чиÑло Ñимволов Ð´Ð»Ñ Ð·Ð°Ð¿Ð¸Ñей." -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "Предел дубликатов" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Сколько нужно ждать пользователÑм (в Ñекундах) Ð´Ð»Ñ Ð¾Ñ‚Ð¿Ñ€Ð°Ð²ÐºÐ¸ того же ещё раз." -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 msgid "Save site settings" msgstr "Сохранить наÑтройки Ñайта" @@ -3938,6 +3963,11 @@ msgstr "Jabber" msgid "SMS" msgstr "СМС" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "Пользователи, уÑтановившие Ñебе тег %1$s — Ñтраница %2$d" + #: actions/tag.php:86 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4237,6 +4267,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "ПриÑтного аппетита!" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "УчаÑтники группы %1$s, Ñтраница %2$d" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "ИÑкать другие группы" @@ -4311,7 +4346,7 @@ msgstr "" msgid "Plugins" msgstr "Плагины" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "ВерÑиÑ" @@ -4339,19 +4374,16 @@ msgid "A file this large would exceed your monthly quota of %d bytes." msgstr "Файл такого размера превыÑит вашу меÑÑчную квоту в %d байта." #: classes/Group_member.php:41 -#, fuzzy msgid "Group join failed." -msgstr "Профиль группы" +msgstr "Ðе удаётÑÑ Ð¿Ñ€Ð¸ÑоединитьÑÑ Ðº группе." #: classes/Group_member.php:53 -#, fuzzy msgid "Not part of group." -msgstr "Ðе удаётÑÑ Ð¾Ð±Ð½Ð¾Ð²Ð¸Ñ‚ÑŒ информацию о группе." +msgstr "Ðе ÑвлÑетÑÑ Ñ‡Ð°Ñтью группы." #: classes/Group_member.php:60 -#, fuzzy msgid "Group leave failed." -msgstr "Профиль группы" +msgstr "Ðе удаётÑÑ Ð¿Ð¾ÐºÐ¸Ð½ÑƒÑ‚ÑŒ группу." #: classes/Login_token.php:76 #, php-format @@ -4370,27 +4402,27 @@ msgstr "Ðе удаётÑÑ Ð²Ñтавить Ñообщение." msgid "Could not update message with new URI." msgstr "Ðе удаётÑÑ Ð¾Ð±Ð½Ð¾Ð²Ð¸Ñ‚ÑŒ Ñообщение Ñ Ð½Ð¾Ð²Ñ‹Ð¼ URI." -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Ошибка баз данных при вÑтавке хеш-тегов Ð´Ð»Ñ %s" -#: classes/Notice.php:225 +#: classes/Notice.php:214 msgid "Problem saving notice. Too long." msgstr "Проблемы Ñ Ñохранением запиÑи. Слишком длинно." -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "Проблема при Ñохранении запиÑи. ÐеизвеÑтный пользователь." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Слишком много запиÑей за Ñтоль короткий Ñрок; передохните немного и " "попробуйте вновь через пару минут." -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4398,20 +4430,25 @@ msgstr "" "Слишком много одинаковых запиÑей за Ñтоль короткий Ñрок; передохните немного " "и попробуйте вновь через пару минут." -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "Вам запрещено поÑтитьÑÑ Ð½Ð° Ñтом Ñайте (бан)" -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "Проблемы Ñ Ñохранением запиÑи." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "Проблемы Ñ Ñохранением запиÑи." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Ошибка баз данных при вÑтавке ответа Ð´Ð»Ñ %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4458,132 +4495,132 @@ msgid "Other options" msgstr "Другие опции" #: lib/action.php:144 -#, fuzzy, php-format +#, php-format msgid "%1$s - %2$s" -msgstr "%1$s (%2$s)" +msgstr "%1$s — %2$s" #: lib/action.php:159 msgid "Untitled page" msgstr "Страница без названиÑ" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Ð“Ð»Ð°Ð²Ð½Ð°Ñ Ð½Ð°Ð²Ð¸Ð³Ð°Ñ†Ð¸Ñ" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "Моё" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Личный профиль и лента друзей" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Изменить ваш email, аватару, пароль, профиль" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "Соединить" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect to services" msgstr "Соединить Ñ ÑервиÑами" -#: lib/action.php:442 +#: lib/action.php:448 msgid "Change site configuration" msgstr "Изменить конфигурацию Ñайта" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "ПриглаÑить" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" -msgstr "ПриглаÑи друзей и коллег Ñтать такими же как Ñ‚Ñ‹ учаÑтниками %s" +msgstr "ПриглаÑите друзей и коллег Ñтать такими же как вы учаÑтниками %s" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "Выход" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Выйти" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "Создать новый аккаунт" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "Войти" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Помощь" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "Помощь" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "ПоиÑк" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "ИÑкать людей или текÑÑ‚" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "ÐÐ¾Ð²Ð°Ñ Ð·Ð°Ð¿Ð¸ÑÑŒ" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "Локальные виды" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "ÐÐ¾Ð²Ð°Ñ Ð·Ð°Ð¿Ð¸ÑÑŒ" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "ÐÐ°Ð²Ð¸Ð³Ð°Ñ†Ð¸Ñ Ð¿Ð¾ подпиÑкам" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "О проекте" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "ЧаВо" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "TOS" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "ПользовательÑкое Ñоглашение" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "ИÑходный код" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "ÐšÐ¾Ð½Ñ‚Ð°ÐºÑ‚Ð½Ð°Ñ Ð¸Ð½Ñ„Ð¾Ñ€Ð¼Ð°Ñ†Ð¸Ñ" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "Бедж" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "StatusNet лицензиÑ" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4592,12 +4629,12 @@ msgstr "" "**%%site.name%%** — Ñто ÑÐµÑ€Ð²Ð¸Ñ Ð¼Ð¸ÐºÑ€Ð¾Ð±Ð»Ð¾Ð³Ð¸Ð½Ð³Ð°, Ñозданный Ð´Ð»Ñ Ð²Ð°Ñ Ð¿Ñ€Ð¸ помощи [%" "%site.broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** — ÑÐµÑ€Ð²Ð¸Ñ Ð¼Ð¸ÐºÑ€Ð¾Ð±Ð»Ð¾Ð³Ð¸Ð½Ð³Ð°. " -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4609,41 +4646,44 @@ msgstr "" "лицензией [GNU Affero General Public License](http://www.fsf.org/licensing/" "licenses/agpl-3.0.html)." -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "Ð›Ð¸Ñ†ÐµÐ½Ð·Ð¸Ñ Ñодержимого Ñайта" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." -msgstr "" +msgstr "Содержание и данные %1$s ÑвлÑÑŽÑ‚ÑÑ Ð»Ð¸Ñ‡Ð½Ñ‹Ð¼Ð¸ и конфиденциальными." -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" +"ÐвторÑкие права на Ñодержание и данные принадлежат %1$s. Ð’Ñе права защищены." -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" +"ÐвторÑкие права на Ñодержание и данные принадлежат разработчикам. Ð’Ñе права " +"защищены." -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "All " -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "license." -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "Разбиение на Ñтраницы" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "Сюда" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "Туда" @@ -4675,75 +4715,85 @@ msgstr "ОÑÐ½Ð¾Ð²Ð½Ð°Ñ ÐºÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ñайта" msgid "Design configuration" msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¾Ñ„Ð¾Ñ€Ð¼Ð»ÐµÐ½Ð¸Ñ" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¿ÑƒÑ‚ÐµÐ¹" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¾Ñ„Ð¾Ñ€Ð¼Ð»ÐµÐ½Ð¸Ñ" + +#: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¿ÑƒÑ‚ÐµÐ¹" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "Изменить приложение" + #: lib/applicationeditform.php:186 msgid "Icon for this application" -msgstr "" +msgstr "Иконка Ð´Ð»Ñ Ñтого приложениÑ" #: lib/applicationeditform.php:206 -#, fuzzy, php-format +#, php-format msgid "Describe your application in %d characters" -msgstr "Опишите группу или тему при помощи %d Ñимволов" +msgstr "Опишите ваше приложение при помощи %d Ñимволов" #: lib/applicationeditform.php:209 -#, fuzzy msgid "Describe your application" -msgstr "Опишите группу или тему" +msgstr "Опишите ваше приложение" #: lib/applicationeditform.php:218 -#, fuzzy msgid "Source URL" -msgstr "ИÑходный код" +msgstr "URL иÑточника" #: lib/applicationeditform.php:220 -#, fuzzy msgid "URL of the homepage of this application" -msgstr "ÐÐ´Ñ€ÐµÑ Ñтраницы, дневника или Ð¿Ñ€Ð¾Ñ„Ð¸Ð»Ñ Ð³Ñ€ÑƒÐ¿Ð¿Ñ‹ на другом портале" +msgstr "URL-Ð°Ð´Ñ€ÐµÑ Ð´Ð¾Ð¼Ð°ÑˆÐ½ÐµÐ¹ Ñтраницы Ñтого приложениÑ" #: lib/applicationeditform.php:226 msgid "Organization responsible for this application" -msgstr "" +msgstr "ОрганизациÑ, ответÑÑ‚Ð²ÐµÐ½Ð½Ð°Ñ Ð·Ð° Ñто приложение" #: lib/applicationeditform.php:232 -#, fuzzy msgid "URL for the homepage of the organization" -msgstr "ÐÐ´Ñ€ÐµÑ Ñтраницы, дневника или Ð¿Ñ€Ð¾Ñ„Ð¸Ð»Ñ Ð³Ñ€ÑƒÐ¿Ð¿Ñ‹ на другом портале" +msgstr "URL-Ð°Ð´Ñ€ÐµÑ Ð´Ð¾Ð¼Ð°ÑˆÐ½ÐµÐ¹ Ñтраницы организации" #: lib/applicationeditform.php:238 msgid "URL to redirect to after authentication" -msgstr "" +msgstr "URL Ð´Ð»Ñ Ð¿ÐµÑ€ÐµÐ½Ð°Ð¿Ñ€Ð°Ð²Ð»ÐµÐ½Ð¸Ñ Ð¿Ð¾Ñле проверки подлинноÑти" #: lib/applicationeditform.php:260 msgid "Browser" -msgstr "" +msgstr "Браузер" #: lib/applicationeditform.php:276 msgid "Desktop" -msgstr "" +msgstr "ÐžÐ¿ÐµÑ€Ð°Ñ†Ð¸Ð¾Ð½Ð½Ð°Ñ ÑиÑтема" #: lib/applicationeditform.php:277 msgid "Type of application, browser or desktop" -msgstr "" +msgstr "Среда Ð²Ñ‹Ð¿Ð¾Ð»Ð½ÐµÐ½Ð¸Ñ Ð¿Ñ€Ð¸Ð»Ð¾Ð¶ÐµÐ½Ð¸Ñ: браузер или Ð¾Ð¿ÐµÑ€Ð°Ñ†Ð¸Ð¾Ð½Ð½Ð°Ñ ÑиÑтема" #: lib/applicationeditform.php:299 msgid "Read-only" -msgstr "" +msgstr "Только чтение" #: lib/applicationeditform.php:317 msgid "Read-write" -msgstr "" +msgstr "Чтение и запиÑÑŒ" #: lib/applicationeditform.php:318 msgid "Default access for this application: read-only, or read-write" msgstr "" +"ДоÑтуп по умолчанию Ð´Ð»Ñ Ñтого приложениÑ: только чтение или чтение и запиÑÑŒ" #: lib/applicationlist.php:154 -#, fuzzy msgid "Revoke" -msgstr "Убрать" +msgstr "Отозвать" #: lib/attachmentlist.php:87 msgid "Attachments" @@ -5103,13 +5153,12 @@ msgid "Updates by SMS" msgstr "ÐžÐ±Ð½Ð¾Ð²Ð»ÐµÐ½Ð¸Ñ Ð¿Ð¾ СМС" #: lib/connectsettingsaction.php:120 -#, fuzzy msgid "Connections" -msgstr "Соединить" +msgstr "СоединениÑ" #: lib/connectsettingsaction.php:121 msgid "Authorized connected applications" -msgstr "" +msgstr "Ðвторизованные Ñоединённые приложениÑ" #: lib/dberroraction.php:60 msgid "Database error" @@ -5297,15 +5346,15 @@ msgstr "МБ" msgid "kB" msgstr "КБ" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "[%s]" -#: lib/jabber.php:385 -#, fuzzy, php-format +#: lib/jabber.php:400 +#, php-format msgid "Unknown inbox source %d." -msgstr "ÐеизвеÑтный Ñзык «%s»." +msgstr "ÐеизвеÑтный иÑточник входÑщих Ñообщений %d." #: lib/joinform.php:114 msgid "Join" @@ -5705,6 +5754,8 @@ msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" msgstr "" +"К Ñожалению, получение информации о вашем меÑтонахождении занÑло больше " +"времени, чем ожидалоÑÑŒ; повторите попытку позже" #: lib/noticelist.php:428 #, php-format @@ -5799,19 +5850,19 @@ msgstr "Ответы" msgid "Favorites" msgstr "Любимое" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "ВходÑщие" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "Ваши входÑщие ÑообщениÑ" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "ИÑходÑщие" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "Ваши иÑходÑщие ÑообщениÑ" @@ -6053,47 +6104,47 @@ msgstr "Сообщение" msgid "Moderate" msgstr "Модерировать" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "пару Ñекунд назад" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "около минуты назад" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "около %d минут(Ñ‹) назад" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "около чаÑа назад" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "около %d чаÑа(ов) назад" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "около Ð´Ð½Ñ Ð½Ð°Ð·Ð°Ð´" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "около %d днÑ(ей) назад" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "около меÑÑца назад" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "около %d меÑÑца(ев) назад" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "около года назад" @@ -6109,7 +6160,7 @@ msgstr "" "%s не ÑвлÑетÑÑ Ð´Ð¾Ð¿ÑƒÑтимым цветом! ИÑпользуйте 3 или 6 шеÑтнадцатеричных " "Ñимволов." -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "" diff --git a/locale/statusnet.po b/locale/statusnet.po index fedcf6e7b..799511534 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -17,6 +17,57 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=INTEGER; plural=EXPRESSION;\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +msgid "Access" +msgstr "" + +#: actions/accessadminpanel.php:65 +msgid "Site access settings" +msgstr "" + +#: actions/accessadminpanel.php:158 +msgid "Registration" +msgstr "" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "" + +#: actions/accessadminpanel.php:173 +msgid "Closed" +msgstr "" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "" + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "" + +#: actions/accessadminpanel.php:189 +msgid "Save access settings" +msgstr "" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -31,7 +82,7 @@ msgstr "" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -130,8 +181,7 @@ msgstr "" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -147,7 +197,7 @@ msgstr "" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "" @@ -176,7 +226,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -472,7 +522,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "" @@ -529,17 +586,17 @@ msgstr "" msgid "No status with that ID found." msgstr "" -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "" -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -590,11 +647,6 @@ msgstr "" msgid "%s updates from everyone!" msgstr "" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "" - #: actions/apitimelineretweetedtome.php:111 #, php-format msgid "Repeated to %s" @@ -993,17 +1045,6 @@ msgstr "" msgid "Reset back to default" msgstr "" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1016,12 +1057,13 @@ msgstr "" msgid "Add to favorites" msgstr "" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, php-format +msgid "No such document \"%s\"" msgstr "" -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" +#: actions/editapplication.php:54 +msgid "Edit Application" msgstr "" #: actions/editapplication.php:66 @@ -1038,7 +1080,7 @@ msgid "No such application." msgstr "" #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "" @@ -1237,7 +1279,7 @@ msgid "Cannot normalize that email address" msgstr "" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "" @@ -1249,7 +1291,7 @@ msgstr "" msgid "That email address already belongs to another user." msgstr "" -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "" @@ -1541,7 +1583,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -1716,6 +1758,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "" +#: actions/inbox.php:59 +#, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1866,7 +1913,7 @@ msgstr "" msgid "Error setting user. You are probably not authorized." msgstr "" -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "" @@ -1924,7 +1971,7 @@ msgid "No current status" msgstr "" #: actions/newapplication.php:52 -msgid "New application" +msgid "New Application" msgstr "" #: actions/newapplication.php:64 @@ -2106,8 +2153,8 @@ msgstr "" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "" @@ -2171,6 +2218,11 @@ msgstr "" msgid "Login token expired." msgstr "" +#: actions/outbox.php:58 +#, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2241,7 +2293,7 @@ msgstr "" msgid "Password saved." msgstr "" -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "" @@ -2249,132 +2301,148 @@ msgstr "" msgid "Path and server settings for this StatusNet site." msgstr "" -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, php-format msgid "Theme directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 msgid "Site path" msgstr "" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 msgid "Avatars" msgstr "" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 msgid "Avatar server" msgstr "" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 msgid "Avatar path" msgstr "" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 msgid "Avatar directory" msgstr "" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 msgid "Never" msgstr "" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 msgid "SSL server" msgstr "" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 msgid "Save paths" msgstr "" @@ -2479,7 +2547,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "" @@ -2505,7 +2573,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "" @@ -2763,7 +2831,7 @@ msgstr "" msgid "Registration successful" msgstr "" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "" @@ -2803,7 +2871,7 @@ msgid "Same as password above. Required." msgstr "" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "" @@ -2937,6 +3005,11 @@ msgstr "" msgid "Replies to %s" msgstr "" +#: actions/replies.php:127 +#, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "" + #: actions/replies.php:144 #, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3060,6 +3133,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "" @@ -3109,6 +3187,11 @@ msgstr "" msgid "%s group" msgstr "" +#: actions/showgroup.php:84 +#, php-format +msgid "%1$s group, page %2$d" +msgstr "" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "" @@ -3219,6 +3302,11 @@ msgstr "" msgid " tagged %s" msgstr "" +#: actions/showstream.php:79 +#, php-format +msgid "%1$s, page %2$d" +msgstr "" + #: actions/showstream.php:122 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3296,192 +3384,144 @@ msgstr "" msgid "Basic settings for this StatusNet site." msgstr "" -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 msgid "You must have a valid contact email address." msgstr "" -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "" -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 msgid "Site name" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 msgid "Contact email address for your site" msgstr "" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 msgid "Local" msgstr "" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "" - -#: actions/siteadminpanel.php:306 -msgid "Server" -msgstr "" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "" - -#: actions/siteadminpanel.php:318 -msgid "Access" -msgstr "" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "" - -#: actions/siteadminpanel.php:333 -msgid "Closed" -msgstr "" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "" - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 msgid "Save site settings" msgstr "" @@ -3672,6 +3712,11 @@ msgstr "" msgid "SMS" msgstr "" +#: actions/tag.php:68 +#, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "" + #: actions/tag.php:86 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -3955,6 +4000,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "" +#: actions/usergroups.php:64 +#, php-format +msgid "%1$s groups, page %2$d" +msgstr "" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "" @@ -4016,7 +4066,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "" @@ -4070,44 +4120,48 @@ msgstr "" msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:225 +#: classes/Notice.php:214 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "" -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +msgid "Problem saving group inbox." +msgstr "" + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4162,136 +4216,136 @@ msgstr "" msgid "Untitled page" msgstr "" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect to services" msgstr "" -#: lib/action.php:442 +#: lib/action.php:448 msgid "Change site configuration" msgstr "" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." "broughtby%%](%%site.broughtbyurl%%). " msgstr "" -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4299,41 +4353,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "" -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "" -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "" @@ -4365,10 +4419,22 @@ msgstr "" msgid "Design configuration" msgstr "" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +msgid "User configuration" +msgstr "" + +#: lib/adminpanelaction.php:327 +msgid "Access configuration" +msgstr "" + +#: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -4934,12 +5000,12 @@ msgstr "" msgid "kB" msgstr "" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "" @@ -5347,19 +5413,19 @@ msgstr "" msgid "Favorites" msgstr "" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "" @@ -5601,47 +5667,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "" @@ -5655,7 +5721,7 @@ msgstr "" msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "" -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index 6046d5fe2..6731f7dfc 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -9,17 +9,72 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:38:31+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:59:47+0000\n" "Language-Team: Swedish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +msgid "Access" +msgstr "Ã…tkomst" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Spara webbplatsinställningar" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "Registrera" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "Privat" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" +"Skall anonyma användare (inte inloggade) förhindras frÃ¥n att se webbplatsen?" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "Endast inbjudan" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "Gör sÃ¥ att registrering endast sker genom inbjudan." + +#: actions/accessadminpanel.php:173 +msgid "Closed" +msgstr "Stängd" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "Inaktivera nya registreringar." + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Spara" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Spara webbplatsinställningar" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -34,7 +89,7 @@ msgstr "Ingen sÃ¥dan sida" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -140,8 +195,7 @@ msgstr "Uppdateringar frÃ¥n %1$s och vänner pÃ¥ %2$s!" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -157,7 +211,7 @@ msgstr "API-metod hittades inte." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "Denna metod kräver en POST." @@ -186,7 +240,7 @@ msgstr "Kunde inte spara profil." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -485,7 +539,14 @@ msgstr "En applikation skulle vilja ansluta till ditt konto" msgid "Allow or deny access" msgstr "TillÃ¥t eller neka Ã¥tkomst" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Konto" @@ -542,17 +603,17 @@ msgstr "Status borttagen." msgid "No status with that ID found." msgstr "Ingen status med det ID:t hittades." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Det är för lÃ¥ngt. Maximal notisstorlek är %d tecken." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "Hittades inte" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "Maximal notisstorlek är %d tecken, inklusive URL för bilaga." @@ -603,11 +664,6 @@ msgstr "%s publika tidslinje" msgid "%s updates from everyone!" msgstr "%s uppdateringar frÃ¥n alla!" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "Upprepat av %s" - #: actions/apitimelineretweetedtome.php:111 #, php-format msgid "Repeated to %s" @@ -1017,17 +1073,6 @@ msgstr "Ã…terställ standardutseende" msgid "Reset back to default" msgstr "Ã…terställ till standardvärde" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Spara" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Spara utseende" @@ -1040,12 +1085,14 @@ msgstr "Denna notis är inte en favorit!" msgid "Add to favorites" msgstr "Lägg till i favoriter" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "Inget sÃ¥dant dokument." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" msgstr "Redigera applikation" #: actions/editapplication.php:66 @@ -1062,7 +1109,7 @@ msgid "No such application." msgstr "Ingen sÃ¥dan applikation." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "Det var ett problem med din sessions-token." @@ -1264,7 +1311,7 @@ msgid "Cannot normalize that email address" msgstr "Kan inte normalisera den e-postadressen" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "Inte en giltig e-postadress." @@ -1276,7 +1323,7 @@ msgstr "Det är redan din e-postadress." msgid "That email address already belongs to another user." msgstr "Den e-postadressen tillhör redan en annan användare." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "Kunde inte infoga bekräftelsekod." @@ -1583,7 +1630,7 @@ msgstr "%1$s gruppmedlemmar, sida %2$d" msgid "A list of the users in this group." msgstr "En lista av användarna i denna grupp." -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Administratör" @@ -1780,6 +1827,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "Detta är inte ditt Jabber-ID." +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "Inkorg för %s" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1937,7 +1989,7 @@ msgstr "Felaktigt användarnamn eller lösenord." msgid "Error setting user. You are probably not authorized." msgstr "Fel vid inställning av användare. Du har sannolikt inte tillstÃ¥nd." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Logga in" @@ -1999,7 +2051,8 @@ msgid "No current status" msgstr "Ingen aktuell status" #: actions/newapplication.php:52 -msgid "New application" +#, fuzzy +msgid "New Application" msgstr "Ny applikation" #: actions/newapplication.php:64 @@ -2192,8 +2245,8 @@ msgstr "innehÃ¥llstyp " msgid "Only " msgstr "Bara " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "Ett dataformat som inte stödjs" @@ -2257,6 +2310,11 @@ msgstr "Ogiltig inloggnings-token angiven." msgid "Login token expired." msgstr "Inloggnings-token förfallen." +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "Utkorg för %s" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2327,7 +2385,7 @@ msgstr "Kan inte spara nytt lösenord." msgid "Password saved." msgstr "Lösenord sparat." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "Sökvägar" @@ -2335,132 +2393,149 @@ msgstr "Sökvägar" msgid "Path and server settings for this StatusNet site." msgstr "Sökvägs- och serverinställningar för denna StatusNet-webbplats." -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, php-format msgid "Theme directory not readable: %s" msgstr "Katalog med teman är inte läsbar: %s" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "Katalog med avatarer är inte skrivbar: %s" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "Katalog med bakgrunder är inte skrivbar: %s" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "Katalog med lokaliseringfiler (locales) är inte läsbar. %s" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Ogiltigt SSL-servernamn. Den maximala längden är 255 tecken." -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "Webbplats" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "Server" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "Värdnamn för webbplatsens server." + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "Sökväg" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 msgid "Site path" msgstr "Sökväg till webbplats" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "Sökväg till lokaliseringfiler (locales)" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "Katalogsökväg till lokaliseringfiler (locales)" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "Utsmyckade URL:er" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" +"Skall utsmyckade URL:er användas (mer läsbara och lättare att komma ihÃ¥g)?" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "Teman" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "Server med teman" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "Sökväg till teman" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "Katalog med teman" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 msgid "Avatars" msgstr "Avatarer" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 msgid "Avatar server" msgstr "Server med avatarer" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 msgid "Avatar path" msgstr "Sökväg till avatarer" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 msgid "Avatar directory" msgstr "Katalog med avatarer" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "Bakgrunder" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "Server med bakgrunder" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "Sökväg till bakgrunder" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "Katalog med bakgrunder" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 msgid "Never" msgstr "Aldrig" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "Ibland" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "Alltid" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "Använd SSL" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "När SSL skall användas" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 msgid "SSL server" msgstr "SSL-server" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "Server att dirigera SSL-begäran till" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 msgid "Save paths" msgstr "Spara sökvägar" @@ -2571,7 +2646,7 @@ msgstr "" "Taggar för dig själv (bokstäver, nummer, -, ., och _), separerade med " "kommatecken eller mellanslag" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "SprÃ¥k" @@ -2599,7 +2674,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Biografin är för lÃ¥ng (max %d tecken)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "Tidszon inte valt." @@ -2875,7 +2950,7 @@ msgstr "Tyvärr, ogiltig inbjudningskod." msgid "Registration successful" msgstr "Registreringen genomförd" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registrera" @@ -2919,7 +2994,7 @@ msgid "Same as password above. Required." msgstr "Samma som lösenordet ovan. MÃ¥ste fyllas i." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "E-post" @@ -3065,6 +3140,11 @@ msgstr "Upprepad!" msgid "Replies to %s" msgstr "Svarat till %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "Svar till %1$s pÃ¥ %2$s" + #: actions/replies.php:144 #, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3196,6 +3276,11 @@ msgstr "" "Notera: Vi stöjder HMAC-SHA1-signaturer. Vi stödjer inte metoden med " "klartextsignatur." +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "%ss favoritnotiser" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Kunde inte hämta favoritnotiser." @@ -3253,6 +3338,11 @@ msgstr "Detta är ett sätt att dela med av det du gillar." msgid "%s group" msgstr "%s grupp" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "%1$s gruppmedlemmar, sida %2$d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "Grupprofil" @@ -3372,6 +3462,11 @@ msgstr "Notis borttagen." msgid " tagged %s" msgstr "taggade %s" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%1$s blockerade profiler, sida %2$d" + #: actions/showstream.php:122 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3460,195 +3555,145 @@ msgstr "Användaren är redan nedtystad." msgid "Basic settings for this StatusNet site." msgstr "Grundinställningar för din StatusNet-webbplats" -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "Webbplatsnamnet mÃ¥ste vara minst ett tecken lÃ¥ngt." -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 msgid "You must have a valid contact email address." msgstr "Du mÃ¥ste ha en giltig e-postadress." -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "Okänt sprÃ¥k \"%s\"." -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "Ogiltig rapport-URL för ögonblicksbild" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "Ogiltigt körvärde för ögonblicksbild." -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "Frekvens för ögonblicksbilder mÃ¥ste vara ett nummer." -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "Minsta textbegränsning är 140 tecken." -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "Begränsning av duplikat mÃ¥ste vara en eller fler sekuner." -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "Allmänt" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 msgid "Site name" msgstr "Webbplatsnamn" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "Namnet pÃ¥ din webbplats, t.ex. \"Företagsnamn mikroblogg\"" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "TillhandahÃ¥llen av" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "Text som används för tillskrivningslänkar i sidfoten pÃ¥ varje sida." -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "TillhandahÃ¥llen av URL" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "URL som används för tillskrivningslänkar i sidfoten pÃ¥ varje sida" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 msgid "Contact email address for your site" msgstr "Kontakte-postadress för din webbplats" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 msgid "Local" msgstr "Lokal" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "Standardtidszon" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "Standardtidzon för denna webbplats; vanligtvis UTC." -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "Webbplatsens standardsprÃ¥k" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "URL:er" - -#: actions/siteadminpanel.php:306 -msgid "Server" -msgstr "Server" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "Värdnamn för webbplatsens server." - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "Utsmyckade URL:er" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "" -"Skall utsmyckade URL:er användas (mer läsbara och lättare att komma ihÃ¥g)?" - -#: actions/siteadminpanel.php:318 -msgid "Access" -msgstr "Ã…tkomst" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "Privat" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" -"Skall anonyma användare (inte inloggade) förhindras frÃ¥n att se webbplatsen?" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "Endast inbjudan" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "Gör sÃ¥ att registrering endast sker genom inbjudan." - -#: actions/siteadminpanel.php:333 -msgid "Closed" -msgstr "Stängd" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "Inaktivera nya registreringar." - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "Ögonblicksbild" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "Slumpmässigt vid webbförfrÃ¥gningar" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "I ett schemalagt jobb" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "Ögonblicksbild av data" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "När statistikdata skall skickas till status.net-servrar" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "Frekvens" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "Ögonblicksbild kommer skickas var N:te webbträff" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "URL för rapport" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "Ögonblicksbild kommer skickat till denna URL" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "Begränsningar" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "Textbegränsning" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "Maximala antalet tecken för notiser." -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "Duplikatbegränsning" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Hur länge användare mÃ¥ste vänta (i sekunder) för att posta samma sak igen." -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 msgid "Save site settings" msgstr "Spara webbplatsinställningar" @@ -3856,6 +3901,11 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "Användare som taggat sig själv med %1$s - sida %2$d" + #: actions/tag.php:86 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4158,6 +4208,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "Smaklig mÃ¥ltid!" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "%1$s gruppmedlemmar, sida %2$d" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "Sök efter fler grupper" @@ -4232,7 +4287,7 @@ msgstr "" msgid "Plugins" msgstr "Insticksmoduler" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "Version" @@ -4288,27 +4343,27 @@ msgstr "Kunde inte infoga meddelande." msgid "Could not update message with new URI." msgstr "Kunde inte uppdatera meddelande med ny URI." -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Databasfel vid infogning av hashtag: %s" -#: classes/Notice.php:225 +#: classes/Notice.php:214 msgid "Problem saving notice. Too long." msgstr "Problem vid sparande av notis. För lÃ¥ngt." -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "Problem vid sparande av notis. Okänd användare." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "För mÃ¥nga notiser för snabbt; ta en vilopaus och posta igen om ett par " "minuter." -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4316,20 +4371,25 @@ msgstr "" "För mÃ¥nga duplicerade meddelanden för snabbt; ta en vilopaus och posta igen " "om ett par minuter." -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "Du är utestängd frÃ¥n att posta notiser pÃ¥ denna webbplats." -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "Problem med att spara notis." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "Problem med att spara notis." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Databasfel vid infogning av svar: %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4384,124 +4444,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Namnlös sida" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Primär webbplatsnavigation" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "Hem" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Personlig profil och vänners tidslinje" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Ändra din e-post, avatar, lösenord, profil" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "Anslut" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect to services" msgstr "Anslut till tjänster" -#: lib/action.php:442 +#: lib/action.php:448 msgid "Change site configuration" msgstr "Ändra webbplatskonfiguration" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Bjud in" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Bjud in vänner och kollegor att gÃ¥ med dig pÃ¥ %s" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "Logga ut" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Logga ut frÃ¥n webbplatsen" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "Skapa ett konto" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "Logga in pÃ¥ webbplatsen" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Hjälp" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "Hjälp mig!" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Sök" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Sök efter personer eller text" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "Webbplatsnotis" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "Lokala vyer" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "Sidnotis" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Sekundär webbplatsnavigation" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "Om" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "FrÃ¥gor & svar" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "Användarvillkor" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "Sekretess" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "Källa" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "Emblem" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Programvarulicens för StatusNet" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4510,12 +4570,12 @@ msgstr "" "**%%site.name%%** är en mikrobloggtjänst tillhandahÃ¥llen av [%%site.broughtby" "%%](%%site.broughtbyurl%%). " -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** är en mikrobloggtjänst." -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4526,41 +4586,41 @@ msgstr "" "version %s, tillgänglig under [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "Licens för webbplatsinnehÃ¥ll" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "Alla " -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "licens." -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "Numrering av sidor" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "Senare" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "Tidigare" @@ -4592,10 +4652,24 @@ msgstr "Grundläggande webbplatskonfiguration" msgid "Design configuration" msgstr "Konfiguration av utseende" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "Konfiguration av sökvägar" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "Konfiguration av utseende" + +#: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "Konfiguration av sökvägar" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "Redigera applikation" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "Ikon för denna applikation" @@ -5168,12 +5242,12 @@ msgstr "MB" msgid "kB" msgstr "kB" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "[%s]" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "Okänd källa för inkorg %d." @@ -5598,19 +5672,19 @@ msgstr "Svar" msgid "Favorites" msgstr "Favoriter" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Inkorg" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "Dina inkommande meddelanden" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "Utkorg" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "Dina skickade meddelanden" @@ -5852,47 +5926,47 @@ msgstr "Meddelande" msgid "Moderate" msgstr "Moderera" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "ett par sekunder sedan" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "för nÃ¥n minut sedan" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "för %d minuter sedan" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "för en timma sedan" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "för %d timmar sedan" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "för en dag sedan" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "för %d dagar sedan" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "för en mÃ¥nad sedan" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "för %d mÃ¥nader sedan" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "för ett Ã¥r sedan" @@ -5906,7 +5980,7 @@ msgstr "%s är inte en giltig färg!" msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "%s är inte en giltig färg! Använd 3 eller 6 hexadecimala tecken." -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "Meddelande för lÃ¥ngt - maximum är %1$d tecken, du skickade %2$d." diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index 4b313d88f..54579428c 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -8,17 +8,73 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:38:34+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:59:50+0000\n" "Language-Team: Telugu\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#, fuzzy +msgid "Access" +msgstr "అంగీకరించà±" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "సైటౠఅమరికలనౠభదà±à°°à°ªà°°à°šà±" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "నమోదà±" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "అంతరంగికం" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "à°…à°œà±à°žà°¾à°¤ (à°ªà±à°°à°µà±‡à°¶à°¿à°‚చని) వాడà±à°•à°°à±à°²à°¨à°¿ సైటà±à°¨à°¿ చూడకà±à°‚à°¡à°¾ నిషేధించాలా?" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "ఆహà±à°µà°¾à°¨à°¿à°¤à±à°²à°•à± మాతà±à°°à°®à±‡" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "ఆహà±à°µà°¾à°¨à°¿à°¤à±à°²à± మాతà±à°°à°®à±‡ నమోదౠఅవà±à°µà°—లిగేలా చెయà±à°¯à°¿." + +#: actions/accessadminpanel.php:173 +#, fuzzy +msgid "Closed" +msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ వాడà±à°•à°°à°¿ లేరà±." + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "కొతà±à°¤ నమోదà±à°²à°¨à± అచేతనంచేయి." + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "à°­à°¦à±à°°à°ªà°°à°šà±" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "సైటౠఅమరికలనౠభదà±à°°à°ªà°°à°šà±" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -33,7 +89,7 @@ msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ పేజీ లేదà±" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -132,8 +188,7 @@ msgstr "" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -150,7 +205,7 @@ msgstr "నిరà±à°§à°¾à°°à°£ సంకేతం కనబడలేదà±." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "" @@ -181,7 +236,7 @@ msgstr "à°ªà±à°°à±Šà°«à±ˆà°²à±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°²à±‡à°•à±à°¨à± #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -441,9 +496,8 @@ msgid "There was a problem with your session token. Try again, please." msgstr "" #: actions/apioauthauthorize.php:146 -#, fuzzy msgid "Invalid nickname / password!" -msgstr "వాడà±à°•à°°à°¿à°ªà±‡à°°à± లేదా సంకేతపదం తపà±à°ªà±." +msgstr "తపà±à°ªà±à°¡à± పేరౠ/ సంకేతపదం!" #: actions/apioauthauthorize.php:170 msgid "DB error deleting OAuth app user." @@ -483,7 +537,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "ఖాతా" @@ -542,17 +603,17 @@ msgstr "à°¸à±à°¥à°¿à°¤à°¿à°¨à°¿ తొలగించాం." msgid "No status with that ID found." msgstr "" -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "అది చాలా పొడవà±à°‚ది. à°—à°°à°¿à°·à±à°  నోటీసౠపరిమాణం %d à°…à°•à±à°·à°°à°¾à°²à±." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "దొరకలేదà±" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "à°—à°°à°¿à°·à±à°  నోటీసౠపొడవౠ%d à°…à°•à±à°·à°°à°¾à°²à±, జోడింపౠURLని à°•à°²à±à°ªà±à°•à±à°¨à°¿." @@ -603,11 +664,6 @@ msgstr "%s బహిరంగ కాలరేఖ" msgid "%s updates from everyone!" msgstr "" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "" - #: actions/apitimelineretweetedtome.php:111 #, fuzzy, php-format msgid "Repeated to %s" @@ -916,7 +972,7 @@ msgstr "రూపà±à°°à±‡à°–à°²à±" #: actions/designadminpanel.php:73 msgid "Design settings for this StatusNet site." -msgstr "" +msgstr "à°ˆ à°¸à±à°Ÿà±‡à°Ÿà°¸à±‌నెటౠసైటà±à°•à°¿ రూపà±à°°à±‡à°–à°² అమరికలà±." #: actions/designadminpanel.php:275 msgid "Invalid logo URL." @@ -1011,17 +1067,6 @@ msgstr "" msgid "Reset back to default" msgstr "" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "à°­à°¦à±à°°à°ªà°°à°šà±" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "రూపà±à°°à±‡à°–లని à°­à°¦à±à°°à°ªà°°à°šà±" @@ -1034,44 +1079,41 @@ msgstr "à°ˆ నోటీసౠఇషà±à°Ÿà°¾à°‚శం కాదà±!" msgid "Add to favorites" msgstr "ఇషà±à°Ÿà°¾à°‚శాలకౠచేరà±à°šà±" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ పతà±à°°à°®à±‡à°®à±€ లేదà±." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "ఉపకరణానà±à°¨à°¿ మారà±à°šà±" #: actions/editapplication.php:66 -#, fuzzy msgid "You must be logged in to edit an application." -msgstr "à°—à±à°‚à°ªà±à°¨à°¿ మారà±à°šà°¡à°¾à°¨à°¿à°•à°¿ మీరౠపà±à°°à°µà±‡à°¶à°¿à°‚à°šà°¿ ఉండాలి." +msgstr "ఉపకరణాలని మారà±à°šà°¡à°¾à°¨à°¿à°•à°¿ మీరౠపà±à°°à°µà±‡à°¶à°¿à°‚à°šà°¿ ఉండాలి." #: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy msgid "You are not the owner of this application." -msgstr "మీరౠఈ à°—à±à°‚à°ªà±à°²à±‹ సభà±à°¯à±à°²à± కాదà±." +msgstr "మీరౠఈ ఉపకరణం యొకà±à°• యజమాని కాదà±." #: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 #: actions/showapplication.php:87 -#, fuzzy msgid "No such application." -msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ సందేశమేమీ లేదà±." +msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ ఉపకరణం లేదà±." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "" #: actions/editapplication.php:161 -#, fuzzy msgid "Use this form to edit your application." -msgstr "à°—à±à°‚à°ªà±à°¨à°¿ మారà±à°šà°¡à°¾à°¨à°¿à°•à°¿ à°ˆ ఫారానà±à°¨à°¿ ఉపయోగించండి." +msgstr "మీ ఉపకరణానà±à°¨à°¿ మారà±à°šà°¡à°¾à°¨à°¿à°•à°¿ à°ˆ ఫారానà±à°¨à°¿ ఉపయోగించండి." #: actions/editapplication.php:177 actions/newapplication.php:159 -#, fuzzy msgid "Name is required." -msgstr "పై సంకేతపదం మరోసారి. తపà±à°ªà°¨à°¿à°¸à°°à°¿." +msgstr "పేరౠతపà±à°ªà°¨à°¿à°¸à°°à°¿." #: actions/editapplication.php:180 actions/newapplication.php:162 msgid "Name is too long (max 255 chars)." @@ -1095,9 +1137,8 @@ msgid "Organization is required." msgstr "సంసà±à°¥ తపà±à°ªà°¨à°¿à°¸à°°à°¿." #: actions/editapplication.php:203 actions/newapplication.php:188 -#, fuzzy msgid "Organization is too long (max 255 chars)." -msgstr "à°ªà±à°°à°¾à°‚తం పేరౠమరీ పెదà±à°¦à°—à°¾ ఉంది (255 à°…à°•à±à°·à°°à°¾à°²à± à°—à°°à°¿à°·à±à° à°‚)." +msgstr "సంసà±à°¥ పేరౠమరీ పెదà±à°¦à°—à°¾ ఉంది (255 à°…à°•à±à°·à°°à°¾à°²à± à°—à°°à°¿à°·à±à° à°‚)." #: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization homepage is required." @@ -1263,7 +1304,7 @@ msgid "Cannot normalize that email address" msgstr "" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "సరైన ఈమెయిలౠచిరà±à°¨à°¾à°®à°¾ కాదà±:" @@ -1275,7 +1316,7 @@ msgstr "అది ఇపà±à°ªà°Ÿà°¿à°•à±‡ మీ ఈమెయిలౠచి msgid "That email address already belongs to another user." msgstr "à°† ఈమెయిలౠచిరà±à°¨à°¾à°®à°¾ ఇపà±à°ªà°Ÿà±‡à°•à±‡ ఇతర వాడà±à°•à°°à°¿à°•à°¿ సంబంధించినది." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "నిరà±à°§à°¾à°°à°£ సంకేతానà±à°¨à°¿ చేరà±à°šà°²à±‡à°•à°ªà±‹à°¯à°¾à°‚." @@ -1563,15 +1604,15 @@ msgid "%s group members" msgstr "%s à°—à±à°‚పౠసభà±à°¯à±à°²à±" #: actions/groupmembers.php:96 -#, fuzzy, php-format +#, php-format msgid "%1$s group members, page %2$d" -msgstr "%s à°—à±à°‚పౠసభà±à°¯à±à°²à±, పేజీ %d" +msgstr "%1$s à°—à±à°‚పౠసభà±à°¯à±à°²à±, పేజీ %2$d" #: actions/groupmembers.php:111 msgid "A list of the users in this group." msgstr "à°ˆ à°—à±à°‚à°ªà±à°²à±‹ వాడà±à°•à°°à±à°²à± జాబితా." -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -1749,6 +1790,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "ఇది మీ Jabber ID కాదà±" +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "%sà°•à°¿ వచà±à°šà°¿à°¨à°µà°¿" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1899,7 +1945,7 @@ msgstr "వాడà±à°•à°°à°¿à°ªà±‡à°°à± లేదా సంకేతపదం msgid "Error setting user. You are probably not authorized." msgstr "" -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "à°ªà±à°°à°µà±‡à°¶à°¿à°‚à°šà°‚à°¡à°¿" @@ -1960,18 +2006,17 @@ msgid "No current status" msgstr "à°ªà±à°°à°¸à±à°¤à±à°¤ à°¸à±à°¥à°¿à°¤à°¿ à°à°®à±€ లేదà±" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "కొతà±à°¤ ఉపకరణం" #: actions/newapplication.php:64 -#, fuzzy msgid "You must be logged in to register an application." -msgstr "à°—à±à°‚à°ªà±à°¨à°¿ సృషà±à°Ÿà°¿à°‚చడానికి మీరౠలోనికి à°ªà±à°°à°µà±‡à°¶à°¿à°‚చాలి." +msgstr "ఉపకరణాలని నమోదà±à°šà±‡à°¸à±à°•à±‹à°¡à°¾à°¨à°¿à°•à°¿ మీరౠలోనికి à°ªà±à°°à°µà±‡à°¶à°¿à°‚à°šà°¿ ఉండాలి." #: actions/newapplication.php:143 -#, fuzzy msgid "Use this form to register a new application." -msgstr "కొతà±à°¤ à°—à±à°‚à°ªà±à°¨à°¿ సృషà±à°Ÿà°¿à°‚డానికి à°ˆ ఫారానà±à°¨à°¿ ఉపయోగించండి." +msgstr "కొతà±à°¤ ఉపకరణానà±à°¨à°¿ నమోదà±à°šà±‡à°¸à±à°•à±‹à°¡à°¾à°¨à°¿à°•à°¿ à°ˆ ఫారానà±à°¨à°¿ ఉపయోగించండి." #: actions/newapplication.php:173 msgid "Source URL is required." @@ -2065,6 +2110,8 @@ msgid "" "Why not [register an account](%%%%action.register%%%%) and be the first to " "[post on this topic](%%%%action.newnotice%%%%?status_textarea=%s)!" msgstr "" +"మీరౠ[à°’à°• ఖాతా నమోదౠచేసà±à°•à±à°¨à°¿](%%%%action.register%%%%) [à°ˆ విషయంపై à°µà±à°°à°¾à°¸à±‡](%%%%action." +"newnotice%%%%?status_textarea=%s) మొదటివారౠఎందà±à°•à±à°•à°¾à°•à±‚à°¡à°¦à±!" #: actions/noticesearchrss.php:96 #, fuzzy, php-format @@ -2090,9 +2137,8 @@ msgid "Nudge sent!" msgstr "" #: actions/oauthappssettings.php:59 -#, fuzzy msgid "You must be logged in to list your applications." -msgstr "à°—à±à°‚à°ªà±à°¨à°¿ మారà±à°šà°¡à°¾à°¨à°¿à°•à°¿ మీరౠపà±à°°à°µà±‡à°¶à°¿à°‚à°šà°¿ ఉండాలి." +msgstr "మీ ఉపకరణాలనౠచూడడానికి మీరౠపà±à°°à°µà±‡à°¶à°¿à°‚à°šà°¿ ఉండాలి." #: actions/oauthappssettings.php:74 #, fuzzy @@ -2101,7 +2147,7 @@ msgstr "ఇతర ఎంపికలà±" #: actions/oauthappssettings.php:85 msgid "Applications you have registered" -msgstr "" +msgstr "మీరౠనమోదౠచేసివà±à°¨à±à°¨ ఉపకరణాలà±" #: actions/oauthappssettings.php:135 #, php-format @@ -2110,16 +2156,15 @@ msgstr "" #: actions/oauthconnectionssettings.php:71 msgid "Connected applications" -msgstr "" +msgstr "సంధానిత ఉపకరణాలà±" #: actions/oauthconnectionssettings.php:87 msgid "You have allowed the following applications to access you account." msgstr "" #: actions/oauthconnectionssettings.php:170 -#, fuzzy msgid "You are not a user of that application." -msgstr "మీరౠఆ à°—à±à°‚à°ªà±à°²à±‹ సభà±à°¯à±à°²à± కాదà±." +msgstr "మీరౠఆ ఉపకరణం యొకà±à°• వాడà±à°•à°°à°¿ కాదà±." #: actions/oauthconnectionssettings.php:180 msgid "Unable to revoke access for app: " @@ -2151,8 +2196,8 @@ msgstr "విషయ à°°à°•à°‚ " msgid "Only " msgstr "మాతà±à°°à°®à±‡ " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "" @@ -2221,6 +2266,11 @@ msgstr "సందేశపౠవిషయం సరైనది కాదà±" msgid "Login token expired." msgstr "సైటౠలోనికి à°ªà±à°°à°µà±‡à°¶à°¿à°‚à°šà±" +#: actions/outbox.php:58 +#, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2291,7 +2341,7 @@ msgstr "కొతà±à°¤ సంకేతపదానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°° msgid "Password saved." msgstr "సంకేతపదం à°­à°¦à±à°°à°®à°¯à±à°¯à°¿à°‚ది." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "" @@ -2299,137 +2349,153 @@ msgstr "" msgid "Path and server settings for this StatusNet site." msgstr "" -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, fuzzy, php-format msgid "Theme directory not readable: %s" msgstr "హోమౠపేజీ URL సరైనది కాదà±." -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "సైటà±" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "సేవకి" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 #, fuzzy msgid "Site path" msgstr "కొతà±à°¤ సందేశం" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "అలంకారం" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "అలంకారాల సేవకి" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "అలంకార సంచయం" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 msgid "Avatars" msgstr "అవతారాలà±" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 msgid "Avatar server" msgstr "అవతారాల సేవకి" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 #, fuzzy msgid "Avatar path" msgstr "అవతారానà±à°¨à°¿ తాజాకరించాం." -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 msgid "Avatar directory" msgstr "అవతారాల సంచయం" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "నేపథà±à°¯à°¾à°²à±" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "నేపథà±à°¯à°¾à°² సేవకి" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 #, fuzzy msgid "Background path" msgstr "నేపథà±à°¯à°‚" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "నేపథà±à°¯à°¾à°² సంచయం" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 #, fuzzy msgid "Never" msgstr "వైదొలగà±" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "కొనà±à°¨à°¿à°¸à°¾à°°à±à°²à±" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "à°Žà°²à±à°²à°ªà±à°ªà±à°¡à±‚" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 #, fuzzy msgid "SSL server" msgstr "వైదొలగà±" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 #, fuzzy msgid "Save paths" msgstr "కొతà±à°¤ సందేశం" @@ -2539,7 +2605,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "భాష" @@ -2565,7 +2631,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "à°¸à±à°µà°ªà°°à°¿à°šà°¯à°‚ చాలా పెదà±à°¦à°—à°¾ ఉంది (%d à°…à°•à±à°·à°°à°¾à°²à± à°—à°°à°¿à°·à±à° à°‚)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "కాలమండలానà±à°¨à°¿ à°Žà°‚à°šà±à°•à±‹à°²à±‡à°¦à±." @@ -2665,6 +2731,8 @@ msgid "" "blogging) service based on the Free Software [StatusNet](http://status.net/) " "tool." msgstr "" +"ఇది %%site.name%%, à°¸à±à°µà±‡à°šà±à°›à°¾ మృదూపకరమైన [à°¸à±à°Ÿà±‡à°Ÿà°¸à±â€Œà°¨à±†à°Ÿà±](http://status.net/) అనే పనిమà±à°Ÿà±à°Ÿà±à°ªà±ˆ " +"ఆధారపడిన à°’à°• [మైకà±à°°à±‹-à°¬à±à°²à°¾à°—à°¿à°‚à°—à±](http://en.wikipedia.org/wiki/Micro-blogging) సేవ." #: actions/publictagcloud.php:57 #, fuzzy @@ -2829,7 +2897,7 @@ msgstr "à°•à±à°·à°®à°¿à°‚à°šà°‚à°¡à°¿, తపà±à°ªà± ఆహà±à°µà°¾à°¨ à°¸ msgid "Registration successful" msgstr "నమోదౠవిజయవంతం" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "నమోదà±" @@ -2869,7 +2937,7 @@ msgid "Same as password above. Required." msgstr "పై సంకేతపదం మరోసారి. తపà±à°ªà°¨à°¿à°¸à°°à°¿." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "ఈమెయిలà±" @@ -2913,6 +2981,18 @@ msgid "" "\n" "Thanks for signing up and we hope you enjoy using this service." msgstr "" +"%1$s, అభినందనలà±! %%%%site.name%%%%à°•à°¿ à°¸à±à°µà°¾à°—తం. ఇకà±à°•à°¡ à°¨à±à°‚à°¡à°¿, మీరà±...\n" +"\n" +"* [మీ à°ªà±à°°à±Šà°«à±ˆà°²à±](%2$s)à°•à°¿ వెళà±à°³à°¿ మీ మొదటి సందేశానà±à°¨à°¿ à°µà±à°°à°¾à°¯à°‚à°¡à°¿.\n" +"* [జాబరà±/జీటాకౠచిరà±à°¨à°¾à°®à°¾à°¨à°¿](%%%%action.imsettings%%%%) చేరà±à°šà±à°•à±‹à°‚à°¡à°¿ à°…à°ªà±à°ªà±à°¡à± తకà±à°·à°£ సందేశాల à°¦à±à°µà°¾à°°à°¾ " +"మీరౠనోటీసà±à°²à°¨à°¿ పంపగలà±à°—à±à°¤à°¾à°°à±.\n" +"* మీకౠతెలిసిన లేదా మీ ఆసకà±à°¤à±à°²à°¨à± పంచà±à°•à±à°¨à±‡ [à°µà±à°¯à°•à±à°¤à±à°² కోసం వెతకండి](%%%%action.peoplesearch%%" +"%%).\n" +"* మీ à°—à±à°°à°¿à°‚à°šà°¿ ఇతరà±à°²à°•à± మరింత చెపà±à°ªà°¡à°¾à°¨à°¿à°•à°¿ మీ [à°ªà±à°°à±Šà°«à±ˆà°²à± అమరికలని](%%%%action.profilesettings%%%" +"%) తాజాకరించà±à°•à±‹à°‚à°¡à°¿. \n" +"* సౌలభà±à°¯à°¾à°²à°¨à± తెలà±à°¸à±à°•à±‹à°¡à°¾à°¨à°¿à°•à°¿ [ఆనà±‌లైనౠపతà±à°°à°¾à°µà°³à°¿](%%%%doc.help%%%%)ని చూడండి. \n" +"\n" +"నమోదà±à°šà±‡à°¸à±à°•à±à°¨à±à°¨à°‚à°¦à±à°•à± కృతజà±à°žà°¤à°²à± మరియౠఈ సేవని ఉపయోగిసà±à°¤à±‚ మీరౠఆనందిసà±à°¤à°¾à°°à°¨à°¿ మేం ఆశిసà±à°¤à±à°¨à±à°¨à°¾à°‚." #: actions/register.php:562 msgid "" @@ -3009,6 +3089,11 @@ msgstr "సృషà±à°Ÿà°¿à°¤à°‚" msgid "Replies to %s" msgstr "%sà°•à°¿ à°¸à±à°ªà°‚దనలà±" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "%sà°•à°¿ à°¸à±à°ªà°‚దనలà±" + #: actions/replies.php:144 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3099,7 +3184,7 @@ msgstr "" #: actions/showapplication.php:214 msgid "Application actions" -msgstr "" +msgstr "ఉపకరణ à°šà°°à±à°¯à°²à±" #: actions/showapplication.php:233 msgid "Reset key & secret" @@ -3107,7 +3192,7 @@ msgstr "" #: actions/showapplication.php:241 msgid "Application info" -msgstr "" +msgstr "ఉపకరణ సమాచారం" #: actions/showapplication.php:243 msgid "Consumer key" @@ -3136,6 +3221,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "%sà°•à°¿ ఇషà±à°Ÿà°®à±ˆà°¨ నోటీసà±à°²à±" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "" @@ -3185,6 +3275,11 @@ msgstr "మీకౠనచà±à°šà°¿à°¨à°µà°¿ పంచà±à°•à±‹à°¡à°¾à°¨à°¿à°• msgid "%s group" msgstr "%s à°—à±à°‚à°ªà±" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "%1$s à°—à±à°‚పౠసభà±à°¯à±à°²à±, పేజీ %2$d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "à°—à±à°‚పౠపà±à°°à±Šà°«à±ˆà°²à±" @@ -3295,6 +3390,11 @@ msgstr "నోటీసà±à°¨à°¿ తొలగించాం." msgid " tagged %s" msgstr "" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%1$s మరియౠమితà±à°°à±à°²à±, పేజీ %2$d" + #: actions/showstream.php:122 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3356,9 +3456,9 @@ msgid "" msgstr "" #: actions/showstream.php:313 -#, fuzzy, php-format +#, php-format msgid "Repeat of %s" -msgstr "%sà°•à°¿ à°¸à±à°ªà°‚దనలà±" +msgstr "%s యొకà±à°• à°ªà±à°¨à°°à°¾à°µà±ƒà°¤à°‚" #: actions/silence.php:65 actions/unsilence.php:65 msgid "You cannot silence users on this site." @@ -3373,196 +3473,145 @@ msgstr "వాడà±à°•à°°à°¿à°¨à°¿ ఇపà±à°ªà°Ÿà°¿à°•à±‡ à°—à±à°‚à°ªà±à°¨ msgid "Basic settings for this StatusNet site." msgstr "" -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "సైటౠపేరౠతపà±à°ªà°¨à°¿à°¸à°°à°¿à°—à°¾ à°¸à±à°¨à±à°¨à°¾ కంటే à°Žà°•à±à°•à±à°µ పొడవà±à°‚డాలి." -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 msgid "You must have a valid contact email address." msgstr "మీకౠసరైన సంపà±à°°à°¦à°¿à°‚పౠఈమెయిలౠచిరà±à°¨à°¾à°®à°¾ ఉండాలి." -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "à°—à±à°°à±à°¤à± తెలియని భాష \"%s\"." -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "కనిషà±à°  పాఠà±à°¯ పరిమితి 140 à°…à°•à±à°·à°°à°¾à°²à±." -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "సాధారణ" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 msgid "Site name" msgstr "సైటౠపేరà±" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "మీ సైటౠయొకà±à°• పేరà±, ఇలా \"మీకంపెనీ మైకà±à°°à±‹à°¬à±à°²à°¾à°—à±\"" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 #, fuzzy msgid "Contact email address for your site" msgstr "à°ˆ వాడà±à°•à°°à°¿à°•à±ˆ నమోదైన ఈమెయిలౠచిరà±à°¨à°¾à°®à°¾à°²à± à°à°®à±€ లేవà±." -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 msgid "Local" msgstr "à°¸à±à°¥à°¾à°¨à°¿à°•" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "à°…à°ªà±à°°à°®à±‡à°¯ కాలమండలం" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "à°…à°ªà±à°°à°®à±‡à°¯ సైటౠభాష" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "" - -#: actions/siteadminpanel.php:306 -#, fuzzy -msgid "Server" -msgstr "వైదొలగà±" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "" - -#: actions/siteadminpanel.php:318 -#, fuzzy -msgid "Access" -msgstr "అంగీకరించà±" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "అంతరంగికం" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "à°…à°œà±à°žà°¾à°¤ (à°ªà±à°°à°µà±‡à°¶à°¿à°‚చని) వాడà±à°•à°°à±à°²à°¨à°¿ సైటà±à°¨à°¿ చూడకà±à°‚à°¡à°¾ నిషేధించాలా?" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "ఆహà±à°µà°¾à°¨à°¿à°¤à±à°²à°•à± మాతà±à°°à°®à±‡" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "ఆహà±à°µà°¾à°¨à°¿à°¤à±à°²à± మాతà±à°°à°®à±‡ నమోదౠఅవà±à°µà°—లిగేలా చెయà±à°¯à°¿." - -#: actions/siteadminpanel.php:333 -#, fuzzy -msgid "Closed" -msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ వాడà±à°•à°°à°¿ లేరà±." - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "కొతà±à°¤ నమోదà±à°²à°¨à± అచేతనంచేయి." - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "తరచà±à°¦à°¨à°‚" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "పరిమితà±à°²à±" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "పాఠà±à°¯à°ªà± పరిమితి" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "సందేశాలలోని à°…à°•à±à°·à°°à°¾à°² à°—à°°à°¿à°·à±à°  సంఖà±à°¯." -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 msgid "Save site settings" msgstr "సైటౠఅమరికలనౠభదà±à°°à°ªà°°à°šà±" @@ -3684,9 +3733,9 @@ msgid "%s subscribers" msgstr "%s చందాదారà±à°²à±" #: actions/subscribers.php:52 -#, fuzzy, php-format +#, php-format msgid "%1$s subscribers, page %2$d" -msgstr "%s చందాదారà±à°²à±, పేజీ %d" +msgstr "%1$s చందాదారà±à°²à±, పేజీ %2$d" #: actions/subscribers.php:63 msgid "These are the people who listen to your notices." @@ -3706,7 +3755,7 @@ msgstr "" #: actions/subscribers.php:110 #, php-format msgid "%s has no subscribers. Want to be the first?" -msgstr "" +msgstr "%sà°•à°¿ చందాదారà±à°²à± ఎవరూ లేరà±. మీరే మొదటివారౠకావాలనà±à°•à±à°‚à°Ÿà±à°¨à±à°¨à°¾à°°à°¾?" #: actions/subscribers.php:114 #, php-format @@ -3721,9 +3770,9 @@ msgid "%s subscriptions" msgstr "%s చందాలà±" #: actions/subscriptions.php:54 -#, fuzzy, php-format +#, php-format msgid "%1$s subscriptions, page %2$d" -msgstr "%s చందాలà±, పేజీ %d" +msgstr "%1$s చందాలà±, పేజీ %2$d" #: actions/subscriptions.php:65 msgid "These are the people whose notices you listen to." @@ -3757,6 +3806,11 @@ msgstr "జాబరà±" msgid "SMS" msgstr "" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "%s యొకà±à°• మైకà±à°°à±‹à°¬à±à°²à°¾à°—à±" + #: actions/tag.php:86 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -3898,9 +3952,8 @@ msgid "Welcome text for new users (Max 255 chars)." msgstr "కొతà±à°¤ వాడà±à°•à°°à±à°²à°•à±ˆ à°¸à±à°µà°¾à°—à°¤ సందేశం (255 à°…à°•à±à°·à°°à°¾à°²à± à°—à°°à°¿à°·à±à° à°‚)." #: actions/useradminpanel.php:241 -#, fuzzy msgid "Default subscription" -msgstr "à°…à°¨à±à°¨à°¿ చందాలà±" +msgstr "à°…à°ªà±à°°à°®à±‡à°¯ చందా" #: actions/useradminpanel.php:242 #, fuzzy @@ -3912,9 +3965,8 @@ msgid "Invitations" msgstr "ఆహà±à°µà°¾à°¨à°¾à°²à±" #: actions/useradminpanel.php:256 -#, fuzzy msgid "Invitations enabled" -msgstr "ఆహà±à°µà°¾à°¨à°®à±(à°²)ని పంపించాం" +msgstr "ఆహà±à°µà°¾à°¨à°¾à°²à°¨à°¿ చేతనంచేసాం" #: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." @@ -4047,6 +4099,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "%1$s à°—à±à°‚పౠసభà±à°¯à±à°²à±, పేజీ %2$d" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "మరినà±à°¨à°¿ à°—à±à°‚à°ªà±à°²à°•à±ˆ వెతà±à°•à±" @@ -4108,7 +4165,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "సంచిక" @@ -4163,46 +4220,51 @@ msgstr "" msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:225 +#: classes/Notice.php:214 #, fuzzy msgid "Problem saving notice. Too long." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:229 +#: classes/Notice.php:218 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "à°ˆ సైటà±à°²à±‹ నోటీసà±à°²à± రాయడం à°¨à±à°‚à°¡à°¿ మిమà±à°®à°²à±à°¨à°¿ నిషేధించారà±." -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4217,9 +4279,8 @@ msgid "Could not create group." msgstr "à°—à±à°‚à°ªà±à°¨à°¿ సృషà±à°Ÿà°¿à°‚చలేకపోయాం." #: classes/User_group.php:409 -#, fuzzy msgid "Could not set group membership." -msgstr "చందాని సృషà±à°Ÿà°¿à°‚చలేకపోయాం." +msgstr "à°—à±à°‚పౠసభà±à°¯à°¤à±à°µà°¾à°¨à±à°¨à°¿ అమరà±à°šà°²à±‡à°•à°ªà±‹à°¯à°¾à°‚." #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" @@ -4259,128 +4320,126 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "à°®à±à°‚గిలి" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "మీ ఈమెయిలà±, అవతారం, సంకేతపదం మరియౠపà±à°°à±Œà°«à±ˆà°³à±à°³à°¨à± మారà±à°šà±à°•à±‹à°‚à°¡à°¿" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "à°…à°¨à±à°¸à°‚ధానించà±" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect to services" msgstr "" -#: lib/action.php:442 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "చందాలà±" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "ఆహà±à°µà°¾à°¨à°¿à°‚à°šà±" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "నిషà±à°•à±à°°à°®à°¿à°‚à°šà±" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "సైటౠనà±à°‚à°¡à°¿ నిషà±à°•à±à°°à°®à°¿à°‚à°šà±" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "కొతà±à°¤ ఖాతా సృషà±à°Ÿà°¿à°‚à°šà±" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "సైటà±à°²à±‹à°¨à°¿ à°ªà±à°°à°µà±‡à°¶à°¿à°‚à°šà±" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "సహాయం" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "సహాయం కావాలి!" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "వెతà±à°•à±" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "" -#: lib/action.php:487 -#, fuzzy +#: lib/action.php:493 msgid "Site notice" -msgstr "కొతà±à°¤ సందేశం" +msgstr "సైటౠగమనిక" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "à°¸à±à°¥à°¾à°¨à°¿à°• వీకà±à°·à°£à°²à±" -#: lib/action.php:619 -#, fuzzy +#: lib/action.php:625 msgid "Page notice" -msgstr "కొతà±à°¤ సందేశం" +msgstr "పేజీ గమనిక" -#: lib/action.php:721 +#: lib/action.php:727 #, fuzzy msgid "Secondary site navigation" msgstr "చందాలà±" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "à°—à±à°°à°¿à°‚à°šà°¿" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "à°ªà±à°°à°¶à±à°¨à°²à±" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "సేవా నియమాలà±" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "అంతరంగికత" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "మూలమà±" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "సంపà±à°°à°¦à°¿à°‚à°šà±" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "బాడà±à°œà°¿" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "à°¸à±à°Ÿà±‡à°Ÿà°¸à±â€Œà°¨à±†à°Ÿà± మృదూపకరణ లైసెనà±à°¸à±" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4389,12 +4448,12 @@ msgstr "" "**%%site.name%%** అనేది [%%site.broughtby%%](%%site.broughtbyurl%%) వారౠ" "అందిసà±à°¤à±à°¨à±à°¨ మైకà±à°°à±‹ à°¬à±à°²à°¾à°—ింగౠసదà±à°ªà°¾à°¯à°‚. " -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** అనేది మైకà±à°°à±‹ à°¬à±à°²à°¾à°—ింగౠసదà±à°ªà°¾à°¯à°‚." -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4405,42 +4464,42 @@ msgstr "" "html) à°•à°¿à°‚à°¦ లభà±à°¯à°®à°¯à±à°¯à±‡ [à°¸à±à°Ÿà±‡à°Ÿà°¸à±‌నెటà±](http://status.net/) మైకà±à°°à±‹à°¬à±à°²à°¾à°—ింగౠఉపకరణం సంచిక %s " "పై నడà±à°¸à±à°¤à±à°‚ది." -#: lib/action.php:795 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "కొతà±à°¤ సందేశం" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "à°…à°¨à±à°¨à±€ " -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "" -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "పేజీకరణ" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "తరà±à°µà°¾à°¤" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "ఇంతకà±à°°à°¿à°¤à°‚" @@ -4473,24 +4532,37 @@ msgstr "à°ªà±à°°à°¾à°¥à°®à°¿à°• సైటౠసà±à°µà°°à±‚పణం" msgid "Design configuration" msgstr "SMS నిరà±à°§à°¾à°°à°£" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "SMS నిరà±à°§à°¾à°°à°£" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "SMS నిరà±à°§à°¾à°°à°£" + +#: lib/adminpanelaction.php:332 #, fuzzy msgid "Paths configuration" msgstr "SMS నిరà±à°§à°¾à°°à°£" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "ఉపకరణానà±à°¨à°¿ మారà±à°šà±" + #: lib/applicationeditform.php:186 msgid "Icon for this application" -msgstr "" +msgstr "à°ˆ ఉపకరణానికి à°ªà±à°°à°¤à±€à°•à°‚" #: lib/applicationeditform.php:206 -#, fuzzy, php-format +#, php-format msgid "Describe your application in %d characters" -msgstr "మీ à°—à±à°°à°¿à°‚à°šà°¿ మరియౠమీ ఆసకà±à°¤à±à°² à°—à±à°°à°¿à°‚à°šà°¿ 140 à°…à°•à±à°·à°°à°¾à°²à±à°²à±‹ చెపà±à°ªà°‚à°¡à°¿" +msgstr "మీ ఉపకరణం à°—à±à°°à°¿à°‚à°šà°¿ %d à°…à°•à±à°·à°°à°¾à°²à±à°²à±‹ వివరించండి" #: lib/applicationeditform.php:209 -#, fuzzy msgid "Describe your application" -msgstr "మీ à°—à±à°°à°¿à°‚à°šà°¿ మరియౠమీ ఆసకà±à°¤à±à°² à°—à±à°°à°¿à°‚à°šà°¿ 140 à°…à°•à±à°·à°°à°¾à°²à±à°²à±‹ చెపà±à°ªà°‚à°¡à°¿" +msgstr "మీ ఉపకరణానà±à°¨à°¿ వివరించండి" #: lib/applicationeditform.php:218 #, fuzzy @@ -4498,13 +4570,12 @@ msgid "Source URL" msgstr "మూలమà±" #: lib/applicationeditform.php:220 -#, fuzzy msgid "URL of the homepage of this application" -msgstr "మీ హోమౠపేజీ, à°¬à±à°²à°¾à°—à±, లేదా వేరే సేటà±à°²à±‹à°¨à°¿ మీ à°ªà±à°°à±Šà°«à±ˆà°²à± యొకà±à°• à°šà°¿à°°à±à°¨à°¾à°®à°¾" +msgstr "à°ˆ ఉపకరణం యొకà±à°• హోమà±‌పేజీ à°šà°¿à°°à±à°¨à°¾à°®à°¾" #: lib/applicationeditform.php:226 msgid "Organization responsible for this application" -msgstr "" +msgstr "à°ˆ ఉపకరణానికి బాధà±à°¯à°¤à°¾à°¯à±à°¤à°®à±ˆà°¨ సంసà±à°¥" #: lib/applicationeditform.php:232 #, fuzzy @@ -4690,14 +4761,12 @@ msgid "Error sending direct message." msgstr "" #: lib/command.php:413 -#, fuzzy msgid "Cannot repeat your own notice" -msgstr "à°ˆ లైసెనà±à°¸à±à°•à°¿ అంగీకరించకపోతే మీరౠనమోదà±à°šà±‡à°¸à±à°•à±‹à°²à±‡à°°à±." +msgstr "మీ నోటిసà±à°¨à°¿ మీరే à°ªà±à°¨à°°à°¾à°µà±ƒà°¤à°¿à°‚చలేరà±" #: lib/command.php:418 -#, fuzzy msgid "Already repeated that notice" -msgstr "à°ˆ నోటీసà±à°¨à°¿ తొలగించà±" +msgstr "ఇపà±à°ªà°Ÿà°¿à°•à±‡ à°ˆ నోటీసà±à°¨à°¿ à°ªà±à°¨à°°à°¾à°µà±ƒà°¤à°¿à°‚చారà±" #: lib/command.php:426 #, fuzzy, php-format @@ -4872,9 +4941,8 @@ msgid "Updates by SMS" msgstr "" #: lib/connectsettingsaction.php:120 -#, fuzzy msgid "Connections" -msgstr "à°…à°¨à±à°¸à°‚ధానించà±" +msgstr "à°…à°¨à±à°¸à°‚ధానాలà±" #: lib/connectsettingsaction.php:121 msgid "Authorized connected applications" @@ -5067,12 +5135,12 @@ msgstr "మెబై" msgid "kB" msgstr "కిబై" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "[%s]" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, fuzzy, php-format msgid "Unknown inbox source %d." msgstr "à°—à±à°°à±à°¤à± తెలియని భాష \"%s\"" @@ -5118,7 +5186,7 @@ msgstr "" #: lib/mail.php:236 #, php-format msgid "%1$s is now listening to your notices on %2$s." -msgstr "" +msgstr "%1$s ఇపà±à°ªà±à°¡à± %2$sలో మీ నోటీసà±à°²à°¨à°¿ వింటà±à°¨à±à°¨à°¾à°°à±." #: lib/mail.php:241 #, php-format @@ -5134,13 +5202,21 @@ msgid "" "----\n" "Change your email address or notification options at %8$s\n" msgstr "" +"%1$s ఇపà±à°ªà±à°¡à± %2$sలో మీ నోటీసà±à°²à°¨à°¿ వింటà±à°¨à±à°¨à°¾à°°à±.\n" +"\n" +"%3$s\n" +"\n" +"%4$s%5$s%6$s\n" +"మీ విధేయà±à°²à±,\n" +"%7$s.\n" +"\n" +"----\n" +"మీ ఈమెయిలౠచిరà±à°¨à°¾à°®à°¾à°¨à°¿ లేదా గమనింపà±à°² ఎంపికలనౠ%8$s వదà±à°¦ మారà±à°šà±à°•à±‹à°‚à°¡à°¿" #: lib/mail.php:258 -#, fuzzy, php-format +#, php-format msgid "Bio: %s" -msgstr "" -"à°¸à±à°µà°ªà°°à°¿à°šà°¯à°‚: %s\n" -"\n" +msgstr "à°¸à±à°µà°ªà°°à°¿à°šà°¯à°‚: %s" #: lib/mail.php:286 #, php-format @@ -5491,19 +5567,19 @@ msgstr "à°¸à±à°ªà°‚దనలà±" msgid "Favorites" msgstr "ఇషà±à°Ÿà°¾à°‚శాలà±" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "వచà±à°šà°¿à°¨à°µà°¿" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "మీకౠవచà±à°šà°¿à°¨ సందేశాలà±" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "పంపినవి" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "మీరౠపంపిన సందేశాలà±" @@ -5641,12 +5717,12 @@ msgstr "à°ˆ వాడà±à°•à°°à°¿à°¨à°¿ నిరోధించà±" #: lib/subgroupnav.php:83 #, php-format msgid "People %s subscribes to" -msgstr "" +msgstr "%s చందాచేరిన à°µà±à°¯à°•à±à°¤à±à°²à±" #: lib/subgroupnav.php:91 -#, fuzzy, php-format +#, php-format msgid "People subscribed to %s" -msgstr "%sà°•à°¿ à°¸à±à°ªà°‚దనలà±" +msgstr "%sà°•à°¿ చందాచేరిన à°µà±à°¯à°•à±à°¤à±à°²à±" #: lib/subgroupnav.php:99 #, php-format @@ -5746,7 +5822,7 @@ msgstr "మారà±à°šà±" #: lib/userprofile.php:272 msgid "Send a direct message to this user" -msgstr "" +msgstr "à°ˆ వాడà±à°•à°°à°¿à°•à°¿ à°’à°• నేరౠసందేశానà±à°¨à°¿ పంపించండి" #: lib/userprofile.php:273 msgid "Message" @@ -5756,47 +5832,47 @@ msgstr "సందేశం" msgid "Moderate" msgstr "" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "కొనà±à°¨à°¿ à°•à±à°·à°£à°¾à°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "à°“ నిమిషం à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "%d నిమిషాల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "à°’à°• à°—à°‚à°Ÿ à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "%d à°—à°‚à°Ÿà°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "à°“ రోజౠకà±à°°à°¿à°¤à°‚" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "%d రోజà±à°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "à°“ నెల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "%d నెలల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "à°’à°• సంవతà±à°¸à°°à°‚ à°•à±à°°à°¿à°¤à°‚" @@ -5810,7 +5886,7 @@ msgstr "%s అనేది సరైన రంగౠకాదà±!" msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "%s అనేది సరైన రంగౠకాదà±! 3 లేదా 6 హెకà±à°¸à± à°…à°•à±à°·à°°à°¾à°²à°¨à± వాడండి." -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "నోటిసౠచాలా పొడవà±à°—à°¾ ఉంది - %1$d à°…à°•à±à°·à°°à°¾à°²à± à°—à°°à°¿à°·à±à° à°‚, మీరౠ%2$d పంపించారà±." diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index bcec74af8..5b620f24d 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -1,5 +1,6 @@ # Translation of StatusNet to Turkish # +# Author@translatewiki.net: Joseph # Author@translatewiki.net: McDutchie # -- # This file is distributed under the same license as the StatusNet package. @@ -8,17 +9,74 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:38:37+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:59:53+0000\n" "Language-Team: Turkish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#, fuzzy +msgid "Access" +msgstr "Kabul et" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Ayarlar" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "Kayıt" + +#: actions/accessadminpanel.php:161 +#, fuzzy +msgid "Private" +msgstr "Gizlilik" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "" + +#: actions/accessadminpanel.php:173 +#, fuzzy +msgid "Closed" +msgstr "Böyle bir kullanıcı yok." + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "" + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Kaydet" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Ayarlar" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 #, fuzzy @@ -34,7 +92,7 @@ msgstr "Böyle bir durum mesajı yok." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -134,8 +192,7 @@ msgstr "" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -152,7 +209,7 @@ msgstr "Onay kodu bulunamadı." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "" @@ -183,7 +240,7 @@ msgstr "Profil kaydedilemedi." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -495,7 +552,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 #, fuzzy msgid "Account" msgstr "Hakkında" @@ -556,18 +620,18 @@ msgstr "Avatar güncellendi." msgid "No status with that ID found." msgstr "" -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Max notice size is %d chars." msgstr "" "Ah, durumunuz biraz uzun kaçtı. Azami 180 karaktere sığdırmaya ne dersiniz?" -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -619,11 +683,6 @@ msgstr "" msgid "%s updates from everyone!" msgstr "" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "" - #: actions/apitimelineretweetedtome.php:111 #, fuzzy, php-format msgid "Repeated to %s" @@ -1049,17 +1108,6 @@ msgstr "" msgid "Reset back to default" msgstr "" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Kaydet" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1072,13 +1120,15 @@ msgstr "" msgid "Add to favorites" msgstr "" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "Böyle bir belge yok." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "Bu durum mesajının ait oldugu kullanıcı profili yok" #: actions/editapplication.php:66 msgid "You must be logged in to edit an application." @@ -1096,7 +1146,7 @@ msgid "No such application." msgstr "Böyle bir durum mesajı yok." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "" @@ -1305,7 +1355,7 @@ msgid "Cannot normalize that email address" msgstr "" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "Geçersiz bir eposta adresi." @@ -1317,7 +1367,7 @@ msgstr "" msgid "That email address already belongs to another user." msgstr "" -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "Onay kodu eklenemedi." @@ -1629,7 +1679,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -1824,6 +1874,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "Bu sizin Jabber ID'niz deÄŸil." +#: actions/inbox.php:59 +#, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1976,7 +2031,7 @@ msgstr "Yanlış kullanıcı adı veya parola." msgid "Error setting user. You are probably not authorized." msgstr "YetkilendirilmemiÅŸ." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "GiriÅŸ" @@ -2040,8 +2095,9 @@ msgid "No current status" msgstr "" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "Böyle bir durum mesajı yok." #: actions/newapplication.php:64 msgid "You must be logged in to register an application." @@ -2228,8 +2284,8 @@ msgstr "BaÄŸlan" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "" @@ -2300,6 +2356,11 @@ msgstr "Geçersiz durum mesajı" msgid "Login token expired." msgstr "" +#: actions/outbox.php:58 +#, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2372,7 +2433,7 @@ msgstr "Yeni parola kaydedilemedi." msgid "Password saved." msgstr "Parola kaydedildi." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "" @@ -2380,140 +2441,156 @@ msgstr "" msgid "Path and server settings for this StatusNet site." msgstr "" -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, fuzzy, php-format msgid "Theme directory not readable: %s" msgstr "Bu sayfa kabul ettiÄŸiniz ortam türünde kullanılabilir deÄŸil" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "Sunucu" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 #, fuzzy msgid "Site path" msgstr "Yeni durum mesajı" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 #, fuzzy msgid "Avatars" msgstr "Avatar" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 #, fuzzy msgid "Avatar server" msgstr "Ayarlar" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 #, fuzzy msgid "Avatar path" msgstr "Avatar güncellendi." -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 #, fuzzy msgid "Avatar directory" msgstr "Avatar güncellendi." -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 #, fuzzy msgid "Never" msgstr "Geri al" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 #, fuzzy msgid "Sometimes" msgstr "Durum mesajları" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 #, fuzzy msgid "SSL server" msgstr "Geri al" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 #, fuzzy msgid "Save paths" msgstr "Yeni durum mesajı" @@ -2629,7 +2706,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "" @@ -2655,7 +2732,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Hakkında bölümü çok uzun (azm 140 karakter)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "" @@ -2922,7 +2999,7 @@ msgstr "Onay kodu hatası." msgid "Registration successful" msgstr "" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Kayıt" @@ -2962,7 +3039,7 @@ msgid "Same as password above. Required." msgstr "" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Eposta" @@ -3107,6 +3184,11 @@ msgstr "Yarat" msgid "Replies to %s" msgstr "%s için cevaplar" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "%s için cevaplar" + #: actions/replies.php:144 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3236,6 +3318,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "%s ve arkadaÅŸları" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "" @@ -3285,6 +3372,11 @@ msgstr "" msgid "%s group" msgstr "" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "Bütün abonelikler" + #: actions/showgroup.php:218 #, fuzzy msgid "Group profile" @@ -3400,6 +3492,11 @@ msgstr "Durum mesajları" msgid " tagged %s" msgstr "" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%s ve arkadaÅŸları" + #: actions/showstream.php:122 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3478,200 +3575,148 @@ msgstr "Kullanıcının profili yok." msgid "Basic settings for this StatusNet site." msgstr "" -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 #, fuzzy msgid "You must have a valid contact email address." msgstr "Geçersiz bir eposta adresi." -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "" -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 #, fuzzy msgid "Site name" msgstr "Yeni durum mesajı" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 #, fuzzy msgid "Contact email address for your site" msgstr "Kullanıcı için kaydedilmiÅŸ eposta adresi yok." -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 #, fuzzy msgid "Local" msgstr "Yer" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "" - -#: actions/siteadminpanel.php:306 -#, fuzzy -msgid "Server" -msgstr "Geri al" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "" - -#: actions/siteadminpanel.php:318 -#, fuzzy -msgid "Access" -msgstr "Kabul et" - -#: actions/siteadminpanel.php:321 -#, fuzzy -msgid "Private" -msgstr "Gizlilik" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "" - -#: actions/siteadminpanel.php:333 -#, fuzzy -msgid "Closed" -msgstr "Böyle bir kullanıcı yok." - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "" - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 #, fuzzy msgid "Save site settings" msgstr "Ayarlar" @@ -3871,6 +3916,11 @@ msgstr "JabberID yok." msgid "SMS" msgstr "" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "%s adli kullanicinin durum mesajlari" + #: actions/tag.php:86 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4173,6 +4223,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "Bütün abonelikler" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "" @@ -4235,7 +4290,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "KiÅŸisel" @@ -4293,46 +4348,51 @@ msgstr "" msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:225 +#: classes/Notice.php:214 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:229 +#: classes/Notice.php:218 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "Durum mesajını kaydederken hata oluÅŸtu." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Cevap eklenirken veritabanı hatası: %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4391,131 +4451,131 @@ msgstr "%1$s'in %2$s'deki durum mesajları " msgid "Untitled page" msgstr "" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "BaÅŸlangıç" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "BaÄŸlan" -#: lib/action.php:438 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "Sunucuya yönlendirme yapılamadı: %s" -#: lib/action.php:442 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "Abonelikler" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "Çıkış" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "" -#: lib/action.php:457 +#: lib/action.php:463 #, fuzzy msgid "Create an account" msgstr "Yeni hesap oluÅŸtur" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Yardım" -#: lib/action.php:463 +#: lib/action.php:469 #, fuzzy msgid "Help me!" msgstr "Yardım" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Ara" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "" -#: lib/action.php:487 +#: lib/action.php:493 #, fuzzy msgid "Site notice" msgstr "Yeni durum mesajı" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "" -#: lib/action.php:619 +#: lib/action.php:625 #, fuzzy msgid "Page notice" msgstr "Yeni durum mesajı" -#: lib/action.php:721 +#: lib/action.php:727 #, fuzzy msgid "Secondary site navigation" msgstr "Abonelikler" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "Hakkında" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "SSS" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "Gizlilik" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "Kaynak" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Ä°letiÅŸim" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4524,12 +4584,12 @@ msgstr "" "**%%site.name%%** [%%site.broughtby%%](%%site.broughtbyurl%%)\" tarafından " "hazırlanan anında mesajlaÅŸma ağıdır. " -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** bir aninda mesajlaÅŸma sosyal ağıdır." -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4540,43 +4600,43 @@ msgstr "" "licenses/agpl-3.0.html) lisansı ile korunan [StatusNet](http://status.net/) " "microbloglama yazılımının %s. versiyonunu kullanmaktadır." -#: lib/action.php:795 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "Yeni durum mesajı" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "" -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "" -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1139 #, fuzzy msgid "After" msgstr "« Sonra" -#: lib/action.php:1141 +#: lib/action.php:1147 #, fuzzy msgid "Before" msgstr "Önce »" @@ -4611,11 +4671,25 @@ msgstr "Eposta adresi onayı" msgid "Design configuration" msgstr "Eposta adresi onayı" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "Eposta adresi onayı" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "Eposta adresi onayı" + +#: lib/adminpanelaction.php:332 #, fuzzy msgid "Paths configuration" msgstr "Eposta adresi onayı" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -5211,12 +5285,12 @@ msgstr "" msgid "kB" msgstr "" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "" @@ -5644,19 +5718,19 @@ msgstr "Cevaplar" msgid "Favorites" msgstr "" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "" @@ -5915,47 +5989,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "birkaç saniye önce" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "yaklaşık bir dakika önce" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "yaklaşık %d dakika önce" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "yaklaşık bir saat önce" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "yaklaşık %d saat önce" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "yaklaşık bir gün önce" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "yaklaşık %d gün önce" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "yaklaşık bir ay önce" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "yaklaşık %d ay önce" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "yaklaşık bir yıl önce" @@ -5969,7 +6043,7 @@ msgstr "BaÅŸlangıç sayfası adresi geçerli bir URL deÄŸil." msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "" -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "" diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index 886b60cc3..c5ea85a8a 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -10,18 +10,74 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:38:40+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:59:56+0000\n" "Language-Team: Ukrainian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%" "10< =4 && (n%100<10 or n%100>=20) ? 1 : 2);\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +msgid "Access" +msgstr "ПогодитиÑÑŒ" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Зберегти Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ñайту" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "РеєÑтраціÑ" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "Приватно" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" +"Заборонити анонімним відвідувачам (Ñ‚Ñ–, що не увійшли до ÑиÑтеми) переглÑдати " +"Ñайт?" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "Лише за запрошеннÑми" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "Зробити регіÑтрацію лише за запрошеннÑми." + +#: actions/accessadminpanel.php:173 +msgid "Closed" +msgstr "Закрито" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "СкаÑувати подальшу регіÑтрацію." + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Зберегти" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Зберегти Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ñайту" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -36,7 +92,7 @@ msgstr "Ðемає такої Ñторінки" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -141,8 +197,7 @@ msgstr "ÐžÐ½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð²Ñ–Ð´ %1$s та друзів на %2$s!" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -158,7 +213,7 @@ msgstr "API метод не знайдено." #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "Цей метод потребує POST." @@ -188,7 +243,7 @@ msgstr "Ðе вдалоÑÑ Ð·Ð±ÐµÑ€ÐµÐ³Ñ‚Ð¸ профіль." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -492,7 +547,14 @@ msgstr "Запит на дозвіл під’єднатиÑÑ Ð´Ð¾ Вашого msgid "Allow or deny access" msgstr "Дозволити або заборонити доÑтуп" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Ðкаунт" @@ -549,17 +611,17 @@ msgstr "Ð¡Ñ‚Ð°Ñ‚ÑƒÑ Ð²Ð¸Ð´Ð°Ð»ÐµÐ½Ð¾." msgid "No status with that ID found." msgstr "Ðе знайдено жодних ÑтатуÑів з таким ID." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Ðадто довго. МакÑимальний розмір допиÑу — %d знаків." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "Ðе знайдено" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -612,11 +674,6 @@ msgstr "%s загальна Ñтрічка" msgid "%s updates from everyone!" msgstr "%s Ð¾Ð½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð²Ñ–Ð´ уÑÑ–Ñ…!" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "Ð’Ñ‚Ð¾Ñ€ÑƒÐ²Ð°Ð½Ð½Ñ %s" - #: actions/apitimelineretweetedtome.php:111 #, php-format msgid "Repeated to %s" @@ -1022,17 +1079,6 @@ msgstr "Оновити Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ð·Ð° замовчуваннÑм" msgid "Reset back to default" msgstr "ПовернутиÑÑŒ до початкових налаштувань" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Зберегти" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Зберегти дизайн" @@ -1045,12 +1091,14 @@ msgstr "Цей Ð´Ð¾Ð¿Ð¸Ñ Ð½Ðµ Ñ” обраним!" msgid "Add to favorites" msgstr "Додати до обраних" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "Такого документа немає." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" msgstr "Керувати додатками" #: actions/editapplication.php:66 @@ -1067,7 +1115,7 @@ msgid "No such application." msgstr "Такого додатку немає." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "Виникли певні проблеми з токеном поточної ÑеÑÑ–Ñ—." @@ -1268,7 +1316,7 @@ msgid "Cannot normalize that email address" msgstr "Ðе можна полагодити цю поштову адреÑу" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "Це недійÑна електронна адреÑа." @@ -1280,7 +1328,7 @@ msgstr "Це Ñ– Ñ” Вашою адреÑою." msgid "That email address already belongs to another user." msgstr "Ð¦Ñ ÐµÐ»ÐµÐºÑ‚Ñ€Ð¾Ð½Ð½Ð° адреÑа належить іншому кориÑтувачу." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "Ðе вдалоÑÑ Ð´Ð¾Ð´Ð°Ñ‚Ð¸ код підтвердженнÑ." @@ -1586,7 +1634,7 @@ msgstr "УчаÑники групи %1$s, Ñторінка %2$d" msgid "A list of the users in this group." msgstr "СпиÑок учаÑників цієї групи." -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Ðдмін" @@ -1785,6 +1833,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "Це не Ваш Jabber ID." +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "Вхідні Ð´Ð»Ñ %s" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1968,7 +2021,7 @@ msgstr "Ðеточне Ñ–Ð¼â€™Ñ Ð°Ð±Ð¾ пароль." msgid "Error setting user. You are probably not authorized." msgstr "Помилка. Можливо, Ви не авторизовані." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Увійти" @@ -2033,7 +2086,8 @@ msgid "No current status" msgstr "ÐÑ–Ñкого поточного ÑтатуÑу" #: actions/newapplication.php:52 -msgid "New application" +#, fuzzy +msgid "New Application" msgstr "Ðовий додаток" #: actions/newapplication.php:64 @@ -2225,8 +2279,8 @@ msgstr "тип зміÑту " msgid "Only " msgstr "Лише " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "Такий формат даних не підтримуєтьÑÑ." @@ -2290,6 +2344,11 @@ msgstr "Токен Ð´Ð»Ñ Ð²Ñ…Ð¾Ð´Ñƒ визначено Ñк неправиль msgid "Login token expired." msgstr "Токен Ð´Ð»Ñ Ð²Ñ…Ð¾Ð´Ñƒ втратив чинніÑÑ‚ÑŒ." +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "Вихідні Ð´Ð»Ñ %s" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2362,7 +2421,7 @@ msgstr "Ðеможна зберегти новий пароль." msgid "Password saved." msgstr "Пароль збережено." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "ШлÑÑ…" @@ -2370,132 +2429,148 @@ msgstr "ШлÑÑ…" msgid "Path and server settings for this StatusNet site." msgstr "ШлÑÑ… та Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ñерверу Ð´Ð»Ñ Ñ†ÑŒÐ¾Ð³Ð¾ Ñайту StatusNet." -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, php-format msgid "Theme directory not readable: %s" msgstr "Дирикторію теми неможна прочитати: %s" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "ЩоÑÑŒ не так із напиÑаннÑм директорії аватари: %s" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "ЩоÑÑŒ не так із напиÑаннÑм директорії фону: %s" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "Ðе можу прочитати директорію локалі: %s" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Помилковий SSL-Ñервер. МакÑимальна довжина 255 знаків." -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "Сайт" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "Сервер" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "Ð†Ð¼â€™Ñ Ñ…Ð¾Ñту Ñервера на Ñкому знаходитьÑÑ Ñайт." + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "ШлÑÑ…" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 msgid "Site path" msgstr "ШлÑÑ… до Ñайту" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "ШлÑÑ… до локалей" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "Ð”Ð¸Ñ€ÐµÐºÑ‚Ð¾Ñ€Ñ–Ñ ÑˆÐ»Ñху до локалей" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "Ðадзвичайні URL-адреÑи" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "ВикориÑтовувати надзвичайні (найбільш пам’Ñтні Ñ– визначні) URL-адреÑи?" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "Тема" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "Сервер теми" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "ШлÑÑ… до теми" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "Ð”Ð¸Ñ€ÐµÐºÑ‚Ð¾Ñ€Ñ–Ñ Ñ‚ÐµÐ¼Ð¸" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 msgid "Avatars" msgstr "Ðватари" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 msgid "Avatar server" msgstr "Сервер аватари" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 msgid "Avatar path" msgstr "ШлÑÑ… до аватари" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 msgid "Avatar directory" msgstr "Ð”Ð¸Ñ€ÐµÐºÑ‚Ð¾Ñ€Ñ–Ñ Ð°Ð²Ð°Ñ‚Ð°Ñ€Ð¸" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "Фони" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "Сервер фонів" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "ШлÑÑ… до фонів" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "Ð”Ð¸Ñ€ÐµÐºÑ‚Ð¾Ñ€Ñ–Ñ Ñ„Ð¾Ð½Ñ–Ð²" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "SSL-шифруваннÑ" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 msgid "Never" msgstr "Ðіколи" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "Іноді" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "Завжди" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "ВикориÑтовувати SSL" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "Тоді викориÑтовувати SSL" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 msgid "SSL server" msgstr "SSL-Ñервер" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "Сервер на Ñкий направлÑти SSL-запити" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 msgid "Save paths" msgstr "Зберегти шлÑхи" @@ -2584,7 +2659,7 @@ msgstr "Про Ñебе" #: actions/userauthorization.php:158 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" -msgstr "ЛокаціÑ" +msgstr "РозташуваннÑ" #: actions/profilesettings.php:134 actions/register.php:473 msgid "Where you are, like \"City, State (or Region), Country\"" @@ -2607,7 +2682,7 @@ msgstr "" "Позначте Ñебе теґами (літери, цифри, -, . та _), відокремлюючи кожен комою " "або пробілом" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "Мова" @@ -2634,7 +2709,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Ви перевищили ліміт (%d знаків макÑимум)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "ЧаÑовий поÑÑ Ð½Ðµ обрано." @@ -2911,7 +2986,7 @@ msgstr "Даруйте, помилка у коді запрошеннÑ." msgid "Registration successful" msgstr "РеєÑÑ‚Ñ€Ð°Ñ†Ñ–Ñ ÑƒÑпішна" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "РеєÑтраціÑ" @@ -2955,7 +3030,7 @@ msgid "Same as password above. Required." msgstr "Такий Ñамо, Ñк Ñ– пароль вище. Ðеодмінно." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Пошта" @@ -3111,6 +3186,11 @@ msgstr "Вторувати!" msgid "Replies to %s" msgstr "Відповіді до %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "Відповіді до %1$s на %2$s!" + #: actions/replies.php:144 #, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3242,6 +3322,11 @@ msgstr "" "До уваги: Ð’ÑÑ– підпиÑи шифруютьÑÑ Ð·Ð° методом HMAC-SHA1. Ми не підтримуємо " "ÑˆÐ¸Ñ„Ñ€ÑƒÐ²Ð°Ð½Ð½Ñ Ð¿Ñ–Ð´Ð¿Ð¸Ñів відкритим текÑтом." +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "Обрані допиÑи %s" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Ðе можна відновити обрані допиÑи." @@ -3299,6 +3384,11 @@ msgstr "Це ÑпоÑіб поділитиÑÑŒ з уÑіма тим, що вам msgid "%s group" msgstr "Група %s" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "УчаÑники групи %1$s, Ñторінка %2$d" + #: actions/showgroup.php:218 msgid "Group profile" msgstr "Профіль групи" @@ -3418,6 +3508,11 @@ msgstr "Ð”Ð¾Ð¿Ð¸Ñ Ð²Ð¸Ð´Ð°Ð»ÐµÐ½Ð¾." msgid " tagged %s" msgstr " позначено з %s" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%1$s та друзі, Ñторінка %2$d" + #: actions/showstream.php:122 #, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3507,198 +3602,148 @@ msgstr "КориÑтувачу наразі заклеїли рота Ñкотч msgid "Basic settings for this StatusNet site." msgstr "Загальні Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ñ†ÑŒÐ¾Ð³Ð¾ Ñайту StatusNet." -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "Ð†Ð¼â€™Ñ Ñайту не може бути порожнім." -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 msgid "You must have a valid contact email address." msgstr "Електронна адреÑа має бути чинною." -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "Ðевідома мова «%s»." -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "Помилковий Ñнепшот URL." -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "Помилкове Ð·Ð½Ð°Ñ‡ÐµÐ½Ð½Ñ Ñнепшоту." -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "ЧаÑтота Ð¿Ð¾Ð²Ñ‚Ð¾Ñ€ÐµÐ½Ð½Ñ Ñнепшотів має міÑтити цифру." -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "Ліміт текÑтових повідомлень Ñтановить 140 знаків." -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" "ЧаÑове Ð¾Ð±Ð¼ÐµÐ¶ÐµÐ½Ð½Ñ Ð¿Ñ€Ð¸ надÑиланні дублікату Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ð¼Ð°Ñ” Ñтановити від 1 Ñ– " "більше Ñекунд." -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "ОÑновні" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 msgid "Site name" msgstr "Ðазва Ñайту" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "Ðазва Вашого Ñайту, штибу \"Мікроблоґи компанії ...\"" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "Ðадано" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "ТекÑÑ‚ викориÑтаний Ð´Ð»Ñ Ð¿Ð¾Ñілань кредитів унизу кожної Ñторінки" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "Ðаданий URL" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "URL викориÑтаний Ð´Ð»Ñ Ð¿Ð¾Ñілань кредитів унизу кожної Ñторінки" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 msgid "Contact email address for your site" msgstr "Контактна електронна адреÑа Ð´Ð»Ñ Ð’Ð°ÑˆÐ¾Ð³Ð¾ Ñайту" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 msgid "Local" msgstr "Локаль" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "ЧаÑовий поÑÑ Ð·Ð° замовчуваннÑм" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "ЧаÑовий поÑÑ Ð·Ð° замовчуваннÑм Ð´Ð»Ñ Ñайту; зазвичай UTC." -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "Мова Ñайту за замовчуваннÑм" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "URL-адреÑи" - -#: actions/siteadminpanel.php:306 -msgid "Server" -msgstr "Сервер" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "Ð†Ð¼â€™Ñ Ñ…Ð¾Ñту Ñервера на Ñкому знаходитьÑÑ Ñайт." - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "Ðадзвичайні URL-адреÑи" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "ВикориÑтовувати надзвичайні (найбільш пам’Ñтні Ñ– визначні) URL-адреÑи?" - -#: actions/siteadminpanel.php:318 -msgid "Access" -msgstr "ПогодитиÑÑŒ" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "Приватно" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" -"Заборонити анонімним відвідувачам (Ñ‚Ñ–, що не увійшли до ÑиÑтеми) переглÑдати " -"Ñайт?" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "Лише за запрошеннÑми" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "Зробити регіÑтрацію лише за запрошеннÑми." - -#: actions/siteadminpanel.php:333 -msgid "Closed" -msgstr "Закрито" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "СкаÑувати подальшу регіÑтрацію." - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "Снепшоти" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "Випадково під Ñ‡Ð°Ñ Ð²ÐµÐ±-хіта" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "Згідно плану робіт" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "Снепшоти даних" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "Коли надÑилати ÑтатиÑтичні дані до Ñерверів status.net" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "ЧаÑтота" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "Снепшоти надÑилатимутьÑÑ Ñ€Ð°Ð· на N веб-хітів" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "Ð—Ð²Ñ–Ñ‚Ð½Ñ URL-адреÑа" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "Снепшоти надÑилатимутьÑÑ Ð½Ð° цю URL-адреÑу" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "ОбмеженнÑ" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "ТекÑтові обмеженнÑ" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "МакÑимальна кількіÑÑ‚ÑŒ знаків у допиÑÑ–." -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "ЧаÑове обмеженнÑ" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Як довго кориÑтувачі мають зачекати (в Ñекундах) аби надіÑлати той Ñамий " "Ð´Ð¾Ð¿Ð¸Ñ Ñ‰Ðµ раз." -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 msgid "Save site settings" msgstr "Зберегти Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ñайту" @@ -3906,6 +3951,11 @@ msgstr "Jabber" msgid "SMS" msgstr "СМС" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "КориÑтувачі з оÑобиÑтим теґом %1$s — Ñторінка %2$d" + #: actions/tag.php:86 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4205,6 +4255,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "ПолаÑуйте бутербродом!" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "УчаÑники групи %1$s, Ñторінка %2$d" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "Шукати групи ще" @@ -4279,7 +4334,7 @@ msgstr "" msgid "Plugins" msgstr "Додатки" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "ВерÑÑ–Ñ" @@ -4335,27 +4390,27 @@ msgstr "Ðе можна долучити повідомленнÑ." msgid "Could not update message with new URI." msgstr "Ðе можна оновити Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ð· новим URI." -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Помилка бази даних при додаванні теґу: %s" -#: classes/Notice.php:225 +#: classes/Notice.php:214 msgid "Problem saving notice. Too long." msgstr "Проблема при збереженні допиÑу. Ðадто довге." -#: classes/Notice.php:229 +#: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." msgstr "Проблема при збереженні допиÑу. Ðевідомий кориÑтувач." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Дуже багато допиÑів за короткий термін; ходіть подихайте повітрÑм Ñ– " "повертайтеÑÑŒ за кілька хвилин." -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4363,20 +4418,25 @@ msgstr "" "Дуже багато повідомлень за короткий термін; ходіть подихайте повітрÑм Ñ– " "повертайтеÑÑŒ за кілька хвилин." -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "Вам заборонено надÑилати допиÑи до цього Ñайту." -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "Проблема при збереженні допиÑу." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "Проблема при збереженні допиÑу." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Помилка бази даних при додаванні відповіді: %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4431,124 +4491,124 @@ msgstr "%1$s — %2$s" msgid "Untitled page" msgstr "Сторінка без заголовку" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Відправна Ð½Ð°Ð²Ñ–Ð³Ð°Ñ†Ñ–Ñ Ð¿Ð¾ Ñайту" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "Дім" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "ПерÑональний профіль Ñ– Ñтрічка друзів" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Змінити електронну адреÑу, аватару, пароль, профіль" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "З’єднаннÑ" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect to services" msgstr "Ð—â€™Ñ”Ð´Ð½Ð°Ð½Ð½Ñ Ð· ÑервіÑами" -#: lib/action.php:442 +#: lib/action.php:448 msgid "Change site configuration" msgstr "Змінити конфігурацію Ñайту" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "ЗапроÑити" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "ЗапроÑÑ–Ñ‚ÑŒ друзів та колег приєднатиÑÑŒ до Ð’Ð°Ñ Ð½Ð° %s" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "Вийти" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Вийти з Ñайту" -#: lib/action.php:457 +#: lib/action.php:463 msgid "Create an account" msgstr "Створити новий акаунт" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "Увійти на Ñайт" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Допомога" -#: lib/action.php:463 +#: lib/action.php:469 msgid "Help me!" msgstr "Допоможіть!" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Пошук" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Пошук людей або текÑтів" -#: lib/action.php:487 +#: lib/action.php:493 msgid "Site notice" msgstr "Ð—Ð°ÑƒÐ²Ð°Ð¶ÐµÐ½Ð½Ñ Ñайту" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "ОглÑд" -#: lib/action.php:619 +#: lib/action.php:625 msgid "Page notice" msgstr "Ð—Ð°ÑƒÐ²Ð°Ð¶ÐµÐ½Ð½Ñ Ñторінки" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "ДругорÑдна Ð½Ð°Ð²Ñ–Ð³Ð°Ñ†Ñ–Ñ Ð¿Ð¾ Ñайту" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "Про" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "ЧаПи" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "Умови" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "КонфіденційніÑÑ‚ÑŒ" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "Джерело" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Контакт" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "Бедж" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Ð›Ñ–Ñ†ÐµÐ½Ð·Ñ–Ñ Ð¿Ñ€Ð¾Ð³Ñ€Ð°Ð¼Ð½Ð¾Ð³Ð¾ Ð·Ð°Ð±ÐµÐ·Ð¿ÐµÑ‡ÐµÐ½Ð½Ñ StatusNet" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4557,12 +4617,12 @@ msgstr "" "**%%site.name%%** — це ÑÐµÑ€Ð²Ñ–Ñ Ð¼Ñ–ÐºÑ€Ð¾Ð±Ð»Ð¾Ò‘Ñ–Ð² наданий вам [%%site.broughtby%%](%%" "site.broughtbyurl%%). " -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** — це ÑÐµÑ€Ð²Ñ–Ñ Ð¼Ñ–ÐºÑ€Ð¾Ð±Ð»Ð¾Ò‘Ñ–Ð². " -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4573,41 +4633,42 @@ msgstr "" "Ð´Ð»Ñ Ð¼Ñ–ÐºÑ€Ð¾Ð±Ð»Ð¾Ò‘Ñ–Ð², верÑÑ–Ñ %s, доÑтупному під [GNU Affero General Public " "License](http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:795 +#: lib/action.php:801 msgid "Site content license" msgstr "Ð›Ñ–Ñ†ÐµÐ½Ð·Ñ–Ñ Ð·Ð¼Ñ–Ñту Ñайту" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." -msgstr "" +msgstr "ЗміÑÑ‚ Ñ– дані %1$s Ñ” приватними Ñ– конфіденційними." -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." -msgstr "" +msgstr "ÐвторÑькі права на зміÑÑ‚ Ñ– дані належать %1$s. Ð’ÑÑ– права захищено." -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" +"ÐвторÑькі права на зміÑÑ‚ Ñ– дані належать розробникам. Ð’ÑÑ– права захищено." -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "Ð’ÑÑ– " -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "ліцензіÑ." -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "ÐÑƒÐ¼ÐµÑ€Ð°Ñ†Ñ–Ñ Ñторінок" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "Вперед" -#: lib/action.php:1141 +#: lib/action.php:1147 msgid "Before" msgstr "Ðазад" @@ -4639,10 +4700,24 @@ msgstr "ОÑновна ÐºÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ Ñайту" msgid "Design configuration" msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ Ð´Ð¸Ð·Ð°Ð¹Ð½Ñƒ" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÑˆÐ»Ñху" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ Ð´Ð¸Ð·Ð°Ð¹Ð½Ñƒ" + +#: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÑˆÐ»Ñху" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "Керувати додатками" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "Іконка Ð´Ð»Ñ Ñ†ÑŒÐ¾Ð³Ð¾ додатку" @@ -5254,12 +5329,12 @@ msgstr "Мб" msgid "kB" msgstr "кб" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "[%s]" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "Ðевідоме джерело вхідного Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ %d." @@ -5758,19 +5833,19 @@ msgstr "Відповіді" msgid "Favorites" msgstr "Обрані" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Вхідні" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "Ваші вхідні повідомленнÑ" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "Вихідні" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "ÐадіÑлані вами повідомленнÑ" @@ -6012,47 +6087,47 @@ msgstr "ПовідомленнÑ" msgid "Moderate" msgstr "Модерувати" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "мить тому" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "хвилину тому" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "близько %d хвилин тому" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "годину тому" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "близько %d годин тому" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "день тому" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "близько %d днів тому" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "міÑÑць тому" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "близько %d міÑÑців тому" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "рік тому" @@ -6066,7 +6141,7 @@ msgstr "%s Ñ” неприпуÑтимим кольором!" msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "%s неприпуÑтимий колір! ВикориÑтайте 3 або 6 знаків (HEX-формат)" -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "" diff --git a/locale/vi/LC_MESSAGES/statusnet.po b/locale/vi/LC_MESSAGES/statusnet.po index 4b977cee4..741589cff 100644 --- a/locale/vi/LC_MESSAGES/statusnet.po +++ b/locale/vi/LC_MESSAGES/statusnet.po @@ -7,17 +7,75 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:38:43+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-27 23:59:59+0000\n" "Language-Team: Vietnamese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: vi\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#, fuzzy +msgid "Access" +msgstr "Chấp nhận" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "Thay đổi hình đại diện" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "Äăng ký" + +#: actions/accessadminpanel.php:161 +#, fuzzy +msgid "Private" +msgstr "Riêng tÆ°" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#: actions/accessadminpanel.php:167 +#, fuzzy +msgid "Invite only" +msgstr "ThÆ° má»i" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "" + +#: actions/accessadminpanel.php:173 +#, fuzzy +msgid "Closed" +msgstr "Ban user" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "" + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "LÆ°u" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "Thay đổi hình đại diện" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 #, fuzzy @@ -33,7 +91,7 @@ msgstr "Không có tin nhắn nào." #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -133,8 +191,7 @@ msgstr "" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -151,7 +208,7 @@ msgstr "PhÆ°Æ¡ng thức API không tìm thấy!" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "PhÆ°Æ¡ng thức này yêu cầu là POST." @@ -182,7 +239,7 @@ msgstr "Không thể lÆ°u hồ sÆ¡ cá nhân." #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -497,7 +554,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 #, fuzzy msgid "Account" msgstr "Giá»›i thiệu" @@ -558,17 +622,17 @@ msgstr "Hình đại diện đã được cập nhật." msgid "No status with that ID found." msgstr "Không tìm thấy trạng thái nào tÆ°Æ¡ng ứng vá»›i ID đó." -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Max notice size is %d chars." msgstr "Quá dài. Tối Ä‘a là 140 ký tá»±." -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "Không tìm thấy" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -620,11 +684,6 @@ msgstr "Dòng tin công cá»™ng" msgid "%s updates from everyone!" msgstr "%s cập nhật từ tất cả má»i ngÆ°á»i!" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "" - #: actions/apitimelineretweetedtome.php:111 #, fuzzy, php-format msgid "Repeated to %s" @@ -1060,17 +1119,6 @@ msgstr "" msgid "Reset back to default" msgstr "" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "LÆ°u" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 #, fuzzy msgid "Save design" @@ -1086,13 +1134,15 @@ msgstr "Tin nhắn này đã có trong danh sách tin nhắn Æ°a thích của b msgid "Add to favorites" msgstr "Tìm kiếm các tin nhắn Æ°a thích của %s" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "Không có tài liệu nào." -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "Tin nhắn không có hồ sÆ¡ cá nhân" #: actions/editapplication.php:66 #, fuzzy @@ -1111,7 +1161,7 @@ msgid "No such application." msgstr "Không có tin nhắn nào." #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 #, fuzzy msgid "There was a problem with your session token." msgstr "Có lá»—i xảy ra khi thao tác. Hãy thá»­ lại lần nữa." @@ -1331,7 +1381,7 @@ msgid "Cannot normalize that email address" msgstr "Không thể bình thÆ°á»ng hóa địa chỉ GTalk này" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "Äịa chỉ email không hợp lệ." @@ -1345,7 +1395,7 @@ msgstr "Bạn đã dùng địa chỉ email này rồi" msgid "That email address already belongs to another user." msgstr "Äịa chỉ email GTalk này đã có ngÆ°á»i khác sá»­ dụng rồi." -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "Không thể chèn mã xác nhận." @@ -1672,7 +1722,7 @@ msgstr "Thành viên" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -1870,6 +1920,11 @@ msgstr "" msgid "That is not your Jabber ID." msgstr "Äây không phải Jabber ID của bạn." +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "Há»™p thÆ° đến của %s" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -2057,7 +2112,7 @@ msgstr "Sai tên đăng nhập hoặc mật khẩu." msgid "Error setting user. You are probably not authorized." msgstr "ChÆ°a được phép." -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Äăng nhập" @@ -2120,8 +2175,9 @@ msgid "No current status" msgstr "" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "Không có tin nhắn nào." #: actions/newapplication.php:64 #, fuzzy @@ -2317,8 +2373,8 @@ msgstr "Kết nối" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "Không há»— trợ định dạng dữ liệu này." @@ -2390,6 +2446,11 @@ msgstr "Ná»™i dung tin nhắn không hợp lệ" msgid "Login token expired." msgstr "" +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "Há»™p thÆ° Ä‘i của %s" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2465,7 +2526,7 @@ msgstr "Không thể lÆ°u mật khẩu má»›i" msgid "Password saved." msgstr "Äã lÆ°u mật khẩu." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "" @@ -2473,146 +2534,163 @@ msgstr "" msgid "Path and server settings for this StatusNet site." msgstr "" -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, fuzzy, php-format msgid "Theme directory not readable: %s" msgstr "Trang này không phải là phÆ°Æ¡ng tiện truyá»n thông mà bạn chấp nhận." -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 #, fuzzy msgid "Site" msgstr "ThÆ° má»i" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +#, fuzzy +msgid "Server" +msgstr "Khôi phục" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 #, fuzzy msgid "Site path" msgstr "Thông báo má»›i" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 #, fuzzy msgid "Avatars" msgstr "Hình đại diện" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 #, fuzzy msgid "Avatar server" msgstr "Thay đổi hình đại diện" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 #, fuzzy msgid "Avatar path" msgstr "Hình đại diện đã được cập nhật." -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 #, fuzzy msgid "Avatar directory" msgstr "Hình đại diện đã được cập nhật." -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 #, fuzzy msgid "Backgrounds" msgstr "Background Theme:" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 #, fuzzy msgid "Background server" msgstr "Background Theme:" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 #, fuzzy msgid "Background path" msgstr "Background Theme:" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 #, fuzzy msgid "Background directory" msgstr "Background Theme:" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 #, fuzzy msgid "SSL" msgstr "SMS" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 #, fuzzy msgid "Never" msgstr "Khôi phục" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 #, fuzzy msgid "Sometimes" msgstr "Tin nhắn" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 #, fuzzy msgid "SSL server" msgstr "Khôi phục" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 #, fuzzy msgid "Save paths" msgstr "Thông báo má»›i" @@ -2724,7 +2802,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "Ngôn ngữ" @@ -2750,7 +2828,7 @@ msgstr "Tá»± Ä‘á»™ng theo những ngÆ°á»i nào đăng ký theo tôi" msgid "Bio is too long (max %d chars)." msgstr "Lý lịch quá dài (không quá 140 ký tá»±)" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "" @@ -3021,7 +3099,7 @@ msgstr "Lá»—i xảy ra vá»›i mã xác nhận." msgid "Registration successful" msgstr "Äăng ký thành công" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Äăng ký" @@ -3064,7 +3142,7 @@ msgid "Same as password above. Required." msgstr "Cùng mật khẩu ở trên. Bắt buá»™c." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Email" @@ -3225,6 +3303,11 @@ msgstr "Tạo" msgid "Replies to %s" msgstr "Trả lá»i cho %s" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "%s chào mừng bạn " + #: actions/replies.php:144 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3354,6 +3437,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "Những tin nhắn Æ°a thích của %s" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Không thể lấy lại các tin nhắn Æ°a thích" @@ -3403,6 +3491,11 @@ msgstr "" msgid "%s group" msgstr "%s và nhóm" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "Thành viên" + #: actions/showgroup.php:218 #, fuzzy msgid "Group profile" @@ -3520,6 +3613,11 @@ msgstr "Tin đã gá»­i" msgid " tagged %s" msgstr "Thông báo được gắn thẻ %s" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%s và bạn bè" + #: actions/showstream.php:122 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3599,202 +3697,149 @@ msgstr "NgÆ°á»i dùng không có thông tin." msgid "Basic settings for this StatusNet site." msgstr "" -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 #, fuzzy msgid "You must have a valid contact email address." msgstr "Äịa chỉ email không hợp lệ." -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "" -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 #, fuzzy msgid "Site name" msgstr "Thông báo má»›i" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 #, fuzzy msgid "Contact email address for your site" msgstr "Dia chi email moi de gui tin nhan den %s" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 #, fuzzy msgid "Local" msgstr "Thành phố" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 #, fuzzy msgid "Default site language" msgstr "Ngôn ngữ bạn thích" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "" - -#: actions/siteadminpanel.php:306 -#, fuzzy -msgid "Server" -msgstr "Khôi phục" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "" - -#: actions/siteadminpanel.php:318 -#, fuzzy -msgid "Access" -msgstr "Chấp nhận" - -#: actions/siteadminpanel.php:321 -#, fuzzy -msgid "Private" -msgstr "Riêng tÆ°" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" - -#: actions/siteadminpanel.php:327 -#, fuzzy -msgid "Invite only" -msgstr "ThÆ° má»i" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "" - -#: actions/siteadminpanel.php:333 -#, fuzzy -msgid "Closed" -msgstr "Ban user" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "" - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 #, fuzzy msgid "Save site settings" msgstr "Thay đổi hình đại diện" @@ -4009,6 +4054,11 @@ msgstr "Không có Jabber ID." msgid "SMS" msgstr "SMS" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "Dòng tin nhắn cho %s" + #: actions/tag.php:86 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4321,6 +4371,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "Thành viên" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "" @@ -4383,7 +4438,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "Cá nhân" @@ -4444,46 +4499,51 @@ msgstr "Không thể chèn thêm vào đăng nhận." msgid "Could not update message with new URI." msgstr "Không thể cập nhật thông tin user vá»›i địa chỉ email đã được xác nhận." -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, fuzzy, php-format msgid "DB error inserting hashtag: %s" msgstr "Lá»—i cÆ¡ sở dữ liệu khi chèn trả lá»i: %s" -#: classes/Notice.php:225 +#: classes/Notice.php:214 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:229 +#: classes/Notice.php:218 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Lá»—i cÆ¡ sở dữ liệu khi chèn trả lá»i: %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%s (%s)" @@ -4543,135 +4603,135 @@ msgstr "%s (%s)" msgid "Untitled page" msgstr "" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "Trang chủ" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 +#: lib/action.php:441 #, fuzzy msgid "Change your email, avatar, password, profile" msgstr "Thay đổi mật khẩu của bạn" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "Kết nối" -#: lib/action.php:438 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "Không thể chuyển đến máy chủ: %s" -#: lib/action.php:442 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "Tôi theo" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "ThÆ° má»i" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, fuzzy, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" "Äiá»n địa chỉ email và ná»™i dung tin nhắn để gá»­i thÆ° má»i bạn bè và đồng nghiệp " "của bạn tham gia vào dịch vụ này." -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "Thoát" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "" -#: lib/action.php:457 +#: lib/action.php:463 #, fuzzy msgid "Create an account" msgstr "Tạo tài khoản má»›i" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "HÆ°á»›ng dẫn" -#: lib/action.php:463 +#: lib/action.php:469 #, fuzzy msgid "Help me!" msgstr "HÆ°á»›ng dẫn" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Tìm kiếm" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "" -#: lib/action.php:487 +#: lib/action.php:493 #, fuzzy msgid "Site notice" msgstr "Thông báo má»›i" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "" -#: lib/action.php:619 +#: lib/action.php:625 #, fuzzy msgid "Page notice" msgstr "Thông báo má»›i" -#: lib/action.php:721 +#: lib/action.php:727 #, fuzzy msgid "Secondary site navigation" msgstr "Tôi theo" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "Giá»›i thiệu" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "Riêng tÆ°" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "Nguồn" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "Liên hệ" -#: lib/action.php:745 +#: lib/action.php:751 #, fuzzy msgid "Badge" msgstr "Tin đã gá»­i" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4680,12 +4740,12 @@ msgstr "" "**%%site.name%%** là dịch vụ gá»­i tin nhắn được cung cấp từ [%%site.broughtby%" "%](%%site.broughtbyurl%%). " -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** là dịch vụ gá»­i tin nhắn. " -#: lib/action.php:780 +#: lib/action.php:786 #, fuzzy, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4696,43 +4756,43 @@ msgstr "" "quyá»n [GNU Affero General Public License](http://www.fsf.org/licensing/" "licenses/agpl-3.0.html)." -#: lib/action.php:795 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "Tìm theo ná»™i dung của tin nhắn" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "" -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "" -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1139 #, fuzzy msgid "After" msgstr "Sau" -#: lib/action.php:1141 +#: lib/action.php:1147 #, fuzzy msgid "Before" msgstr "TrÆ°á»›c" @@ -4770,11 +4830,25 @@ msgstr "Xac nhan dia chi email" msgid "Design configuration" msgstr "Xác nhận SMS" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "Xác nhận SMS" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "Xác nhận SMS" + +#: lib/adminpanelaction.php:332 #, fuzzy msgid "Paths configuration" msgstr "Xác nhận SMS" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -5382,12 +5456,12 @@ msgstr "" msgid "kB" msgstr "" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "" @@ -5872,19 +5946,19 @@ msgstr "Trả lá»i" msgid "Favorites" msgstr "Ưa thích" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Há»™p thÆ° đến" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "ThÆ° đến của bạn" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "Há»™p thÆ° Ä‘i" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "ThÆ° bạn đã gá»­i" @@ -6156,47 +6230,47 @@ msgstr "Tin má»›i nhất" msgid "Moderate" msgstr "" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "vài giây trÆ°á»›c" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "1 phút trÆ°á»›c" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "%d phút trÆ°á»›c" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "1 giá» trÆ°á»›c" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "%d giá» trÆ°á»›c" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "1 ngày trÆ°á»›c" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "%d ngày trÆ°á»›c" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "1 tháng trÆ°á»›c" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "%d tháng trÆ°á»›c" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "1 năm trÆ°á»›c" @@ -6210,7 +6284,7 @@ msgstr "Trang chủ không phải là URL" msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "" -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "" diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index aec8ae047..1cd332a8b 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -10,17 +10,75 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:38:46+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-28 00:00:04+0000\n" "Language-Team: Simplified Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#, fuzzy +msgid "Access" +msgstr "接å—" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "头åƒè®¾ç½®" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "注册" + +#: actions/accessadminpanel.php:161 +#, fuzzy +msgid "Private" +msgstr "éšç§" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#: actions/accessadminpanel.php:167 +#, fuzzy +msgid "Invite only" +msgstr "邀请" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "" + +#: actions/accessadminpanel.php:173 +#, fuzzy +msgid "Closed" +msgstr "阻止" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "" + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "ä¿å­˜" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "头åƒè®¾ç½®" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 msgid "No such page" @@ -35,7 +93,7 @@ msgstr "没有该页é¢" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -135,8 +193,7 @@ msgstr "æ¥è‡ª%2$s 上 %1$s 和好å‹çš„æ›´æ–°ï¼" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -153,7 +210,7 @@ msgstr "API 方法未实现ï¼" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "此方法接å—POST请求。" @@ -184,7 +241,7 @@ msgstr "无法ä¿å­˜ä¸ªäººä¿¡æ¯ã€‚" #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -495,7 +552,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "å¸å·" @@ -556,17 +620,17 @@ msgstr "头åƒå·²æ›´æ–°ã€‚" msgid "No status with that ID found." msgstr "没有找到此IDçš„ä¿¡æ¯ã€‚" -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, fuzzy, php-format msgid "That's too long. Max notice size is %d chars." msgstr "超出长度é™åˆ¶ã€‚ä¸èƒ½è¶…过 140 个字符。" -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "未找到" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -618,11 +682,6 @@ msgstr "%s 公众时间表" msgid "%s updates from everyone!" msgstr "æ¥è‡ªæ‰€æœ‰äººçš„ %s 消æ¯ï¼" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "" - #: actions/apitimelineretweetedtome.php:111 #, fuzzy, php-format msgid "Repeated to %s" @@ -1052,17 +1111,6 @@ msgstr "" msgid "Reset back to default" msgstr "" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "ä¿å­˜" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1075,13 +1123,15 @@ msgstr "此通告未被收è—ï¼" msgid "Add to favorites" msgstr "加入收è—" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "没有这份文档。" -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "其他选项" #: actions/editapplication.php:66 #, fuzzy @@ -1100,7 +1150,7 @@ msgid "No such application." msgstr "没有这份通告。" #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 #, fuzzy msgid "There was a problem with your session token." msgstr "会è¯æ ‡è¯†æœ‰é—®é¢˜ï¼Œè¯·é‡è¯•ã€‚" @@ -1314,7 +1364,7 @@ msgid "Cannot normalize that email address" msgstr "无法识别此电å­é‚®ä»¶" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "ä¸æ˜¯æœ‰æ•ˆçš„电å­é‚®ä»¶ã€‚" @@ -1326,7 +1376,7 @@ msgstr "您已登记此电å­é‚®ä»¶ã€‚" msgid "That email address already belongs to another user." msgstr "此电å­é‚®ä»¶å±žäºŽå…¶ä»–用户。" -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "无法æ’入验è¯ç ã€‚" @@ -1649,7 +1699,7 @@ msgstr "%s 组æˆå‘˜, 第 %d 页" msgid "A list of the users in this group." msgstr "该组æˆå‘˜åˆ—表。" -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "admin管ç†å‘˜" @@ -1841,6 +1891,11 @@ msgstr "验è¯ç å·²è¢«å‘é€åˆ°æ‚¨æ–°å¢žçš„å³æ—¶é€šè®¯å¸å·ã€‚您必须å…许 msgid "That is not your Jabber ID." msgstr "è¿™ä¸æ˜¯æ‚¨çš„Jabberå¸å·ã€‚" +#: actions/inbox.php:59 +#, fuzzy, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "%s 的收件箱" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -2015,7 +2070,7 @@ msgstr "用户å或密ç ä¸æ­£ç¡®ã€‚" msgid "Error setting user. You are probably not authorized." msgstr "未认è¯ã€‚" -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "登录" @@ -2075,8 +2130,9 @@ msgid "No current status" msgstr "没有当å‰çŠ¶æ€" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "没有这份通告。" #: actions/newapplication.php:64 #, fuzzy @@ -2267,8 +2323,8 @@ msgstr "连接" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "ä¸æ”¯æŒçš„æ•°æ®æ ¼å¼ã€‚" @@ -2340,6 +2396,11 @@ msgstr "通告内容ä¸æ­£ç¡®" msgid "Login token expired." msgstr "登录" +#: actions/outbox.php:58 +#, fuzzy, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "%s çš„å‘件箱" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2412,7 +2473,7 @@ msgstr "无法ä¿å­˜æ–°å¯†ç ã€‚" msgid "Password saved." msgstr "密ç å·²ä¿å­˜ã€‚" -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "" @@ -2420,142 +2481,159 @@ msgstr "" msgid "Path and server settings for this StatusNet site." msgstr "" -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, fuzzy, php-format msgid "Theme directory not readable: %s" msgstr "这个页é¢ä¸æ供您想è¦çš„媒体类型" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 #, fuzzy msgid "Site" msgstr "邀请" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +#, fuzzy +msgid "Server" +msgstr "æ¢å¤" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 #, fuzzy msgid "Site path" msgstr "新通告" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 #, fuzzy msgid "Avatars" msgstr "头åƒ" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 #, fuzzy msgid "Avatar server" msgstr "头åƒè®¾ç½®" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 #, fuzzy msgid "Avatar path" msgstr "头åƒå·²æ›´æ–°ã€‚" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 #, fuzzy msgid "Avatar directory" msgstr "头åƒå·²æ›´æ–°ã€‚" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 #, fuzzy msgid "SSL" msgstr "SMS短信" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 #, fuzzy msgid "Never" msgstr "æ¢å¤" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 #, fuzzy msgid "Sometimes" msgstr "通告" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 #, fuzzy msgid "SSL server" msgstr "æ¢å¤" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 #, fuzzy msgid "Save paths" msgstr "新通告" @@ -2665,7 +2743,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "你的标签 (å­—æ¯letters, æ•°å­—numbers, -, ., å’Œ _), 以逗å·æˆ–空格分隔" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "语言" @@ -2691,7 +2769,7 @@ msgstr "自动订阅任何订阅我的更新的人(这个选项最适åˆæœºå™¨ msgid "Bio is too long (max %d chars)." msgstr "自述过长(ä¸èƒ½è¶…过140字符)。" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "未选择时区。" @@ -2959,7 +3037,7 @@ msgstr "验è¯ç å‡ºé”™ã€‚" msgid "Registration successful" msgstr "注册æˆåŠŸã€‚" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "注册" @@ -2999,7 +3077,7 @@ msgid "Same as password above. Required." msgstr "相åŒçš„密ç ã€‚此项必填。" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "电å­é‚®ä»¶" @@ -3159,6 +3237,11 @@ msgstr "创建" msgid "Replies to %s" msgstr "%s 的回å¤" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "å‘é€ç»™ %1$s çš„ %2$s 消æ¯" + #: actions/replies.php:144 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3289,6 +3372,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "%s 收è—的通告" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "无法获å–收è—的通告。" @@ -3338,6 +3426,11 @@ msgstr "" msgid "%s group" msgstr "%s 组" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "%s 组æˆå‘˜, 第 %d 页" + #: actions/showgroup.php:218 #, fuzzy msgid "Group profile" @@ -3456,6 +3549,11 @@ msgstr "消æ¯å·²å‘布。" msgid " tagged %s" msgstr "带 %s 标签的通告" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%s åŠå¥½å‹" + #: actions/showstream.php:122 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3537,203 +3635,149 @@ msgstr "用户没有个人信æ¯ã€‚" msgid "Basic settings for this StatusNet site." msgstr "" -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 #, fuzzy msgid "You must have a valid contact email address." msgstr "ä¸æ˜¯æœ‰æ•ˆçš„电å­é‚®ä»¶" -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "" -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 #, fuzzy msgid "Site name" msgstr "新通告" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 #, fuzzy msgid "Contact email address for your site" msgstr "新的电å­é‚®ä»¶åœ°å€ï¼Œç”¨äºŽå‘布 %s ä¿¡æ¯" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 #, fuzzy msgid "Local" msgstr "本地显示" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 #, fuzzy msgid "Default site language" msgstr "首选语言" -#: actions/siteadminpanel.php:303 -#, fuzzy -msgid "URLs" -msgstr "URL 互è”网地å€" - -#: actions/siteadminpanel.php:306 -#, fuzzy -msgid "Server" -msgstr "æ¢å¤" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "" - -#: actions/siteadminpanel.php:318 -#, fuzzy -msgid "Access" -msgstr "接å—" - -#: actions/siteadminpanel.php:321 -#, fuzzy -msgid "Private" -msgstr "éšç§" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" - -#: actions/siteadminpanel.php:327 -#, fuzzy -msgid "Invite only" -msgstr "邀请" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "" - -#: actions/siteadminpanel.php:333 -#, fuzzy -msgid "Closed" -msgstr "阻止" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "" - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 #, fuzzy msgid "Save site settings" msgstr "头åƒè®¾ç½®" @@ -3939,6 +3983,11 @@ msgstr "没有 Jabber ID。" msgid "SMS" msgstr "SMS短信" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "用户自加标签 %s - 第 %d 页" + #: actions/tag.php:86 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4248,6 +4297,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "%s 组æˆå‘˜, 第 %d 页" + #: actions/usergroups.php:130 #, fuzzy msgid "Search for more groups" @@ -4311,7 +4365,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "个人" @@ -4370,47 +4424,52 @@ msgstr "无法添加信æ¯ã€‚" msgid "Could not update message with new URI." msgstr "无法添加新URIçš„ä¿¡æ¯ã€‚" -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "添加标签时数æ®åº“出错:%s" -#: classes/Notice.php:225 +#: classes/Notice.php:214 #, fuzzy msgid "Problem saving notice. Too long." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:229 +#: classes/Notice.php:218 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "你在短时间里å‘布了过多的消æ¯ï¼Œè¯·æ·±å‘¼å¸ï¼Œè¿‡å‡ åˆ†é’Ÿå†å‘消æ¯ã€‚" -#: classes/Notice.php:240 +#: classes/Notice.php:229 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "你在短时间里å‘布了过多的消æ¯ï¼Œè¯·æ·±å‘¼å¸ï¼Œè¿‡å‡ åˆ†é’Ÿå†å‘消æ¯ã€‚" -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "在这个网站你被ç¦æ­¢å‘布消æ¯ã€‚" -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "添加回å¤æ—¶æ•°æ®åº“出错:%s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4467,133 +4526,133 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "无标题页" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "主站导航" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "主页" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "个人资料åŠæœ‹å‹å¹´è¡¨" -#: lib/action.php:435 +#: lib/action.php:441 #, fuzzy msgid "Change your email, avatar, password, profile" msgstr "修改资料" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "连接" -#: lib/action.php:438 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "无法é‡å®šå‘到æœåŠ¡å™¨ï¼š%s" -#: lib/action.php:442 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "主站导航" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "邀请" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, fuzzy, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "使用这个表å•æ¥é‚€è¯·å¥½å‹å’ŒåŒäº‹åŠ å…¥ã€‚" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "登出" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "登出本站" -#: lib/action.php:457 +#: lib/action.php:463 #, fuzzy msgid "Create an account" msgstr "创建新å¸å·" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "登入本站" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "帮助" -#: lib/action.php:463 +#: lib/action.php:469 #, fuzzy msgid "Help me!" msgstr "帮助" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "æœç´¢" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "检索人或文字" -#: lib/action.php:487 +#: lib/action.php:493 #, fuzzy msgid "Site notice" msgstr "新通告" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "本地显示" -#: lib/action.php:619 +#: lib/action.php:625 #, fuzzy msgid "Page notice" msgstr "新通告" -#: lib/action.php:721 +#: lib/action.php:727 #, fuzzy msgid "Secondary site navigation" msgstr "次项站导航" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "关于" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "常è§é—®é¢˜FAQ" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "éšç§" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "æ¥æº" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "è”系人" -#: lib/action.php:745 +#: lib/action.php:751 #, fuzzy msgid "Badge" msgstr "呼å«" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "StatusNet软件注册è¯" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4602,12 +4661,12 @@ msgstr "" "**%%site.name%%** 是一个微åšå®¢æœåŠ¡ï¼Œæ供者为 [%%site.broughtby%%](%%site." "broughtbyurl%%)。" -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** 是一个微åšå®¢æœåŠ¡ã€‚" -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4618,43 +4677,43 @@ msgstr "" "General Public License](http://www.fsf.org/licensing/licenses/agpl-3.0.html)" "授æƒã€‚" -#: lib/action.php:795 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "StatusNet软件注册è¯" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "全部" -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "注册è¯" -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "分页" -#: lib/action.php:1133 +#: lib/action.php:1139 #, fuzzy msgid "After" msgstr "« 之åŽ" -#: lib/action.php:1141 +#: lib/action.php:1147 #, fuzzy msgid "Before" msgstr "ä¹‹å‰ Â»" @@ -4694,11 +4753,25 @@ msgstr "电å­é‚®ä»¶åœ°å€ç¡®è®¤" msgid "Design configuration" msgstr "SMS短信确认" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "SMS短信确认" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "SMS短信确认" + +#: lib/adminpanelaction.php:332 #, fuzzy msgid "Paths configuration" msgstr "SMS短信确认" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -5293,12 +5366,12 @@ msgstr "" msgid "kB" msgstr "" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "" @@ -5740,19 +5813,19 @@ msgstr "回å¤" msgid "Favorites" msgstr "收è—夹" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "收件箱" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "您接收的消æ¯" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "å‘件箱" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "您å‘é€çš„消æ¯" @@ -6022,47 +6095,47 @@ msgstr "新消æ¯" msgid "Moderate" msgstr "" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "几秒å‰" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "一分钟å‰" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "%d 分钟å‰" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "一å°æ—¶å‰" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "%d å°æ—¶å‰" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "一天å‰" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "%d 天å‰" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "一个月å‰" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "%d 个月å‰" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "一年å‰" @@ -6076,7 +6149,7 @@ msgstr "主页的URLä¸æ­£ç¡®ã€‚" msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "" -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, fuzzy, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "您的消æ¯åŒ…å« %d 个字符,超出长度é™åˆ¶ - ä¸èƒ½è¶…过 140 个字符。" diff --git a/locale/zh_TW/LC_MESSAGES/statusnet.po b/locale/zh_TW/LC_MESSAGES/statusnet.po index cbcbf1248..e01caa3c3 100644 --- a/locale/zh_TW/LC_MESSAGES/statusnet.po +++ b/locale/zh_TW/LC_MESSAGES/statusnet.po @@ -7,17 +7,73 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-21 22:36+0000\n" -"PO-Revision-Date: 2010-01-21 22:38:49+0000\n" +"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"PO-Revision-Date: 2010-01-28 00:00:08+0000\n" "Language-Team: Traditional Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61339); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hant\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#, fuzzy +msgid "Access" +msgstr "接å—" + +#: actions/accessadminpanel.php:65 +#, fuzzy +msgid "Site access settings" +msgstr "線上å³æ™‚通設定" + +#: actions/accessadminpanel.php:158 +#, fuzzy +msgid "Registration" +msgstr "所有訂閱" + +#: actions/accessadminpanel.php:161 +msgid "Private" +msgstr "" + +#: actions/accessadminpanel.php:163 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#: actions/accessadminpanel.php:167 +msgid "Invite only" +msgstr "" + +#: actions/accessadminpanel.php:169 +msgid "Make registration invitation only." +msgstr "" + +#: actions/accessadminpanel.php:173 +#, fuzzy +msgid "Closed" +msgstr "無此使用者" + +#: actions/accessadminpanel.php:175 +msgid "Disable new registrations." +msgstr "" + +#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 +#: actions/emailsettings.php:195 actions/imsettings.php:163 +#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 +#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:203 +#: actions/tagother.php:154 actions/useradminpanel.php:313 +#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "" + +#: actions/accessadminpanel.php:189 +#, fuzzy +msgid "Save access settings" +msgstr "線上å³æ™‚通設定" + #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 #, fuzzy @@ -33,7 +89,7 @@ msgstr "無此通知" #: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 #: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 #: actions/apigroupleave.php:99 actions/apigrouplist.php:90 -#: actions/apistatusesupdate.php:149 actions/apisubscriptions.php:87 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 #: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 @@ -133,8 +189,7 @@ msgstr "" #: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 #: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 #: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedbyme.php:122 -#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -151,7 +206,7 @@ msgstr "確èªç¢¼éºå¤±" #: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 #: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 #: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 -#: actions/apistatusesupdate.php:119 +#: actions/apistatusesupdate.php:118 msgid "This method requires a POST." msgstr "" @@ -182,7 +237,7 @@ msgstr "無法儲存個人資料" #: actions/apiaccountupdateprofilebackgroundimage.php:108 #: actions/apiaccountupdateprofileimage.php:97 -#: actions/apistatusesupdate.php:132 actions/avatarsettings.php:257 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 #: actions/designadminpanel.php:122 actions/editapplication.php:118 #: actions/newapplication.php:101 actions/newnotice.php:94 #: lib/designsettings.php:283 @@ -489,7 +544,14 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:435 +#: actions/apioauthauthorize.php:306 +#, php-format +msgid "" +"The application %s by %s would like the " +"ability to %s your account data." +msgstr "" + +#: actions/apioauthauthorize.php:320 lib/action.php:441 #, fuzzy msgid "Account" msgstr "關於" @@ -550,17 +612,17 @@ msgstr "更新個人圖åƒ" msgid "No status with that ID found." msgstr "" -#: actions/apistatusesupdate.php:162 actions/newnotice.php:155 +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." msgstr "" -#: actions/apistatusesupdate.php:203 +#: actions/apistatusesupdate.php:202 msgid "Not found" msgstr "" -#: actions/apistatusesupdate.php:226 actions/newnotice.php:178 +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" @@ -611,11 +673,6 @@ msgstr "" msgid "%s updates from everyone!" msgstr "" -#: actions/apitimelineretweetedbyme.php:112 -#, php-format -msgid "Repeated by %s" -msgstr "" - #: actions/apitimelineretweetedtome.php:111 #, php-format msgid "Repeated to %s" @@ -1039,17 +1096,6 @@ msgstr "" msgid "Reset back to default" msgstr "" -#: actions/designadminpanel.php:586 actions/emailsettings.php:195 -#: actions/imsettings.php:163 actions/othersettings.php:126 -#: actions/pathsadminpanel.php:324 actions/profilesettings.php:174 -#: actions/siteadminpanel.php:388 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 -#: actions/useradminpanel.php:313 lib/applicationeditform.php:335 -#: lib/applicationeditform.php:336 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "" - #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1062,13 +1108,15 @@ msgstr "" msgid "Add to favorites" msgstr "" -#: actions/doc.php:69 -msgid "No such document." +#: actions/doc.php:155 +#, fuzzy, php-format +msgid "No such document \"%s\"" msgstr "無此文件" -#: actions/editapplication.php:54 lib/applicationeditform.php:136 -msgid "Edit application" -msgstr "" +#: actions/editapplication.php:54 +#, fuzzy +msgid "Edit Application" +msgstr "無此通知" #: actions/editapplication.php:66 msgid "You must be logged in to edit an application." @@ -1086,7 +1134,7 @@ msgid "No such application." msgstr "無此通知" #: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1189 +#: actions/showapplication.php:118 lib/action.php:1195 msgid "There was a problem with your session token." msgstr "" @@ -1294,7 +1342,7 @@ msgid "Cannot normalize that email address" msgstr "" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:157 +#: actions/siteadminpanel.php:143 msgid "Not a valid email address." msgstr "此信箱無效" @@ -1306,7 +1354,7 @@ msgstr "" msgid "That email address already belongs to another user." msgstr "" -#: actions/emailsettings.php:353 actions/imsettings.php:317 +#: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." msgstr "無法輸入確èªç¢¼" @@ -1613,7 +1661,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:442 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -1796,6 +1844,11 @@ msgstr "確èªä¿¡å·²å¯„到你的線上å³æ™‚通信箱。%sé€çµ¦ä½ å¾—訊æ¯è¦ msgid "That is not your Jabber ID." msgstr "" +#: actions/inbox.php:59 +#, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "" + #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" @@ -1946,7 +1999,7 @@ msgstr "使用者å稱或密碼錯誤" msgid "Error setting user. You are probably not authorized." msgstr "" -#: actions/login.php:188 actions/login.php:241 lib/action.php:460 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "登入" @@ -2004,8 +2057,9 @@ msgid "No current status" msgstr "" #: actions/newapplication.php:52 -msgid "New application" -msgstr "" +#, fuzzy +msgid "New Application" +msgstr "無此通知" #: actions/newapplication.php:64 msgid "You must be logged in to register an application." @@ -2189,8 +2243,8 @@ msgstr "連çµ" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1038 -#: lib/api.php:1066 lib/api.php:1176 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 +#: lib/api.php:1067 lib/api.php:1177 msgid "Not a supported data format." msgstr "" @@ -2260,6 +2314,11 @@ msgstr "新訊æ¯" msgid "Login token expired." msgstr "" +#: actions/outbox.php:58 +#, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "" + #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" @@ -2331,7 +2390,7 @@ msgstr "無法存å–新密碼" msgid "Password saved." msgstr "" -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:326 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 msgid "Paths" msgstr "" @@ -2339,138 +2398,154 @@ msgstr "" msgid "Path and server settings for this StatusNet site." msgstr "" -#: actions/pathsadminpanel.php:140 +#: actions/pathsadminpanel.php:157 #, fuzzy, php-format msgid "Theme directory not readable: %s" msgstr "個人首é ä½å€éŒ¯èª¤" -#: actions/pathsadminpanel.php:146 +#: actions/pathsadminpanel.php:163 #, php-format msgid "Avatar directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:152 +#: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" msgstr "" -#: actions/pathsadminpanel.php:160 +#: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" msgstr "" -#: actions/pathsadminpanel.php:166 +#: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" -#: actions/pathsadminpanel.php:217 actions/siteadminpanel.php:58 +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "" + +#: actions/pathsadminpanel.php:242 msgid "Path" msgstr "" -#: actions/pathsadminpanel.php:221 +#: actions/pathsadminpanel.php:242 #, fuzzy msgid "Site path" msgstr "新訊æ¯" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Path to locales" msgstr "" -#: actions/pathsadminpanel.php:225 +#: actions/pathsadminpanel.php:246 msgid "Directory path to locales" msgstr "" -#: actions/pathsadminpanel.php:232 +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" + +#: actions/pathsadminpanel.php:259 msgid "Theme" msgstr "" -#: actions/pathsadminpanel.php:237 +#: actions/pathsadminpanel.php:264 msgid "Theme server" msgstr "" -#: actions/pathsadminpanel.php:241 +#: actions/pathsadminpanel.php:268 msgid "Theme path" msgstr "" -#: actions/pathsadminpanel.php:245 +#: actions/pathsadminpanel.php:272 msgid "Theme directory" msgstr "" -#: actions/pathsadminpanel.php:252 +#: actions/pathsadminpanel.php:279 #, fuzzy msgid "Avatars" msgstr "個人圖åƒ" -#: actions/pathsadminpanel.php:257 +#: actions/pathsadminpanel.php:284 #, fuzzy msgid "Avatar server" msgstr "線上å³æ™‚通設定" -#: actions/pathsadminpanel.php:261 +#: actions/pathsadminpanel.php:288 #, fuzzy msgid "Avatar path" msgstr "更新個人圖åƒ" -#: actions/pathsadminpanel.php:265 +#: actions/pathsadminpanel.php:292 #, fuzzy msgid "Avatar directory" msgstr "更新個人圖åƒ" -#: actions/pathsadminpanel.php:274 +#: actions/pathsadminpanel.php:301 msgid "Backgrounds" msgstr "" -#: actions/pathsadminpanel.php:278 +#: actions/pathsadminpanel.php:305 msgid "Background server" msgstr "" -#: actions/pathsadminpanel.php:282 +#: actions/pathsadminpanel.php:309 msgid "Background path" msgstr "" -#: actions/pathsadminpanel.php:286 +#: actions/pathsadminpanel.php:313 msgid "Background directory" msgstr "" -#: actions/pathsadminpanel.php:293 +#: actions/pathsadminpanel.php:320 msgid "SSL" msgstr "" -#: actions/pathsadminpanel.php:296 actions/siteadminpanel.php:346 +#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 msgid "Never" msgstr "" -#: actions/pathsadminpanel.php:297 +#: actions/pathsadminpanel.php:324 msgid "Sometimes" msgstr "" -#: actions/pathsadminpanel.php:298 +#: actions/pathsadminpanel.php:325 msgid "Always" msgstr "" -#: actions/pathsadminpanel.php:302 +#: actions/pathsadminpanel.php:329 msgid "Use SSL" msgstr "" -#: actions/pathsadminpanel.php:303 +#: actions/pathsadminpanel.php:330 msgid "When to use SSL" msgstr "" -#: actions/pathsadminpanel.php:308 +#: actions/pathsadminpanel.php:335 #, fuzzy msgid "SSL server" msgstr "線上å³æ™‚通設定" -#: actions/pathsadminpanel.php:309 +#: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" msgstr "" -#: actions/pathsadminpanel.php:325 +#: actions/pathsadminpanel.php:352 #, fuzzy msgid "Save paths" msgstr "新訊æ¯" @@ -2577,7 +2652,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:294 +#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" msgstr "" @@ -2603,7 +2678,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "自我介紹éŽé•·(å…±140個字元)" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:164 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." msgstr "" @@ -2865,7 +2940,7 @@ msgstr "確èªç¢¼ç™¼ç”ŸéŒ¯èª¤" msgid "Registration successful" msgstr "" -#: actions/register.php:114 actions/register.php:503 lib/action.php:457 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "" @@ -2905,7 +2980,7 @@ msgid "Same as password above. Required." msgstr "" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:270 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 msgid "Email" msgstr "é›»å­ä¿¡ç®±" @@ -3045,6 +3120,11 @@ msgstr "新增" msgid "Replies to %s" msgstr "" +#: actions/replies.php:127 +#, fuzzy, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "&s的微型部è½æ ¼" + #: actions/replies.php:144 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" @@ -3172,6 +3252,11 @@ msgid "" "signature method." msgstr "" +#: actions/showfavorites.php:79 +#, fuzzy, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "%s與好å‹" + #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "" @@ -3221,6 +3306,11 @@ msgstr "" msgid "%s group" msgstr "" +#: actions/showgroup.php:84 +#, fuzzy, php-format +msgid "%1$s group, page %2$d" +msgstr "所有訂閱" + #: actions/showgroup.php:218 #, fuzzy msgid "Group profile" @@ -3335,6 +3425,11 @@ msgstr "更新個人圖åƒ" msgid " tagged %s" msgstr "" +#: actions/showstream.php:79 +#, fuzzy, php-format +msgid "%1$s, page %2$d" +msgstr "%s與好å‹" + #: actions/showstream.php:122 #, fuzzy, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" @@ -3412,198 +3507,148 @@ msgstr "" msgid "Basic settings for this StatusNet site." msgstr "" -#: actions/siteadminpanel.php:146 +#: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:154 +#: actions/siteadminpanel.php:140 #, fuzzy msgid "You must have a valid contact email address." msgstr "此信箱無效" -#: actions/siteadminpanel.php:172 +#: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." msgstr "" -#: actions/siteadminpanel.php:179 +#: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." msgstr "" -#: actions/siteadminpanel.php:185 +#: actions/siteadminpanel.php:171 msgid "Invalid snapshot run value." msgstr "" -#: actions/siteadminpanel.php:191 +#: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." msgstr "" -#: actions/siteadminpanel.php:197 +#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:203 +#: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:239 msgid "General" msgstr "" -#: actions/siteadminpanel.php:256 +#: actions/siteadminpanel.php:242 #, fuzzy msgid "Site name" msgstr "新訊æ¯" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:261 +#: actions/siteadminpanel.php:247 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:262 +#: actions/siteadminpanel.php:248 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:266 +#: actions/siteadminpanel.php:252 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:267 +#: actions/siteadminpanel.php:253 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:271 +#: actions/siteadminpanel.php:257 #, fuzzy msgid "Contact email address for your site" msgstr "查無此使用者所註冊的信箱" -#: actions/siteadminpanel.php:277 +#: actions/siteadminpanel.php:263 #, fuzzy msgid "Local" msgstr "地點" -#: actions/siteadminpanel.php:288 +#: actions/siteadminpanel.php:274 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:289 +#: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:295 +#: actions/siteadminpanel.php:281 msgid "Default site language" msgstr "" -#: actions/siteadminpanel.php:303 -msgid "URLs" -msgstr "" - -#: actions/siteadminpanel.php:306 -msgid "Server" -msgstr "" - -#: actions/siteadminpanel.php:306 -msgid "Site's server hostname." -msgstr "" - -#: actions/siteadminpanel.php:310 -msgid "Fancy URLs" -msgstr "" - -#: actions/siteadminpanel.php:312 -msgid "Use fancy (more readable and memorable) URLs?" -msgstr "" - -#: actions/siteadminpanel.php:318 -#, fuzzy -msgid "Access" -msgstr "接å—" - -#: actions/siteadminpanel.php:321 -msgid "Private" -msgstr "" - -#: actions/siteadminpanel.php:323 -msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" - -#: actions/siteadminpanel.php:327 -msgid "Invite only" -msgstr "" - -#: actions/siteadminpanel.php:329 -msgid "Make registration invitation only." -msgstr "" - -#: actions/siteadminpanel.php:333 -#, fuzzy -msgid "Closed" -msgstr "無此使用者" - -#: actions/siteadminpanel.php:335 -msgid "Disable new registrations." -msgstr "" - -#: actions/siteadminpanel.php:341 +#: actions/siteadminpanel.php:289 msgid "Snapshots" msgstr "" -#: actions/siteadminpanel.php:344 +#: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" msgstr "" -#: actions/siteadminpanel.php:345 +#: actions/siteadminpanel.php:293 msgid "In a scheduled job" msgstr "" -#: actions/siteadminpanel.php:347 +#: actions/siteadminpanel.php:295 msgid "Data snapshots" msgstr "" -#: actions/siteadminpanel.php:348 +#: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" msgstr "" -#: actions/siteadminpanel.php:353 +#: actions/siteadminpanel.php:301 msgid "Frequency" msgstr "" -#: actions/siteadminpanel.php:354 +#: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" msgstr "" -#: actions/siteadminpanel.php:359 +#: actions/siteadminpanel.php:307 msgid "Report URL" msgstr "" -#: actions/siteadminpanel.php:360 +#: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" msgstr "" -#: actions/siteadminpanel.php:367 +#: actions/siteadminpanel.php:315 msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:370 +#: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:374 +#: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:388 actions/useradminpanel.php:313 +#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 #, fuzzy msgid "Save site settings" msgstr "線上å³æ™‚通設定" @@ -3802,6 +3847,11 @@ msgstr "查無此Jabber ID" msgid "SMS" msgstr "" +#: actions/tag.php:68 +#, fuzzy, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "&s的微型部è½æ ¼" + #: actions/tag.php:86 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" @@ -4095,6 +4145,11 @@ msgstr "" msgid "Enjoy your hotdog!" msgstr "" +#: actions/usergroups.php:64 +#, fuzzy, php-format +msgid "%1$s groups, page %2$d" +msgstr "所有訂閱" + #: actions/usergroups.php:130 msgid "Search for more groups" msgstr "" @@ -4157,7 +4212,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:741 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "地點" @@ -4215,46 +4270,51 @@ msgstr "" msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:171 +#: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:225 +#: classes/Notice.php:214 #, fuzzy msgid "Problem saving notice. Too long." msgstr "儲存使用者發生錯誤" -#: classes/Notice.php:229 +#: classes/Notice.php:218 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "儲存使用者發生錯誤" -#: classes/Notice.php:234 +#: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:240 +#: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:246 +#: classes/Notice.php:235 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:305 classes/Notice.php:330 +#: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:1059 +#: classes/Notice.php:790 +#, fuzzy +msgid "Problem saving group inbox." +msgstr "儲存使用者發生錯誤" + +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "增加回覆時,資料庫發生錯誤: %s" -#: classes/Notice.php:1441 +#: classes/Notice.php:1233 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4313,129 +4373,129 @@ msgstr "%1$s的狀態是%2$s" msgid "Untitled page" msgstr "" -#: lib/action.php:427 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:433 +#: lib/action.php:439 msgid "Home" msgstr "主é " -#: lib/action.php:433 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:435 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:438 +#: lib/action.php:444 msgid "Connect" msgstr "連çµ" -#: lib/action.php:438 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" -#: lib/action.php:442 +#: lib/action.php:448 msgid "Change site configuration" msgstr "" -#: lib/action.php:446 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "" -#: lib/action.php:447 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout" msgstr "登出" -#: lib/action.php:452 +#: lib/action.php:458 msgid "Logout from the site" msgstr "" -#: lib/action.php:457 +#: lib/action.php:463 #, fuzzy msgid "Create an account" msgstr "新增帳號" -#: lib/action.php:460 +#: lib/action.php:466 msgid "Login to the site" msgstr "" -#: lib/action.php:463 lib/action.php:726 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "求救" -#: lib/action.php:463 +#: lib/action.php:469 #, fuzzy msgid "Help me!" msgstr "求救" -#: lib/action.php:466 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "" -#: lib/action.php:466 +#: lib/action.php:472 msgid "Search for people or text" msgstr "" -#: lib/action.php:487 +#: lib/action.php:493 #, fuzzy msgid "Site notice" msgstr "新訊æ¯" -#: lib/action.php:553 +#: lib/action.php:559 msgid "Local views" msgstr "" -#: lib/action.php:619 +#: lib/action.php:625 #, fuzzy msgid "Page notice" msgstr "新訊æ¯" -#: lib/action.php:721 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:728 +#: lib/action.php:734 msgid "About" msgstr "關於" -#: lib/action.php:730 +#: lib/action.php:736 msgid "FAQ" msgstr "常見å•é¡Œ" -#: lib/action.php:734 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:737 +#: lib/action.php:743 msgid "Privacy" msgstr "" -#: lib/action.php:739 +#: lib/action.php:745 msgid "Source" msgstr "" -#: lib/action.php:743 +#: lib/action.php:749 msgid "Contact" msgstr "好å‹åå–®" -#: lib/action.php:745 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:773 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "" -#: lib/action.php:776 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4444,12 +4504,12 @@ msgstr "" "**%%site.name%%**是由[%%site.broughtby%%](%%site.broughtbyurl%%)所æ供的微型" "部è½æ ¼æœå‹™" -#: lib/action.php:778 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%**是個微型部è½æ ¼" -#: lib/action.php:780 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4457,42 +4517,42 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:795 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "新訊æ¯" -#: lib/action.php:800 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:805 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:808 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:820 +#: lib/action.php:826 msgid "All " msgstr "" -#: lib/action.php:825 +#: lib/action.php:831 msgid "license." msgstr "" -#: lib/action.php:1124 +#: lib/action.php:1130 msgid "Pagination" msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1139 msgid "After" msgstr "" -#: lib/action.php:1141 +#: lib/action.php:1147 #, fuzzy msgid "Before" msgstr "之å‰çš„內容»" @@ -4527,11 +4587,25 @@ msgstr "確èªä¿¡ç®±" msgid "Design configuration" msgstr "確èªä¿¡ç®±" -#: lib/adminpanelaction.php:322 lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:322 +#, fuzzy +msgid "User configuration" +msgstr "確èªä¿¡ç®±" + +#: lib/adminpanelaction.php:327 +#, fuzzy +msgid "Access configuration" +msgstr "確èªä¿¡ç®±" + +#: lib/adminpanelaction.php:332 #, fuzzy msgid "Paths configuration" msgstr "確èªä¿¡ç®±" +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "" + #: lib/applicationeditform.php:186 msgid "Icon for this application" msgstr "" @@ -5111,12 +5185,12 @@ msgstr "" msgid "kB" msgstr "" -#: lib/jabber.php:202 +#: lib/jabber.php:220 #, php-format msgid "[%s]" msgstr "" -#: lib/jabber.php:385 +#: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." msgstr "" @@ -5543,19 +5617,19 @@ msgstr "" msgid "Favorites" msgstr "" -#: lib/personalgroupnav.php:124 +#: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" -#: lib/personalgroupnav.php:125 +#: lib/personalgroupnav.php:126 msgid "Your incoming messages" msgstr "" -#: lib/personalgroupnav.php:129 +#: lib/personalgroupnav.php:130 msgid "Outbox" msgstr "" -#: lib/personalgroupnav.php:130 +#: lib/personalgroupnav.php:131 msgid "Your sent messages" msgstr "" @@ -5810,47 +5884,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:875 +#: lib/util.php:868 msgid "a few seconds ago" msgstr "" -#: lib/util.php:877 +#: lib/util.php:870 msgid "about a minute ago" msgstr "" -#: lib/util.php:879 +#: lib/util.php:872 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:881 +#: lib/util.php:874 msgid "about an hour ago" msgstr "" -#: lib/util.php:883 +#: lib/util.php:876 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:885 +#: lib/util.php:878 msgid "about a day ago" msgstr "" -#: lib/util.php:887 +#: lib/util.php:880 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:889 +#: lib/util.php:882 msgid "about a month ago" msgstr "" -#: lib/util.php:891 +#: lib/util.php:884 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:893 +#: lib/util.php:886 msgid "about a year ago" msgstr "" @@ -5864,7 +5938,7 @@ msgstr "個人首é ä½å€éŒ¯èª¤" msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "" -#: scripts/xmppdaemon.php:301 +#: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." msgstr "" -- cgit v1.2.3-54-g00ecf From fcc48155ed96bbc100db483863221dc548a22c7c Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Thu, 28 Jan 2010 01:32:48 +0100 Subject: L10n updates: * app -> application * number parameters when using more than one in a message --- actions/apioauthauthorize.php | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/actions/apioauthauthorize.php b/actions/apioauthauthorize.php index fa074c4e7..eebc926ee 100644 --- a/actions/apioauthauthorize.php +++ b/actions/apioauthauthorize.php @@ -167,7 +167,7 @@ class ApiOauthAuthorizeAction extends ApiOauthAction if (!$result) { common_log_db_error($appUser, 'DELETE', __FILE__); - throw new ServerException(_('DB error deleting OAuth app user.')); + throw new ServerException(_('Database error deleting OAuth application user.')); return; } } @@ -193,7 +193,7 @@ class ApiOauthAuthorizeAction extends ApiOauthAction if (!$result) { common_log_db_error($appUser, 'INSERT', __FILE__); - throw new ServerException(_('DB error inserting OAuth app user.')); + throw new ServerException(_('Database error inserting OAuth application user.')); return; } @@ -303,8 +303,8 @@ class ApiOauthAuthorizeAction extends ApiOauthAction $access = ($this->app->access_type & Oauth_application::$writeAccess) ? 'access and update' : 'access'; - $msg = _("The application %s by %s would like " . - "the ability to %s your account data."); + $msg = _("The application %1$s by %2$s would like " . + "the ability to %3$s your account data."); $this->raw(sprintf($msg, $this->app->name, -- cgit v1.2.3-54-g00ecf From 77aed28f17dbc3607502f1f47984661867d18f4f Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Thu, 28 Jan 2010 00:39:40 +0000 Subject: These API methods should return true for ->isReadOnly($args)! --- actions/apiaccountratelimitstatus.php | 17 ++++++++++++++++- actions/apifriendshipsexists.php | 15 +++++++++++++++ actions/apifriendshipsshow.php | 16 +++++++++++++++- actions/apigroupismember.php | 15 +++++++++++++++ actions/apigroupshow.php | 15 +++++++++++++++ actions/apihelptest.php | 15 +++++++++++++++ actions/apistatusnetconfig.php | 15 +++++++++++++++ actions/apistatusnetversion.php | 15 +++++++++++++++ actions/apiusershow.php | 15 +++++++++++++++ 9 files changed, 136 insertions(+), 2 deletions(-) diff --git a/actions/apiaccountratelimitstatus.php b/actions/apiaccountratelimitstatus.php index 1a5afd552..f19e315bf 100644 --- a/actions/apiaccountratelimitstatus.php +++ b/actions/apiaccountratelimitstatus.php @@ -105,7 +105,22 @@ class ApiAccountRateLimitStatusAction extends ApiBareAuthAction print json_encode($out); } - $this->endDocument($this->format); + $this->endDocument($this->format); + } + + /** + * Return true if read only. + * + * MAY override + * + * @param array $args other arguments + * + * @return boolean is read only action? + */ + + function isReadOnly($args) + { + return true; } } diff --git a/actions/apifriendshipsexists.php b/actions/apifriendshipsexists.php index c040b9f6a..ca62b5f51 100644 --- a/actions/apifriendshipsexists.php +++ b/actions/apifriendshipsexists.php @@ -116,4 +116,19 @@ class ApiFriendshipsExistsAction extends ApiPrivateAuthAction } } + /** + * Return true if read only. + * + * MAY override + * + * @param array $args other arguments + * + * @return boolean is read only action? + */ + + function isReadOnly($args) + { + return true; + } + } diff --git a/actions/apifriendshipsshow.php b/actions/apifriendshipsshow.php index 73ecc9249..f29e63713 100644 --- a/actions/apifriendshipsshow.php +++ b/actions/apifriendshipsshow.php @@ -87,7 +87,6 @@ class ApiFriendshipsShowAction extends ApiBareAuthAction return true; } - /** * Determines whether this API resource requires auth. Overloaded to look * return true in case source_id and source_screen_name are both empty @@ -165,4 +164,19 @@ class ApiFriendshipsShowAction extends ApiBareAuthAction } + /** + * Return true if read only. + * + * MAY override + * + * @param array $args other arguments + * + * @return boolean is read only action? + */ + + function isReadOnly($args) + { + return true; + } + } diff --git a/actions/apigroupismember.php b/actions/apigroupismember.php index 69ead0b53..97f843561 100644 --- a/actions/apigroupismember.php +++ b/actions/apigroupismember.php @@ -119,4 +119,19 @@ class ApiGroupIsMemberAction extends ApiBareAuthAction } } + /** + * Return true if read only. + * + * MAY override + * + * @param array $args other arguments + * + * @return boolean is read only action? + */ + + function isReadOnly($args) + { + return true; + } + } diff --git a/actions/apigroupshow.php b/actions/apigroupshow.php index ef9cbf0e7..5745a81f4 100644 --- a/actions/apigroupshow.php +++ b/actions/apigroupshow.php @@ -158,4 +158,19 @@ class ApiGroupShowAction extends ApiPrivateAuthAction return null; } + /** + * Return true if read only. + * + * MAY override + * + * @param array $args other arguments + * + * @return boolean is read only action? + */ + + function isReadOnly($args) + { + return true; + } + } diff --git a/actions/apihelptest.php b/actions/apihelptest.php index 7b4017531..d0e9e4926 100644 --- a/actions/apihelptest.php +++ b/actions/apihelptest.php @@ -92,5 +92,20 @@ class ApiHelpTestAction extends ApiPrivateAuthAction } } + /** + * Return true if read only. + * + * MAY override + * + * @param array $args other arguments + * + * @return boolean is read only action? + */ + + function isReadOnly($args) + { + return true; + } + } diff --git a/actions/apistatusnetconfig.php b/actions/apistatusnetconfig.php index ab96f2e5f..dc1ab8685 100644 --- a/actions/apistatusnetconfig.php +++ b/actions/apistatusnetconfig.php @@ -138,5 +138,20 @@ class ApiStatusnetConfigAction extends ApiAction } } + /** + * Return true if read only. + * + * MAY override + * + * @param array $args other arguments + * + * @return boolean is read only action? + */ + + function isReadOnly($args) + { + return true; + } + } diff --git a/actions/apistatusnetversion.php b/actions/apistatusnetversion.php index 5109cd806..d09480759 100644 --- a/actions/apistatusnetversion.php +++ b/actions/apistatusnetversion.php @@ -98,5 +98,20 @@ class ApiStatusnetVersionAction extends ApiPrivateAuthAction } } + /** + * Return true if read only. + * + * MAY override + * + * @param array $args other arguments + * + * @return boolean is read only action? + */ + + function isReadOnly($args) + { + return true; + } + } diff --git a/actions/apiusershow.php b/actions/apiusershow.php index a7fe0dcc1..6c8fad49b 100644 --- a/actions/apiusershow.php +++ b/actions/apiusershow.php @@ -123,4 +123,19 @@ class ApiUserShowAction extends ApiPrivateAuthAction } + /** + * Return true if read only. + * + * MAY override + * + * @param array $args other arguments + * + * @return boolean is read only action? + */ + + function isReadOnly($args) + { + return true; + } + } -- cgit v1.2.3-54-g00ecf From dac2231aaa612abaaf14f32f64f8d10bf5be789f Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Thu, 28 Jan 2010 00:41:44 +0000 Subject: Some adjustments to the way API auth works after merging testing and 0.9.x --- lib/apiauth.php | 39 ++++++++++++++++++++++++--------------- 1 file changed, 24 insertions(+), 15 deletions(-) diff --git a/lib/apiauth.php b/lib/apiauth.php index ac5e997c7..d441014ad 100644 --- a/lib/apiauth.php +++ b/lib/apiauth.php @@ -57,7 +57,6 @@ class ApiAuthAction extends ApiAction var $auth_user_password = null; var $access_token = null; var $oauth_source = null; - var $auth_user = null; /** * Take arguments for running, and output basic auth header if needed @@ -82,22 +81,27 @@ class ApiAuthAction extends ApiAction if (!empty($this->access_token)) { $this->checkOAuthRequest(); } else { - $this->checkBasicAuthUser(); + $this->checkBasicAuthUser(true); } } else { // Check to see if a basic auth user is there even // if one's not required - $this->checkBasicAuthUser(false); + if (empty($this->access_token)) { + $this->checkBasicAuthUser(false); + } } // Reject API calls with the wrong access level if ($this->isReadOnly($args) == false) { + + common_debug(get_class($this) . ' is not read-only!'); + if ($this->access != self::READ_WRITE) { - $msg = 'API resource requires read-write access, ' . - 'but you only have read access.'; + $msg = _('API resource requires read-write access, ' . + 'but you only have read access.'); $this->clientError($msg, 401, $this->format); exit; } @@ -176,7 +180,7 @@ class ApiAuthAction extends ApiAction ($this->access = self::READ_WRITE) ? 'read-write' : 'read-only' )); - return true; + return; } else { throw new OAuthException('Bad access token.'); } @@ -228,9 +232,14 @@ class ApiAuthAction extends ApiAction } else { + $user = common_check_user($this->auth_user_nickname, + $this->auth_user_password); + if (Event::handle('StartSetApiUser', array(&$user))) { - $this->auth_user = common_check_user($this->auth_user_nickname, - $this->auth_user_password); + + if (!empty($user)) { + $this->auth_user = $user; + } Event::handle('EndSetApiUser', array($user)); } @@ -239,18 +248,18 @@ class ApiAuthAction extends ApiAction $this->access = self::READ_WRITE; - if (empty($this->auth_user)) { + if (empty($this->auth_user) && $required) { // basic authentication failed list($proxy, $ip) = common_client_ip(); - common_log( - LOG_WARNING, - 'Failed API auth attempt, nickname = ' . - "$nickname, proxy = $proxy, ip = $ip." - ); - + $msg = sprintf(_('Failed API auth attempt, nickname = %1$s, ' . + 'proxy = %2$s, ip = %3$s'), + $this->auth_user_nickname, + $proxy, + $ip); + common_log(LOG_WARNING, $msg); $this->showAuthError(); exit; } -- cgit v1.2.3-54-g00ecf From b6dea910fcd3cafcec8d16ac621aaae02209052e Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Thu, 28 Jan 2010 04:46:10 +0000 Subject: Move faceboookapp.js to the Facebook plugin --- js/facebookapp.js | 33 --------------------------------- plugins/Facebook/facebookaction.php | 4 +--- plugins/Facebook/facebookapp.js | 33 +++++++++++++++++++++++++++++++++ 3 files changed, 34 insertions(+), 36 deletions(-) delete mode 100644 js/facebookapp.js create mode 100644 plugins/Facebook/facebookapp.js diff --git a/js/facebookapp.js b/js/facebookapp.js deleted file mode 100644 index 5deb6e42b..000000000 --- a/js/facebookapp.js +++ /dev/null @@ -1,33 +0,0 @@ -/* -* StatusNet - a distributed open-source microblogging tool -* Copyright (C) 2008, StatusNet, Inc. -* -* This program is free software: you can redistribute it and/or modify -* it under the terms of the GNU Affero General Public License as published by -* the Free Software Foundation, either version 3 of the License, or -* (at your option) any later version. -* -* This program is distributed in the hope that it will be useful, -* but WITHOUT ANY WARRANTY; without even the implied warranty of -* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the -* GNU Affero General Public License for more details. -* -* You should have received a copy of the GNU Affero General Public License -* along with this program. If not, see . -*/ - -var max = 140; -var noticeBox = document.getElementById('notice_data-text'); - -if (noticeBox) { - noticeBox.addEventListener('keyup', keypress); - noticeBox.addEventListener('keydown', keypress); - noticeBox.addEventListener('keypress', keypress); - noticeBox.addEventListener('change', keypress); -} - -// Do our the countdown -function keypress(evt) { - document.getElementById('notice_text-count').setTextValue( - max - noticeBox.getValue().length); -} diff --git a/plugins/Facebook/facebookaction.php b/plugins/Facebook/facebookaction.php index 389e1ea81..8437a705a 100644 --- a/plugins/Facebook/facebookaction.php +++ b/plugins/Facebook/facebookaction.php @@ -89,7 +89,7 @@ class FacebookAction extends Action function showScripts() { - $this->script('facebookapp.js'); + $this->script(common_path('plugins/Facebook/facebookapp.js')); } /** @@ -397,8 +397,6 @@ class FacebookAction extends Action return; } - - } } diff --git a/plugins/Facebook/facebookapp.js b/plugins/Facebook/facebookapp.js new file mode 100644 index 000000000..5deb6e42b --- /dev/null +++ b/plugins/Facebook/facebookapp.js @@ -0,0 +1,33 @@ +/* +* StatusNet - a distributed open-source microblogging tool +* Copyright (C) 2008, StatusNet, Inc. +* +* This program is free software: you can redistribute it and/or modify +* it under the terms of the GNU Affero General Public License as published by +* the Free Software Foundation, either version 3 of the License, or +* (at your option) any later version. +* +* This program is distributed in the hope that it will be useful, +* but WITHOUT ANY WARRANTY; without even the implied warranty of +* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +* GNU Affero General Public License for more details. +* +* You should have received a copy of the GNU Affero General Public License +* along with this program. If not, see . +*/ + +var max = 140; +var noticeBox = document.getElementById('notice_data-text'); + +if (noticeBox) { + noticeBox.addEventListener('keyup', keypress); + noticeBox.addEventListener('keydown', keypress); + noticeBox.addEventListener('keypress', keypress); + noticeBox.addEventListener('change', keypress); +} + +// Do our the countdown +function keypress(evt) { + document.getElementById('notice_text-count').setTextValue( + max - noticeBox.getValue().length); +} -- cgit v1.2.3-54-g00ecf From 588f5ec36bdaf03cedc5799918ba4bceff52fa2d Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Thu, 28 Jan 2010 15:05:23 +0100 Subject: Removed unused variable assignment for avatar URL and added missing fn --- lib/noticelist.php | 5 +---- 1 file changed, 1 insertion(+), 4 deletions(-) diff --git a/lib/noticelist.php b/lib/noticelist.php index 78abf34a7..85c169716 100644 --- a/lib/noticelist.php +++ b/lib/noticelist.php @@ -555,11 +555,8 @@ class NoticeListItem extends Widget $this->out->raw(_('Repeated by')); - $avatar = $repeater->getAvatar(AVATAR_MINI_SIZE); - $this->out->elementStart('a', $attrs); - - $this->out->element('span', 'nickname', $repeater->nickname); + $this->out->element('span', 'fn nickname', $repeater->nickname); $this->out->elementEnd('a'); $this->out->elementEnd('span'); -- cgit v1.2.3-54-g00ecf From 17f2096d7060d3ed3e0c6992b526390e34980c08 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Thu, 28 Jan 2010 15:06:03 +0100 Subject: Removed avatar from repeat of username (matches noticelist) --- actions/showstream.php | 17 ----------------- 1 file changed, 17 deletions(-) diff --git a/actions/showstream.php b/actions/showstream.php index 90ff67073..c52919386 100644 --- a/actions/showstream.php +++ b/actions/showstream.php @@ -291,23 +291,6 @@ class ProfileNoticeListItem extends NoticeListItem $this->out->elementStart('span', 'repeat'); - $this->out->elementStart('a', $attrs); - - $avatar = $this->profile->getAvatar(AVATAR_MINI_SIZE); - - $this->out->element('img', array('src' => ($avatar) ? - $avatar->displayUrl() : - Avatar::defaultImage(AVATAR_MINI_SIZE), - 'class' => 'avatar photo', - 'width' => AVATAR_MINI_SIZE, - 'height' => AVATAR_MINI_SIZE, - 'alt' => - ($this->profile->fullname) ? - $this->profile->fullname : - $this->profile->nickname)); - - $this->out->elementEnd('a'); - $text_link = XMLStringer::estring('a', $attrs, $this->profile->nickname); $this->out->raw(sprintf(_('Repeat of %s'), $text_link)); -- cgit v1.2.3-54-g00ecf From ff99989441763125a6866930fb88d7ce5d867d88 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Thu, 28 Jan 2010 16:39:20 +0100 Subject: Fixed layout for powered by statusnet in biz --- theme/biz/css/base.css | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/theme/biz/css/base.css b/theme/biz/css/base.css index 6357e55b4..471ac580d 100644 --- a/theme/biz/css/base.css +++ b/theme/biz/css/base.css @@ -224,6 +224,15 @@ font-weight:bold; address img + .fn { display:none; } +address .poweredby { +float:left; +clear:left; +display:block; +position:relative; +top:7px; +margin-right:-47px; +} + #header { width:100%; -- cgit v1.2.3-54-g00ecf From 58eccdb5cfb4ae1f7c3a830dcda67c60af4fb42a Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Thu, 28 Jan 2010 16:41:28 +0100 Subject: Fixed layout when ad plugin is on for biz --- theme/biz/css/base.css | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/theme/biz/css/base.css b/theme/biz/css/base.css index 471ac580d..2d4ac85ba 100644 --- a/theme/biz/css/base.css +++ b/theme/biz/css/base.css @@ -396,7 +396,7 @@ margin-bottom:1em; } #content { -width:51.009%; +width:50%; min-height:259px; padding:1.795%; float:left; -- cgit v1.2.3-54-g00ecf From 16160ef1021348d36c5e8ec3c13a582f016a3ccb Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Thu, 28 Jan 2010 16:49:33 +0100 Subject: Updated geo sharing styles for biz --- theme/biz/css/base.css | 21 +++++++++++++++++++++ theme/biz/css/display.css | 15 ++++++++++++++- 2 files changed, 35 insertions(+), 1 deletion(-) diff --git a/theme/biz/css/base.css b/theme/biz/css/base.css index 2d4ac85ba..47845421a 100644 --- a/theme/biz/css/base.css +++ b/theme/biz/css/base.css @@ -518,6 +518,27 @@ margin-bottom:0; line-height:1.618; } +.form_notice #notice_data-geo_wrap label, +.form_notice #notice_data-geo_wrap input { +position:absolute; +top:25px; +right:4px; +left:auto; +cursor:pointer; +width:16px; +height:16px; +display:block; +} +.form_notice #notice_data-geo_wrap input { +visibility:hidden; +} +.form_notice #notice_data-geo_wrap label { +font-weight:normal; +font-size:1em; +margin-bottom:0; +text-indent:-9999px; +} + /* entity_profile */ .entity_profile { position:relative; diff --git a/theme/biz/css/display.css b/theme/biz/css/display.css index 7ea451576..7a53b02bf 100644 --- a/theme/biz/css/display.css +++ b/theme/biz/css/display.css @@ -60,6 +60,13 @@ input.submit, color:#FFFFFF; } +.form_notice label[for=notice_data-geo] { +background-position:0 -1780px; +} +.form_notice label[for=notice_data-geo].checked { +background-position:0 -1846px; +} + a, #site_nav_local_views .current a, div.notice-options input, @@ -115,6 +122,12 @@ text-indent:-9999px; outline:none; } +.form_notice label[for=notice_data-geo] { +background-image:url(../../base/images/icons/icons-01.gif); +background-repeat:no-repeat; +background-color:transparent; +} + #content { box-shadow:5px 7px 7px rgba(194, 194, 194, 0.3); -moz-box-shadow:5px 7px 7px rgba(194, 194, 194, 0.3); @@ -130,7 +143,7 @@ border-color:#FFFFFF; background-color:#FFFFFF; } -#site_nav_local_views li { +#site_nav_local_views li.current { box-shadow:3px 7px 5px rgba(194, 194, 194, 0.5); -moz-box-shadow:3px 7px 5px rgba(194, 194, 194, 0.5); -webkit-box-shadow:3px 7px 5px rgba(194, 194, 194, 0.5); -- cgit v1.2.3-54-g00ecf From ffd2e431a9fa9abbe91e33e207f3d28c34048919 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Thu, 28 Jan 2010 17:08:24 +0100 Subject: Updated biz theme to use the single icons file --- theme/biz/css/base.css | 20 +++---- theme/biz/css/display.css | 132 +++++++++++++++++++++++++++++++++++----------- 2 files changed, 110 insertions(+), 42 deletions(-) diff --git a/theme/biz/css/base.css b/theme/biz/css/base.css index 47845421a..4ce7b49ca 100644 --- a/theme/biz/css/base.css +++ b/theme/biz/css/base.css @@ -911,25 +911,21 @@ margin-right:11px; .notice-options a { float:left; } -.notice-options .notice_delete, .notice-options .notice_reply, +.notice-options .form_repeat, .notice-options .form_favor, -.notice-options .form_disfavor { -position:absolute; -top:0; +.notice-options .form_disfavor, +.notice-options .repeated { +float:left; +margin-left:14.2%; } .notice-options .form_favor, .notice-options .form_disfavor { -left:0; -} -.notice-options .notice_reply { -left:29px; -} -.notice-options .notice_delete { -right:0; +margin-left:0; } .notice-options input, -.notice-options a { +.notice-options a, +.notice-options .repeated { text-indent:-9999px; outline:none; } diff --git a/theme/biz/css/display.css b/theme/biz/css/display.css index 7a53b02bf..4dfd25a99 100644 --- a/theme/biz/css/display.css +++ b/theme/biz/css/display.css @@ -108,26 +108,63 @@ color:#333333; #form_notice.warning #notice_text-count { color:#000000; } -#form_notice label[for=notice_data-attach] { -background:transparent url(../../base/images/icons/twotone/green/clip-01.gif) no-repeat 0 45%; +.form_notice label[for=notice_data-attach] { +background-position:0 -328px; } -#form_notice #notice_data-attach { +.form_notice #notice_data-attach { opacity:0; } -#wrap form.processing input.submit { -background:#FFFFFF url(../../base/images/icons/icon_processing.gif) no-repeat 47% 47%; -cursor:wait; -text-indent:-9999px; -outline:none; -} - -.form_notice label[for=notice_data-geo] { +.form_notice label[for=notice_data-attach], +#export_data li a.rss, +#export_data li a.atom, +#export_data li a.foaf, +.entity_edit a, +.entity_send-a-message a, +.entity_nudge p, +.form_user_nudge input.submit, +.form_user_block input.submit, +.form_user_unblock input.submit, +.form_group_block input.submit, +.form_group_unblock input.submit, +.form_make_admin input.submit, +.notice .attachment, +.notice-options .notice_reply, +.notice-options form.form_favor input.submit, +.notice-options form.form_disfavor input.submit, +.notice-options .notice_delete, +.notice-options form.form_repeat input.submit, +#new_group a, +.pagination .nav_prev a, +.pagination .nav_next a, +button.close, +.form_group_leave input.submit, +.form_user_unsubscribe input.submit, +.form_group_join input.submit, +.form_user_subscribe input.submit, +.entity_subscribe a, +.entity_moderation p, +.entity_sandbox input.submit, +.entity_silence input.submit, +.entity_delete input.submit, +.notice-options .repeated, +.form_notice label[for=notice_data-geo], +button.minimize, +.form_reset_key input.submit { background-image:url(../../base/images/icons/icons-01.gif); background-repeat:no-repeat; background-color:transparent; } +#wrap form.processing input.submit, +.entity_actions a.processing, +.dialogbox.processing .submit_dialogbox { +background:#FFFFFF url(../../base/images/icons/icon_processing.gif) no-repeat 47% 47%; +} +.notice-options .form_repeat.processing { +background-image:none; +} + #content { box-shadow:5px 7px 7px rgba(194, 194, 194, 0.3); -moz-box-shadow:5px 7px 7px rgba(194, 194, 194, 0.3); @@ -175,13 +212,13 @@ background-repeat:no-repeat; background-position:0 45%; } #export_data li a.rss { -background-image:url(../../base/images/icons/icon_rss.png); +background-position:0 -130px; } #export_data li a.atom { -background-image:url(../../base/images/icons/icon_atom.png); +background-position:0 -64px; } #export_data li a.foaf { -background-image:url(../../base/images/icons/icon_foaf.gif); +background-position:0 1px; } .entity_edit a, @@ -211,43 +248,65 @@ background-color:#87B4C8; } .entity_edit a { -background-image:url(../../base/images/icons/twotone/green/edit.gif); +background-position: 5px -718px; } .entity_send-a-message a { -background-image:url(../../base/images/icons/twotone/green/quote.gif); +background-position: 5px -852px; } + .entity_nudge p, .form_user_nudge input.submit { -background-image:url(../../base/images/icons/twotone/green/mail.gif); +background-position: 5px -785px; } .form_user_block input.submit, .form_user_unblock input.submit, .form_group_block input.submit, .form_group_unblock input.submit { -background-image:url(../../base/images/icons/twotone/green/shield.gif); +background-position: 5px -918px; } .form_make_admin input.submit { -background-image:url(../../base/images/icons/twotone/green/admin.gif); +background-position: 5px -983px; +} +.entity_moderation p { +background-position: 5px -1313px; +} +.entity_sandbox input.submit { +background-position: 5px -1380px; +} +.entity_silence input.submit { +background-position: 5px -1445px; +} +.entity_delete input.submit { +background-position: 5px -1511px; +} +.form_reset_key input.submit { +background-position: 5px -1973px; } /* NOTICES */ .notice .attachment { -background:transparent url(../../base/images/icons/twotone/green/clip-02.gif) no-repeat 0 45%; +background-position:0 -394px; } #attachments .attachment { background:none; } .notice-options .notice_reply { -background:transparent url(../../base/images/icons/twotone/green/reply.gif) no-repeat 0 45%; +background-position:0 -592px; } .notice-options form.form_favor input.submit { -background:transparent url(../../base/images/icons/twotone/green/favourite.gif) no-repeat 0 45%; +background-position:0 -460px; } .notice-options form.form_disfavor input.submit { -background:transparent url(../../base/images/icons/twotone/green/disfavourite.gif) no-repeat 0 45%; +background-position:0 -526px; } .notice-options .notice_delete { -background:transparent url(../../base/images/icons/twotone/green/trash.gif) no-repeat 0 45%; +background-position:0 -658px; +} +.notice-options form.form_repeat input.submit { +background-position:0 -1582px; +} +.notice-options .repeated { +background-position:0 -1648px; } .notices div.entry-content, @@ -284,19 +343,32 @@ background-color:rgba(200, 200, 200, 0.300); /*END: NOTICES */ #new_group a { -background:transparent url(../../base/images/icons/twotone/green/news.gif) no-repeat 0 45%; +background-position:0 -1054px; } .pagination .nav_prev a, .pagination .nav_next a { background-repeat:no-repeat; -border-color:#CEE1E9; +box-shadow:3px 3px 3px rgba(194, 194, 194, 0.3); +-moz-box-shadow:3px 3px 3px rgba(194, 194, 194, 0.3); +-webkit-box-shadow:3px 3px 3px rgba(194, 194, 194, 0.3); } .pagination .nav_prev a { -background-image:url(../../base/images/icons/twotone/green/arrow-left.gif); -background-position:10% 45%; +background-position:10% -187px; } .pagination .nav_next a { -background-image:url(../../base/images/icons/twotone/green/arrow-right.gif); -background-position:90% 45%; +background-position:105% -252px; +} +.pagination .nav .processing { +background-image:url(../../base/images/icons/icon_processing.gif); +box-shadow:none; +-moz-box-shadow:none; +-webkit-box-shadow:none; +outline:none; +} +.pagination .nav_next a.processing { +background-position:90% 47%; +} +.pagination .nav_prev a.processing { +background-position:10% 47%; } -- cgit v1.2.3-54-g00ecf From c88979d359c614911a21e0d95fa9ad1f17af5119 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Thu, 28 Jan 2010 17:09:35 +0100 Subject: Updated biz theme to hide form_repeat legend --- theme/biz/css/base.css | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/theme/biz/css/base.css b/theme/biz/css/base.css index 4ce7b49ca..ec8ca22f5 100644 --- a/theme/biz/css/base.css +++ b/theme/biz/css/base.css @@ -942,17 +942,18 @@ padding-left:16px; width:16px; padding:2px 0; } +.notice-options .form_repeat legend, .notice-options .form_favor legend, .notice-options .form_disfavor legend { display:none; } +.notice-options .form_repeat fieldset, .notice-options .form_favor fieldset, .notice-options .form_disfavor fieldset { border:0; padding:0; } - #usergroups #new_group { float: left; margin-right: 2em; -- cgit v1.2.3-54-g00ecf From 8add14b04607c449eabc59a9579fdc56eb4883a8 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Thu, 28 Jan 2010 17:12:48 +0100 Subject: Updated biz theme notice options --- theme/biz/css/base.css | 20 ++++++++++++++++---- 1 file changed, 16 insertions(+), 4 deletions(-) diff --git a/theme/biz/css/base.css b/theme/biz/css/base.css index ec8ca22f5..d5873b0b0 100644 --- a/theme/biz/css/base.css +++ b/theme/biz/css/base.css @@ -903,9 +903,10 @@ text-transform:lowercase; .notice-options { position:relative; font-size:0.95em; -width:90px; +width:113px; float:right; -margin-right:11px; +margin-top:3px; +margin-right:4px; } .notice-options a { @@ -936,11 +937,17 @@ border:0; .notice-options .notice_reply, .notice-options .notice_delete { text-decoration:none; -padding-left:16px; +} +.notice .notice-options .notice_delete { +float:right; } .notice-options form input.submit { width:16px; -padding:2px 0; +height:16px; +padding:0; +border-radius:0; +-moz-border-radius:0; +-webkit-border-radius:0; } .notice-options .form_repeat legend, .notice-options .form_favor legend, @@ -953,6 +960,11 @@ display:none; border:0; padding:0; } +.notice-options a, +.notice-options .repeated { +width:16px; +height:16px; +} #usergroups #new_group { float: left; -- cgit v1.2.3-54-g00ecf From 09b62f01445ba4bc3d4e3809359bc16ccfdb0260 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Thu, 28 Jan 2010 17:16:11 +0100 Subject: Updated biz theme to use dialogbox styles --- theme/biz/css/base.css | 43 +++++++++++++++++++++++++++++++++++++++++++ theme/biz/css/display.css | 40 +++++++++++++++++++++++++--------------- 2 files changed, 68 insertions(+), 15 deletions(-) diff --git a/theme/biz/css/base.css b/theme/biz/css/base.css index d5873b0b0..a8834ca57 100644 --- a/theme/biz/css/base.css +++ b/theme/biz/css/base.css @@ -900,6 +900,49 @@ display:inline-block; text-transform:lowercase; } +.dialogbox { +position:absolute; +top:-4px; +right:29px; +z-index:9; +min-width:199px; +float:none; +background-color:#FFF; +padding:11px; +border-radius:7px; +-moz-border-radius:7px; +-webkit-border-radius:7px; +border-style:solid; +border-width:1px; +border-color:#DDDDDD; +-moz-box-shadow:3px 7px 5px rgba(194, 194, 194, 0.7); +} + +.dialogbox legend { +display:block !important; +margin-right:18px; +} + +.dialogbox button.close { +position:absolute; +right:3px; +top:3px; +} + +.dialogbox .submit_dialogbox { +font-weight:bold; +text-indent:0; +min-width:46px; +} + +#wrap form.processing input.submit, +.entity_actions a.processing, +.dialogbox.processing .submit_dialogbox { +cursor:wait; +outline:none; +text-indent:-9999px; +} + .notice-options { position:relative; font-size:0.95em; diff --git a/theme/biz/css/display.css b/theme/biz/css/display.css index 4dfd25a99..52f36ab54 100644 --- a/theme/biz/css/display.css +++ b/theme/biz/css/display.css @@ -40,24 +40,34 @@ border-color:#DDDDDD; background:none; } -input.submit, -#form_notice.warning #notice_text-count, -.form_settings .form_note, -.entity_remote_subscribe { -background-color:#9BB43E; +input.submit { +color:#FFFFFF; } - -input:focus, textarea:focus, select:focus, -#form_notice.warning #notice_data-text { -border-color:#9BB43E; -box-shadow:3px 3px 3px rgba(194, 194, 194, 0.3); --moz-box-shadow:3px 3px 3px rgba(194, 194, 194, 0.3); --webkit-box-shadow:3px 3px 3px rgba(194, 194, 194, 0.3); +.entity_actions input.submit { +border-color:transparent; +text-shadow:none; } +.dialogbox .submit_dialogbox, input.submit, -.entity_remote_subscribe, -#site_nav_local_views a { -color:#FFFFFF; +.form_notice input.submit { +background:#AAAAAA url(../../base/images/illustrations/illu_pattern-01.png) 0 0 repeat-x; +text-shadow:0 1px 0 #FFFFFF; +color:#000000; +border-color:#AAAAAA; +border-top-color:#CCCCCC; +border-left-color:#CCCCCC; +} +.dialogbox .submit_dialogbox:hover, +input.submit:hover { +background-position:0 -5px; +} +.dialogbox .submit_dialogbox:focus, +input.submit:focus { +background-position:0 -15px; +box-shadow:3px 3px 3px rgba(194, 194, 194, 0.1); +-moz-box-shadow:3px 3px 3px rgba(194, 194, 194, 0.1); +-webkit-box-shadow:3px 3px 3px rgba(194, 194, 194, 0.1); +text-shadow:none; } .form_notice label[for=notice_data-geo] { -- cgit v1.2.3-54-g00ecf From 87fad943e6546c6d8cfe6a56fab37534fec09ff7 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Thu, 28 Jan 2010 17:22:01 +0100 Subject: Updated biz theme entity_actions styles --- theme/biz/css/base.css | 102 +++++++++++++++++++++++++++++++++++----------- theme/biz/css/display.css | 41 ++++++++++--------- 2 files changed, 100 insertions(+), 43 deletions(-) diff --git a/theme/biz/css/base.css b/theme/biz/css/base.css index a8834ca57..bd70c083e 100644 --- a/theme/biz/css/base.css +++ b/theme/biz/css/base.css @@ -605,8 +605,9 @@ display:none; /*entity_actions*/ .entity_actions { float:right; -margin-left:4.35%; -max-width:25%; +margin-left:2%; +margin-bottom:18px; +min-width:21%; } .entity_actions h2 { display:none; @@ -615,7 +616,7 @@ display:none; list-style-type:none; } .entity_actions li { -margin-bottom:4px; +margin-bottom:7px; } .entity_actions li:first-child { border-top:0; @@ -633,40 +634,95 @@ display:block; text-align:left; width:100%; } -.entity_actions a, -.entity_nudge p, -.entity_remote_subscribe { +.entity_actions a { text-decoration:none; font-weight:bold; display:block; } +.entity_actions a, +.entity_actions input { +border-radius:4px; +-moz-border-radius:4px; +-webkit-border-radius:4px; +} -.form_user_block input.submit, -.form_user_unblock input.submit, -.entity_send-a-message a, -.entity_edit a, -.form_user_nudge input.submit, -.entity_nudge p { -border:0; -padding-left:20px; +.entity_actions a, +.entity_actions input, +.entity_actions p { +border-width:2px; +border-style:solid; +padding-left:23px; +} + +.entity_actions a, +.entity_actions p { +padding:2px 4px 1px 26px; } -.entity_edit a, -.entity_send-a-message a, -.entity_nudge p { -padding:4px 4px 4px 23px; +.entity_actions .accept { +margin-bottom:18px; } -.entity_remote_subscribe { -padding:4px; -border-width:2px; +.entity_send-a-message button { +position:absolute; +top:3px; +right:3px; +} + +.entity_send-a-message .form_notice { +position:absolute; +top:34px; +right:-1px; +padding:1.795%; +width:65%; +z-index:2; + border-radius:7px; +-moz-border-radius:7px; +-webkit-border-radius:7px; +border-width:1px; border-style:solid; +} +.entity_send-a-message .form_notice legend { +display:block; +margin-bottom:11px; +} + +.entity_send-a-message .form_notice label, +.entity_send-a-message .form_notice select { +display:none; +} +.entity_send-a-message .form_notice input.submit { +text-align:center; +} + +.entity_moderation { +position:relative; +} +.entity_moderation p { border-radius:4px; -moz-border-radius:4px; -webkit-border-radius:4px; +font-weight:bold; +padding-bottom:2px; +margin-bottom:7px; } -.entity_actions .accept { -margin-bottom:18px; +.entity_moderation ul { +display:none; +} +.entity_moderation:hover ul { +display:block; +min-width:21%; +width:100%; +padding:11px; +position:absolute; +top:-1px; +right:-1px; +z-index:1; +border-width:1px; +border-style:solid; +border-radius:7px; +-moz-border-radius:7px; +-webkit-border-radius:7px; } .entity_tags ul { diff --git a/theme/biz/css/display.css b/theme/biz/css/display.css index 52f36ab54..7fd78470f 100644 --- a/theme/biz/css/display.css +++ b/theme/biz/css/display.css @@ -186,7 +186,9 @@ box-shadow:5px 7px 7px rgba(194, 194, 194, 0.3); border-color:#FFFFFF; } #content, -#site_nav_local_views .current a { +#site_nav_local_views .current a, +.entity_send-a-message .form_notice, +.entity_moderation:hover ul { background-color:#FFFFFF; } @@ -231,30 +233,22 @@ background-position:0 -64px; background-position:0 1px; } -.entity_edit a, -.entity_send-a-message a, -.form_user_nudge input.submit, -.form_user_block input.submit, -.form_user_unblock input.submit, -.form_group_block input.submit, -.form_group_unblock input.submit, -.entity_nudge p, -.form_make_admin input.submit { -background-position: 0 40%; -background-repeat: no-repeat; -background-color:transparent; -} .form_group_join input.submit, -.form_group_leave input.submit +.form_group_leave input.submit, .form_user_subscribe input.submit, -.form_user_unsubscribe input.submit { -background-color:#9BB43E; +.form_user_unsubscribe input.submit, +.entity_subscribe a { +background-color:#AAAAAA; color:#FFFFFF; } -.form_user_unsubscribe input.submit, .form_group_leave input.submit, -.form_user_authorization input.reject { -background-color:#87B4C8; +.form_user_unsubscribe input.submit { +background-position:5px -1246px; +} +.form_group_join input.submit, +.form_user_subscribe input.submit, +.entity_subscribe a { +background-position:5px -1181px; } .entity_edit a { @@ -263,6 +257,12 @@ background-position: 5px -718px; .entity_send-a-message a { background-position: 5px -852px; } +.entity_send-a-message .form_notice, +.entity_moderation:hover ul { +box-shadow:3px 7px 5px rgba(194, 194, 194, 0.7); +-moz-box-shadow:3px 7px 5px rgba(194, 194, 194, 0.7); +-webkit-box-shadow:3px 7px 5px rgba(194, 194, 194, 0.7); +} .entity_nudge p, .form_user_nudge input.submit { @@ -293,6 +293,7 @@ background-position: 5px -1511px; background-position: 5px -1973px; } + /* NOTICES */ .notice .attachment { background-position:0 -394px; -- cgit v1.2.3-54-g00ecf From 325b893bd8e092db2110eef582260d41110c8608 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Thu, 28 Jan 2010 17:28:11 +0100 Subject: Update to biz theme's input styles --- theme/biz/css/display.css | 69 +++++++++++++++++++++++++++++++++++++---------- 1 file changed, 55 insertions(+), 14 deletions(-) diff --git a/theme/biz/css/display.css b/theme/biz/css/display.css index 7fd78470f..0b7c17de7 100644 --- a/theme/biz/css/display.css +++ b/theme/biz/css/display.css @@ -25,14 +25,33 @@ address { margin-right:7.18%; } +input, textarea, select { +border-width:2px; +border-style: solid; +border-radius:4px; +-moz-border-radius:4px; +-webkit-border-radius:4px; +} input, textarea, select, option { font-family: "Lucida Sans Unicode", "Lucida Grande", sans-serif; } -input, textarea, select, -.entity_remote_subscribe { +input, textarea, select { border-color:#AAAAAA; } -#filter_tags ul li { + +.form_settings fieldset fieldset { +background:rgba(240, 240, 240, 0.2); +box-shadow:3px 3px 7px rgba(194, 194, 194, 0.3); +-moz-box-shadow:3px 3px 7px rgba(194, 194, 194, 0.3); +-webkit-box-shadow:3px 3px 7px rgba(194, 194, 194, 0.3); +} + +#filter_tags ul li, +.entity_send-a-message .form_notice, +.pagination .nav_prev a, +.pagination .nav_next a, +.form_settings fieldset fieldset, +.entity_moderation:hover ul { border-color:#DDDDDD; } @@ -40,6 +59,34 @@ border-color:#DDDDDD; background:none; } +.form_notice.warning #notice_text-count, +.form_settings .form_note { +background-color:#9BB43E; +} +input.submit, +.form_notice.warning #notice_text-count, +.form_settings .form_note, +.entity_actions a, +.entity_actions input, +.entity_moderation p, +button { +box-shadow:3px 3px 3px rgba(194, 194, 194, 0.3); +-moz-box-shadow:3px 3px 3px rgba(194, 194, 194, 0.3); +-webkit-box-shadow:3px 3px 3px rgba(194, 194, 194, 0.3); +} +.entity_actions a, +.entity_actions input, +.entity_actions p { +border-color:transparent; +background-color:transparent; +} +input:focus, textarea:focus, select:focus, +.form_notice.warning #notice_data-text, +.form_notice.warning #notice_text-count, +.form_settings .form_note { +border-color:#9BB43E; +} + input.submit { color:#FFFFFF; } @@ -78,18 +125,12 @@ background-position:0 -1846px; } a, -#site_nav_local_views .current a, -div.notice-options input, -.form_user_block input.submit, -.form_user_unblock input.submit, -.form_group_block input.submit, -.form_group_unblock input.submit, -.entity_send-a-message a, -.form_user_nudge input.submit, -.entity_nudge p, .form_settings input.form_action-primary, -.form_make_admin input.submit { -color:#002E6E; +.notice-options input, +.entity_actions a, +.entity_actions input, +.entity_moderation p { +color:#002FA7; } #header a, -- cgit v1.2.3-54-g00ecf From a8555dc3a65299190826075805ca02462a5f4c7d Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Thu, 28 Jan 2010 17:32:24 +0100 Subject: Update to biz theme button close and minimize styles --- theme/biz/css/base.css | 17 +++++++++++++++++ theme/biz/css/display.css | 7 +++++++ 2 files changed, 24 insertions(+) diff --git a/theme/biz/css/base.css b/theme/biz/css/base.css index bd70c083e..8a34425be 100644 --- a/theme/biz/css/base.css +++ b/theme/biz/css/base.css @@ -518,6 +518,11 @@ margin-bottom:0; line-height:1.618; } +.form_notice #notice_data-attach_selected button.close { +float:right; +font-size:0.8em; +} + .form_notice #notice_data-geo_wrap label, .form_notice #notice_data-geo_wrap input { position:absolute; @@ -539,6 +544,18 @@ margin-bottom:0; text-indent:-9999px; } +button.close, +button.minimize { +width:16px; +height:16px; +text-indent:-9999px; +padding:0; +border:0; +text-align:center; +font-weight:bold; +cursor:pointer; +} + /* entity_profile */ .entity_profile { position:relative; diff --git a/theme/biz/css/display.css b/theme/biz/css/display.css index 0b7c17de7..7768d5146 100644 --- a/theme/biz/css/display.css +++ b/theme/biz/css/display.css @@ -256,6 +256,13 @@ background-color:#F7E8E8; background-color:#EFF3DC; } +button.close { +background-position:0 -1120px; +} +button.minimize { +background-position:0 -1912px; +} + #anon_notice { color:#FFFFFF; } -- cgit v1.2.3-54-g00ecf From 919dfeeb93a5c749eda3bf10dc8f1189d67d301a Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Thu, 28 Jan 2010 17:36:33 +0100 Subject: Update to notice item in biz theme --- theme/biz/css/base.css | 26 +++++++++++++++++++++++--- 1 file changed, 23 insertions(+), 3 deletions(-) diff --git a/theme/biz/css/base.css b/theme/biz/css/base.css index 8a34425be..366339db2 100644 --- a/theme/biz/css/base.css +++ b/theme/biz/css/base.css @@ -903,6 +903,16 @@ float:left; #shownotice .vcard .photo { margin-bottom:4px; } +#content .notice .author .photo { +position:absolute; +top:11px; +left:0; +float:none; +} +#content .notice .entry-title { +margin-left:59px; +} + .vcard .url { text-decoration:none; } @@ -911,12 +921,22 @@ text-decoration:underline; } .notice .entry-title { -float:left; -width:100%; overflow:hidden; } +.notice .entry-title.ov { +overflow:visible; +} +#showstream .notice .entry-title, +#showstream .notice div.entry-content { +margin-left:0; +} #shownotice .notice .entry-title { +margin-left:110px; font-size:2.2em; +min-height:123px; +} +#shownotice .notice div.entry-content { +margin-left:0; } .notice p.entry-content { @@ -939,7 +959,7 @@ clear:left; float:left; font-size:0.95em; margin-left:59px; -width:65%; +width:64%; } #showstream .notice div.entry-content, #shownotice .notice div.entry-content { -- cgit v1.2.3-54-g00ecf From d0f3fee65b3beb8f9c1e9cbb609422d2e7198091 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Thu, 28 Jan 2010 18:39:30 +0100 Subject: Update to aside styles in biz theme --- theme/biz/css/base.css | 2 +- theme/biz/css/display.css | 16 ++++++++++++++-- 2 files changed, 15 insertions(+), 3 deletions(-) diff --git a/theme/biz/css/base.css b/theme/biz/css/base.css index 366339db2..2c2ab33a0 100644 --- a/theme/biz/css/base.css +++ b/theme/biz/css/base.css @@ -422,7 +422,7 @@ float:left; width:29.917%; min-height:259px; float:left; -margin-left:0.385%; +margin-left:1%; } #form_notice { diff --git a/theme/biz/css/display.css b/theme/biz/css/display.css index 7768d5146..f133ac30b 100644 --- a/theme/biz/css/display.css +++ b/theme/biz/css/display.css @@ -138,10 +138,22 @@ color:#002FA7; color:#87B4C8; } + + .notice, -.profile { -border-top-color:#CEE1E9; +.profile, +.application, +#content tbody tr { +border-top-color:#C8D1D5; +} +.mark-top { +border-color:#AAAAAA; } + +#aside_primary { +background-color:#144A6E; +} + .section .profile { border-top-color:#87B4C8; } -- cgit v1.2.3-54-g00ecf From 664a82e836b6b5511e925c55983f122508c07232 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Thu, 28 Jan 2010 18:11:44 +0000 Subject: 'Sign in with Twitter' button img --- plugins/TwitterBridge/Sign-in-with-Twitter-lighter.png | Bin 0 -> 2490 bytes 1 file changed, 0 insertions(+), 0 deletions(-) create mode 100644 plugins/TwitterBridge/Sign-in-with-Twitter-lighter.png diff --git a/plugins/TwitterBridge/Sign-in-with-Twitter-lighter.png b/plugins/TwitterBridge/Sign-in-with-Twitter-lighter.png new file mode 100644 index 000000000..297bb0340 Binary files /dev/null and b/plugins/TwitterBridge/Sign-in-with-Twitter-lighter.png differ -- cgit v1.2.3-54-g00ecf From 8cdb319533a638a8f905cbc68c57bd4eca89a5aa Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Thu, 28 Jan 2010 18:34:25 +0000 Subject: Remove redundant session token field from form (was already being added by base class). --- lib/applicationeditform.php | 2 -- 1 file changed, 2 deletions(-) diff --git a/lib/applicationeditform.php b/lib/applicationeditform.php index 6f03a9bed..9b7d05861 100644 --- a/lib/applicationeditform.php +++ b/lib/applicationeditform.php @@ -168,8 +168,6 @@ class ApplicationEditForm extends Form $this->access_type = ''; } - $this->out->hidden('token', common_session_token()); - $this->out->elementStart('ul', 'form_data'); $this->out->elementStart('li', array('id' => 'application_icon')); -- cgit v1.2.3-54-g00ecf From 1001c8ffd7bc7c60bb0dd6caeef0b3dc72a74ed3 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Fri, 29 Jan 2010 00:07:54 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans --- locale/ar/LC_MESSAGES/statusnet.po | 92 +++++++++---------- locale/arz/LC_MESSAGES/statusnet.po | 92 +++++++++---------- locale/bg/LC_MESSAGES/statusnet.po | 90 +++++++++---------- locale/ca/LC_MESSAGES/statusnet.po | 90 +++++++++---------- locale/cs/LC_MESSAGES/statusnet.po | 90 +++++++++---------- locale/de/LC_MESSAGES/statusnet.po | 90 +++++++++---------- locale/el/LC_MESSAGES/statusnet.po | 90 +++++++++---------- locale/en_GB/LC_MESSAGES/statusnet.po | 92 +++++++++---------- locale/es/LC_MESSAGES/statusnet.po | 90 +++++++++---------- locale/fa/LC_MESSAGES/statusnet.po | 90 +++++++++---------- locale/fi/LC_MESSAGES/statusnet.po | 90 +++++++++---------- locale/fr/LC_MESSAGES/statusnet.po | 90 +++++++++---------- locale/ga/LC_MESSAGES/statusnet.po | 90 +++++++++---------- locale/he/LC_MESSAGES/statusnet.po | 90 +++++++++---------- locale/hsb/LC_MESSAGES/statusnet.po | 94 ++++++++++---------- locale/ia/LC_MESSAGES/statusnet.po | 90 +++++++++---------- locale/is/LC_MESSAGES/statusnet.po | 90 +++++++++---------- locale/it/LC_MESSAGES/statusnet.po | 90 +++++++++---------- locale/ja/LC_MESSAGES/statusnet.po | 161 ++++++++++++++++------------------ locale/ko/LC_MESSAGES/statusnet.po | 90 +++++++++---------- locale/mk/LC_MESSAGES/statusnet.po | 154 ++++++++++++++++---------------- locale/nb/LC_MESSAGES/statusnet.po | 90 +++++++++---------- locale/nl/LC_MESSAGES/statusnet.po | 150 ++++++++++++++++--------------- locale/nn/LC_MESSAGES/statusnet.po | 90 +++++++++---------- locale/pl/LC_MESSAGES/statusnet.po | 148 +++++++++++++++---------------- locale/pt/LC_MESSAGES/statusnet.po | 90 +++++++++---------- locale/pt_BR/LC_MESSAGES/statusnet.po | 92 +++++++++---------- locale/ru/LC_MESSAGES/statusnet.po | 146 +++++++++++++++--------------- locale/statusnet.po | 86 +++++++++--------- locale/sv/LC_MESSAGES/statusnet.po | 92 +++++++++---------- locale/te/LC_MESSAGES/statusnet.po | 93 ++++++++++---------- locale/tr/LC_MESSAGES/statusnet.po | 90 +++++++++---------- locale/uk/LC_MESSAGES/statusnet.po | 146 +++++++++++++++--------------- locale/vi/LC_MESSAGES/statusnet.po | 90 +++++++++---------- locale/zh_CN/LC_MESSAGES/statusnet.po | 90 +++++++++---------- locale/zh_TW/LC_MESSAGES/statusnet.po | 90 +++++++++---------- 36 files changed, 1836 insertions(+), 1782 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index f6aa348cc..51e378fac 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:58:20+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:04:06+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" @@ -65,7 +65,7 @@ msgstr "عطّل التسجيل الجديد." #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "أرسل" @@ -177,7 +177,7 @@ msgstr "" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -349,11 +349,11 @@ msgstr "لا يمكنك عدم متابعة Ù†Ùسك." msgid "Two user ids or screen_names must be supplied." msgstr "" -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 msgid "Could not determine source user." msgstr "" -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 msgid "Could not find target user." msgstr "تعذّر إيجاد المستخدم الهدÙ." @@ -493,11 +493,13 @@ msgid "Invalid nickname / password!" msgstr "اسم/كلمة سر غير صحيحة!" #: actions/apioauthauthorize.php:170 -msgid "DB error deleting OAuth app user." +#, fuzzy +msgid "Database error deleting OAuth application user." msgstr "خطأ قاعدة البيانات أثناء حذ٠المستخدم OAuth app" #: actions/apioauthauthorize.php:196 -msgid "DB error inserting OAuth app user." +#, fuzzy +msgid "Database error inserting OAuth application user." msgstr "خطأ قاعدة البيانات أثناء إدخال المستخدم OAuth app" #: actions/apioauthauthorize.php:231 @@ -529,13 +531,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "الحساب" @@ -730,7 +725,7 @@ msgid "Preview" msgstr "عاين" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "احذÙ" @@ -924,7 +919,7 @@ msgstr "أمتأكد من أنك تريد حذ٠هذا الإشعار؟" msgid "Do not delete this notice" msgstr "لا تحذ٠هذا الإشعار" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "احذ٠هذا الإشعار" @@ -1206,8 +1201,8 @@ msgid "" msgstr "" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "ألغÙ" @@ -2511,7 +2506,7 @@ msgid "Full name" msgstr "الاسم الكامل" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "الصÙحة الرئيسية" @@ -3008,7 +3003,7 @@ msgstr "لا يمكنك تكرار ملاحظتك الشخصية." msgid "You already repeated that notice." msgstr "أنت كررت هذه الملاحظة بالÙعل." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 msgid "Repeated" msgstr "مكرر" @@ -3084,21 +3079,21 @@ msgstr "يجب أن تكون مسجل الدخول لرؤية تطبيق." msgid "Application profile" msgstr "" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "أيقونة" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 msgid "Name" msgstr "الاسم" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 msgid "Organization" msgstr "المنظمة" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "الوصÙ" @@ -3388,7 +3383,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, php-format msgid "Repeat of %s" msgstr "تكرار Ù„%s" @@ -4460,64 +4455,73 @@ msgstr "ضبط التصميم" msgid "Paths configuration" msgstr "ضبط المسارات" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "عدّل التطبيق" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, php-format msgid "Describe your application in %d characters" msgstr "" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 msgid "Describe your application" msgstr "ص٠تطبيقك" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 msgid "Source URL" msgstr "مسار المصدر" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 msgid "URL of the homepage of this application" msgstr "" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 msgid "URL for the homepage of the organization" msgstr "" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5407,15 +5411,15 @@ msgstr "ÙÙŠ السياق" msgid "Repeated by" msgstr "مكرر بواسطة" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "رÙد على هذا الإشعار" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "رÙد" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 msgid "Notice repeated" msgstr "الإشعار مكرر" diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index 9ac285b14..1d17767a3 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:58:23+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:04:09+0000\n" "Language-Team: Egyptian Spoken Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: out-statusnet\n" @@ -65,7 +65,7 @@ msgstr "عطّل التسجيل الجديد." #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "أرسل" @@ -177,7 +177,7 @@ msgstr "" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -349,11 +349,11 @@ msgstr "لا يمكنك عدم متابعه Ù†Ùسك." msgid "Two user ids or screen_names must be supplied." msgstr "" -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 msgid "Could not determine source user." msgstr "" -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 msgid "Could not find target user." msgstr "تعذّر إيجاد المستخدم الهدÙ." @@ -493,11 +493,13 @@ msgid "Invalid nickname / password!" msgstr "اسم/كلمه سر غير صحيحة!" #: actions/apioauthauthorize.php:170 -msgid "DB error deleting OAuth app user." +#, fuzzy +msgid "Database error deleting OAuth application user." msgstr "خطأ قاعده البيانات أثناء حذ٠المستخدم OAuth app" #: actions/apioauthauthorize.php:196 -msgid "DB error inserting OAuth app user." +#, fuzzy +msgid "Database error inserting OAuth application user." msgstr "خطأ قاعده البيانات أثناء إدخال المستخدم OAuth app" #: actions/apioauthauthorize.php:231 @@ -529,13 +531,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "الحساب" @@ -730,7 +725,7 @@ msgid "Preview" msgstr "عاين" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "احذÙ" @@ -924,7 +919,7 @@ msgstr "أمتأكد من أنك تريد حذ٠هذا الإشعار؟" msgid "Do not delete this notice" msgstr "لا تحذ٠هذا الإشعار" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "احذ٠هذا الإشعار" @@ -1206,8 +1201,8 @@ msgid "" msgstr "" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "ألغÙ" @@ -2509,7 +2504,7 @@ msgid "Full name" msgstr "الاسم الكامل" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "الصÙحه الرئيسية" @@ -3006,7 +3001,7 @@ msgstr "لا يمكنك تكرار ملاحظتك الشخصيه." msgid "You already repeated that notice." msgstr "أنت كررت هذه الملاحظه بالÙعل." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 msgid "Repeated" msgstr "مكرر" @@ -3082,21 +3077,21 @@ msgstr "يجب أن تكون مسجل الدخول لرؤيه تطبيق." msgid "Application profile" msgstr "" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 msgid "Name" msgstr "الاسم" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 msgid "Organization" msgstr "المنظمة" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "الوصÙ" @@ -3386,7 +3381,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, php-format msgid "Repeat of %s" msgstr "تكرارات %s" @@ -4458,64 +4453,73 @@ msgstr "ضبط التصميم" msgid "Paths configuration" msgstr "ضبط المسارات" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, php-format msgid "Describe your application in %d characters" msgstr "" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 msgid "Describe your application" msgstr "اوص٠تطبيقك" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 msgid "Source URL" msgstr "مسار المصدر" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 msgid "URL of the homepage of this application" msgstr "" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 msgid "URL for the homepage of the organization" msgstr "" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5395,15 +5399,15 @@ msgstr "ÙÙ‰ السياق" msgid "Repeated by" msgstr "مكرر بواسطة" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "رÙد على هذا الإشعار" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "رÙد" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 msgid "Notice repeated" msgstr "الإشعار مكرر" diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index f7d2c9b34..339b60ee2 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:58:26+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:04:12+0000\n" "Language-Team: Bulgarian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: out-statusnet\n" @@ -64,7 +64,7 @@ msgstr "Изключване на новите региÑтрации." #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "Запазване" @@ -176,7 +176,7 @@ msgstr "Бележки от %1$s и приÑтели в %2$s." #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -355,12 +355,12 @@ msgstr "Ðе можете да Ñпрете да Ñледите Ñебе Ñи!" msgid "Two user ids or screen_names must be supplied." msgstr "ТрÑбва да Ñе дадат два идентификатора или имена на потребители." -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 #, fuzzy msgid "Could not determine source user." msgstr "Грешка при изтеглÑне на Ð¾Ð±Ñ‰Ð¸Ñ Ð¿Ð¾Ñ‚Ð¾Ðº" -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 msgid "Could not find target user." msgstr "ЦелевиÑÑ‚ потребител не беше открит." @@ -504,12 +504,12 @@ msgstr "Ðеправилно име или парола." #: actions/apioauthauthorize.php:170 #, fuzzy -msgid "DB error deleting OAuth app user." +msgid "Database error deleting OAuth application user." msgstr "Грешка в наÑтройките на потребителÑ." #: actions/apioauthauthorize.php:196 #, fuzzy -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "Грешка в базата от данни — отговор при вмъкването: %s" #: actions/apioauthauthorize.php:231 @@ -541,13 +541,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Сметка" @@ -745,7 +738,7 @@ msgid "Preview" msgstr "Преглед" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "Изтриване" @@ -942,7 +935,7 @@ msgstr "ÐаиÑтина ли иÑкате да изтриете тази бел msgid "Do not delete this notice" msgstr "Да не Ñе изтрива бележката" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "Изтриване на бележката" @@ -1244,8 +1237,8 @@ msgstr "" "Ñпам) за Ñъобщение Ñ ÑƒÐºÐ°Ð·Ð°Ð½Ð¸Ñ." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "Отказ" @@ -2638,7 +2631,7 @@ msgid "Full name" msgstr "Пълно име" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "Лична Ñтраница" @@ -3161,7 +3154,7 @@ msgstr "Ðе можете да повтарÑте ÑобÑтвена бележ msgid "You already repeated that notice." msgstr "Вече Ñте повторили тази бележка." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 msgid "Repeated" msgstr "Повторено" @@ -3241,23 +3234,23 @@ msgstr "За напуÑнете група, Ñ‚Ñ€Ñбва да Ñте влезл msgid "Application profile" msgstr "Бележката нÑма профил" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "ПÑевдоним" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Страниране" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "ОпиÑание" @@ -3544,7 +3537,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Отговори на %s" @@ -4675,68 +4668,77 @@ msgstr "ÐаÑтройка на оформлението" msgid "Paths configuration" msgstr "ÐаÑтройка на пътищата" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, fuzzy, php-format msgid "Describe your application in %d characters" msgstr "Опишете групата или темата в до %d букви" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 #, fuzzy msgid "Describe your application" msgstr "Опишете групата или темата" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 #, fuzzy msgid "Source URL" msgstr "Изходен код" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 #, fuzzy msgid "URL of the homepage of this application" msgstr "ÐÐ´Ñ€ÐµÑ Ð½Ð° Ñтраница, блог или профил в друг Ñайт на групата" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 #, fuzzy msgid "URL for the homepage of the organization" msgstr "ÐÐ´Ñ€ÐµÑ Ð½Ð° Ñтраница, блог или профил в друг Ñайт на групата" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5632,15 +5634,15 @@ msgstr "в контекÑÑ‚" msgid "Repeated by" msgstr "Повторено от" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "ОтговарÑне на тази бележка" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "Отговор" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 msgid "Notice repeated" msgstr "Бележката е повторена." diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index 2ae0c3311..64ec6a9a1 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:58:29+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:04:15+0000\n" "Language-Team: Catalan\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: out-statusnet\n" @@ -66,7 +66,7 @@ msgstr "Inhabilita els nous registres." #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "Guardar" @@ -180,7 +180,7 @@ msgstr "Actualitzacions de %1$s i amics a %2$s!" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -365,11 +365,11 @@ msgstr "No podeu suprimir els usuaris." msgid "Two user ids or screen_names must be supplied." msgstr "Dos ids d'usuari o screen_names has de ser substituïts." -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 msgid "Could not determine source user." msgstr "No s'ha pogut determinar l'usuari d'origen." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 #, fuzzy msgid "Could not find target user." msgstr "No es pot trobar cap estatus." @@ -516,12 +516,12 @@ msgstr "Nom d'usuari o contrasenya invàlids." #: actions/apioauthauthorize.php:170 #, fuzzy -msgid "DB error deleting OAuth app user." +msgid "Database error deleting OAuth application user." msgstr "Error en configurar l'usuari." #: actions/apioauthauthorize.php:196 #, fuzzy -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "Hashtag de l'error de la base de dades:%s" #: actions/apioauthauthorize.php:231 @@ -553,13 +553,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Compte" @@ -759,7 +752,7 @@ msgid "Preview" msgstr "Vista prèvia" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "Suprimeix" @@ -961,7 +954,7 @@ msgstr "N'estàs segur que vols eliminar aquesta notificació?" msgid "Do not delete this notice" msgstr "No es pot esborrar la notificació." -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "Eliminar aquesta nota" @@ -1258,8 +1251,8 @@ msgstr "" "carpeta de spam!) per al missatge amb les instruccions." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "Cancel·la" @@ -2663,7 +2656,7 @@ msgid "Full name" msgstr "Nom complet" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "Pàgina personal" @@ -3203,7 +3196,7 @@ msgstr "No pots registrar-te si no estàs d'acord amb la llicència." msgid "You already repeated that notice." msgstr "Ja heu blocat l'usuari." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 msgid "Repeated" msgstr "Repetit" @@ -3285,22 +3278,22 @@ msgstr "Has d'haver entrat per a poder marxar d'un grup." msgid "Application profile" msgstr "Avís sense perfil" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 msgid "Name" msgstr "Nom" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Paginació" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Descripció" @@ -3594,7 +3587,7 @@ msgstr "" "**%s** té un compte a %%%%site.name%%%%, un servei de [microblogging](http://" "ca.wikipedia.org/wiki/Microblogging) " -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, php-format msgid "Repeat of %s" msgstr "Repetició de %s" @@ -4723,68 +4716,77 @@ msgstr "Configuració del disseny" msgid "Paths configuration" msgstr "Configuració dels camins" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, fuzzy, php-format msgid "Describe your application in %d characters" msgstr "Descriu el grup amb 140 caràcters" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 #, fuzzy msgid "Describe your application" msgstr "Descriu el grup amb 140 caràcters" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 #, fuzzy msgid "Source URL" msgstr "Font" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 #, fuzzy msgid "URL of the homepage of this application" msgstr "URL del teu web, blog del grup u tema" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 #, fuzzy msgid "URL for the homepage of the organization" msgstr "URL del teu web, blog del grup u tema" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5680,15 +5682,15 @@ msgstr "en context" msgid "Repeated by" msgstr "Repetit per" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "respondre a aquesta nota" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "Respon" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 #, fuzzy msgid "Notice repeated" msgstr "Notificació publicada" diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index 9059001d7..b1113fc30 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:58:33+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:04:18+0000\n" "Language-Team: Czech\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: out-statusnet\n" @@ -67,7 +67,7 @@ msgstr "" #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "Uložit" @@ -181,7 +181,7 @@ msgstr "" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -361,12 +361,12 @@ msgstr "Nelze aktualizovat uživatele" msgid "Two user ids or screen_names must be supplied." msgstr "" -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 #, fuzzy msgid "Could not determine source user." msgstr "Nelze aktualizovat uživatele" -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 #, fuzzy msgid "Could not find target user." msgstr "Nelze aktualizovat uživatele" @@ -512,12 +512,12 @@ msgstr "Neplatné jméno nebo heslo" #: actions/apioauthauthorize.php:170 #, fuzzy -msgid "DB error deleting OAuth app user." +msgid "Database error deleting OAuth application user." msgstr "Chyba nastavení uživatele" #: actions/apioauthauthorize.php:196 #, fuzzy -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "Chyba v DB pÅ™i vkládání odpovÄ›di: %s" #: actions/apioauthauthorize.php:231 @@ -549,13 +549,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 #, fuzzy msgid "Account" @@ -759,7 +752,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "Odstranit" @@ -962,7 +955,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "Žádné takové oznámení." -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "Odstranit toto oznámení" @@ -1262,8 +1255,8 @@ msgid "" msgstr "" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "ZruÅ¡it" @@ -2641,7 +2634,7 @@ msgid "Full name" msgstr "Celé jméno" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "Moje stránky" @@ -3153,7 +3146,7 @@ msgstr "Nemůžete se registrovat, pokud nesouhlasíte s licencí." msgid "You already repeated that notice." msgstr "Již jste pÅ™ihlášen" -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 #, fuzzy msgid "Repeated" msgstr "VytvoÅ™it" @@ -3234,23 +3227,23 @@ msgstr "" msgid "Application profile" msgstr "SdÄ›lení nemá profil" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "PÅ™ezdívka" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "UmístÄ›ní" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 #, fuzzy msgid "Description" msgstr "OdbÄ›ry" @@ -3541,7 +3534,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, fuzzy, php-format msgid "Repeat of %s" msgstr "OdpovÄ›di na %s" @@ -4677,68 +4670,77 @@ msgstr "Potvrzení emailové adresy" msgid "Paths configuration" msgstr "Potvrzení emailové adresy" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, fuzzy, php-format msgid "Describe your application in %d characters" msgstr "PopiÅ¡ sebe a své zájmy ve 140 znacích" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 #, fuzzy msgid "Describe your application" msgstr "PopiÅ¡ sebe a své zájmy ve 140 znacích" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 #, fuzzy msgid "Source URL" msgstr "Zdroj" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 #, fuzzy msgid "URL of the homepage of this application" msgstr "Adresa vaÅ¡ich stránek, blogu nebo profilu na jiných stránkách." -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 #, fuzzy msgid "URL for the homepage of the organization" msgstr "Adresa vaÅ¡ich stránek, blogu nebo profilu na jiných stránkách." -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5646,16 +5648,16 @@ msgstr "Žádný obsah!" msgid "Repeated by" msgstr "VytvoÅ™it" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 #, fuzzy msgid "Reply" msgstr "odpovÄ›Ä" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 #, fuzzy msgid "Notice repeated" msgstr "SdÄ›lení" diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index e000f3406..0b8e9d2cc 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:58:36+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:04:21+0000\n" "Language-Team: German\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: out-statusnet\n" @@ -71,7 +71,7 @@ msgstr "" #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "Speichern" @@ -193,7 +193,7 @@ msgstr "Aktualisierungen von %1$s und Freunden auf %2$s!" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -368,11 +368,11 @@ msgstr "Du kannst dich nicht selbst entfolgen!" msgid "Two user ids or screen_names must be supplied." msgstr "Zwei IDs oder Benutzernamen müssen angegeben werden." -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 msgid "Could not determine source user." msgstr "Konnte öffentlichen Stream nicht abrufen." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 msgid "Could not find target user." msgstr "Konnte keine Statusmeldungen finden." @@ -517,12 +517,12 @@ msgstr "Benutzername oder Passwort falsch." #: actions/apioauthauthorize.php:170 #, fuzzy -msgid "DB error deleting OAuth app user." +msgid "Database error deleting OAuth application user." msgstr "Fehler bei den Nutzereinstellungen." #: actions/apioauthauthorize.php:196 #, fuzzy -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "Datenbankfehler beim Einfügen des Hashtags: %s" #: actions/apioauthauthorize.php:231 @@ -554,13 +554,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Konto" @@ -760,7 +753,7 @@ msgid "Preview" msgstr "Vorschau" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "Löschen" @@ -958,7 +951,7 @@ msgstr "Bist du sicher, dass du diese Nachricht löschen möchtest?" msgid "Do not delete this notice" msgstr "Diese Nachricht nicht löschen" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "Nachricht löschen" @@ -1257,8 +1250,8 @@ msgstr "" "(auch den Spam-Ordner) auf eine Nachricht mit weiteren Instruktionen." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "Abbrechen" @@ -2663,7 +2656,7 @@ msgid "Full name" msgstr "Vollständiger Name" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "Homepage" @@ -3199,7 +3192,7 @@ msgstr "" msgid "You already repeated that notice." msgstr "Du hast diesen Benutzer bereits blockiert." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 #, fuzzy msgid "Repeated" msgstr "Erstellt" @@ -3286,23 +3279,23 @@ msgstr "Du musst angemeldet sein, um aus einer Gruppe auszutreten." msgid "Application profile" msgstr "Nachricht hat kein Profil" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "Nutzername" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Seitenerstellung" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Beschreibung" @@ -3601,7 +3594,7 @@ msgstr "" "(http://de.wikipedia.org/wiki/Mikro-blogging) basierend auf der Freien " "Software [StatusNet](http://status.net/). " -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Antworten an %s" @@ -4747,68 +4740,77 @@ msgstr "SMS-Konfiguration" msgid "Paths configuration" msgstr "SMS-Konfiguration" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, fuzzy, php-format msgid "Describe your application in %d characters" msgstr "Beschreibe die Gruppe oder das Thema in 140 Zeichen" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 #, fuzzy msgid "Describe your application" msgstr "Beschreibe die Gruppe oder das Thema in 140 Zeichen" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 #, fuzzy msgid "Source URL" msgstr "Quellcode" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 #, fuzzy msgid "URL of the homepage of this application" msgstr "URL der Homepage oder Blogs der Gruppe oder des Themas" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 #, fuzzy msgid "URL for the homepage of the organization" msgstr "URL der Homepage oder Blogs der Gruppe oder des Themas" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5762,15 +5764,15 @@ msgstr "im Zusammenhang" msgid "Repeated by" msgstr "Erstellt" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "Auf diese Nachricht antworten" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "Antworten" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 #, fuzzy msgid "Notice repeated" msgstr "Nachricht gelöscht." diff --git a/locale/el/LC_MESSAGES/statusnet.po b/locale/el/LC_MESSAGES/statusnet.po index 23034c0a8..7f8f70950 100644 --- a/locale/el/LC_MESSAGES/statusnet.po +++ b/locale/el/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:58:39+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:04:24+0000\n" "Language-Team: Greek\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: el\n" "X-Message-Group: out-statusnet\n" @@ -64,7 +64,7 @@ msgstr "" #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "" @@ -176,7 +176,7 @@ msgstr "" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -355,12 +355,12 @@ msgstr "Δεν μποÏείτε να εμποδίσετε τον εαυτό σα msgid "Two user ids or screen_names must be supplied." msgstr "" -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 #, fuzzy msgid "Could not determine source user." msgstr "Απέτυχε η ενημέÏωση του χÏήστη." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 #, fuzzy msgid "Could not find target user." msgstr "Απέτυχε η εÏÏεση οποιασδήποτε κατάστασης." @@ -502,12 +502,12 @@ msgstr "" #: actions/apioauthauthorize.php:170 #, fuzzy -msgid "DB error deleting OAuth app user." +msgid "Database error deleting OAuth application user." msgstr "Σφάλμα στη βάση δεδομένων κατά την εισαγωγή hashtag: %s" #: actions/apioauthauthorize.php:196 #, fuzzy -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "Σφάλμα στη βάση δεδομένων κατά την εισαγωγή hashtag: %s" #: actions/apioauthauthorize.php:231 @@ -539,13 +539,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "ΛογαÏιασμός" @@ -742,7 +735,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "ΔιαγÏαφή" @@ -943,7 +936,7 @@ msgstr "Είσαι σίγουÏος ότι θες να διαγÏάψεις αυ msgid "Do not delete this notice" msgstr "Αδυναμία διαγÏαφής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… μηνÏματος." -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "" @@ -1242,8 +1235,8 @@ msgstr "" "φάκελο spam!) για μήνυμα με πεÏαιτέÏω οδηγίες. " #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "ΑκÏÏωση" @@ -2589,7 +2582,7 @@ msgid "Full name" msgstr "Ονοματεπώνυμο" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "ΑÏχική σελίδα" @@ -3113,7 +3106,7 @@ msgstr "" msgid "You already repeated that notice." msgstr "Αδυναμία διαγÏαφής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… μηνÏματος." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 #, fuzzy msgid "Repeated" msgstr "ΔημιουÏγία" @@ -3191,23 +3184,23 @@ msgstr "" msgid "Application profile" msgstr "" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "Ψευδώνυμο" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "ΠÏοσκλήσεις" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "ΠεÏιγÏαφή" @@ -3495,7 +3488,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, php-format msgid "Repeat of %s" msgstr "" @@ -4591,65 +4584,74 @@ msgstr "Επιβεβαίωση διεÏθυνσης email" msgid "Paths configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, fuzzy, php-format msgid "Describe your application in %d characters" msgstr "ΠεÏιγÏάψτε την ομάδα ή το θέμα μέχÏι %d χαÏακτήÏες" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 #, fuzzy msgid "Describe your application" msgstr "ΠεÏιγÏάψτε την ομάδα ή το θέμα" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 msgid "Source URL" msgstr "" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 msgid "URL of the homepage of this application" msgstr "" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 msgid "URL for the homepage of the organization" msgstr "" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5530,15 +5532,15 @@ msgstr "" msgid "Repeated by" msgstr "Επαναλαμβάνεται από" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 #, fuzzy msgid "Notice repeated" msgstr "Ρυθμίσεις OpenID" diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index 4c5e4efdf..82d23affb 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:58:42+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:04:26+0000\n" "Language-Team: British English\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: out-statusnet\n" @@ -65,7 +65,7 @@ msgstr "" #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "Save" @@ -184,7 +184,7 @@ msgstr "Updates from %1$s and friends on %2$s!" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -362,11 +362,11 @@ msgstr "You cannot unfollow yourself." msgid "Two user ids or screen_names must be supplied." msgstr "Two user ids or screen_names must be supplied." -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 msgid "Could not determine source user." msgstr "Could not determine source user." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 msgid "Could not find target user." msgstr "Could not find target user." @@ -506,11 +506,13 @@ msgid "Invalid nickname / password!" msgstr "Invalid nickname / password!" #: actions/apioauthauthorize.php:170 -msgid "DB error deleting OAuth app user." +#, fuzzy +msgid "Database error deleting OAuth application user." msgstr "DB error deleting OAuth app user." #: actions/apioauthauthorize.php:196 -msgid "DB error inserting OAuth app user." +#, fuzzy +msgid "Database error inserting OAuth application user." msgstr "DB error inserting OAuth app user." #: actions/apioauthauthorize.php:231 @@ -544,13 +546,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Account" @@ -745,7 +740,7 @@ msgid "Preview" msgstr "Preview" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "Delete" @@ -944,7 +939,7 @@ msgstr "Are you sure you want to delete this notice?" msgid "Do not delete this notice" msgstr "Do not delete this notice" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "Delete this notice" @@ -1245,8 +1240,8 @@ msgstr "" "a message with further instructions." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "Cancel" @@ -2659,7 +2654,7 @@ msgid "Full name" msgstr "Full name" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "Homepage" @@ -3195,7 +3190,7 @@ msgstr "You can't repeat your own notice." msgid "You already repeated that notice." msgstr "You have already blocked this user." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 #, fuzzy msgid "Repeated" msgstr "Created" @@ -3278,23 +3273,23 @@ msgstr "You must be logged in to leave a group." msgid "Application profile" msgstr "Notice has no profile" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "Nickname" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Pagination" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Description" @@ -3589,7 +3584,7 @@ msgstr "" "wikipedia.org/wiki/Micro-blogging) service based on the Free Software " "[StatusNet](http://status.net/) tool. " -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Replies to %s" @@ -4724,68 +4719,77 @@ msgstr "Design configuration" msgid "Paths configuration" msgstr "SMS confirmation" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, fuzzy, php-format msgid "Describe your application in %d characters" msgstr "Describe the group or topic in %d characters" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 #, fuzzy msgid "Describe your application" msgstr "Describe the group or topic" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 #, fuzzy msgid "Source URL" msgstr "Source" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 #, fuzzy msgid "URL of the homepage of this application" msgstr "URL of the homepage or blog of the group or topic" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 #, fuzzy msgid "URL for the homepage of the organization" msgstr "URL of the homepage or blog of the group or topic" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5689,15 +5693,15 @@ msgstr "in context" msgid "Repeated by" msgstr "Created" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "Reply to this notice" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "Reply" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 #, fuzzy msgid "Notice repeated" msgstr "Notice deleted." diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index 22d6ccf9d..1120aae41 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:58:44+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:04:29+0000\n" "Language-Team: Spanish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: out-statusnet\n" @@ -71,7 +71,7 @@ msgstr "" #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "Guardar" @@ -183,7 +183,7 @@ msgstr "¡Actualizaciones de %1$s y amigos en %2$s!" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -362,11 +362,11 @@ msgstr "No puedes dejar de seguirte a ti mismo." msgid "Two user ids or screen_names must be supplied." msgstr "Deben proveerse dos identificaciones de usuario o nombres en pantalla." -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 msgid "Could not determine source user." msgstr "No se pudo determinar el usuario fuente." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 msgid "Could not find target user." msgstr "No se pudo encontrar ningún usuario de destino." @@ -512,12 +512,12 @@ msgstr "Usuario o contraseña inválidos." #: actions/apioauthauthorize.php:170 #, fuzzy -msgid "DB error deleting OAuth app user." +msgid "Database error deleting OAuth application user." msgstr "Error al configurar el usuario." #: actions/apioauthauthorize.php:196 #, fuzzy -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "Error de la BD al insertar la etiqueta clave: %s" #: actions/apioauthauthorize.php:231 @@ -549,13 +549,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Cuenta" @@ -755,7 +748,7 @@ msgid "Preview" msgstr "Vista previa" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "Borrar" @@ -958,7 +951,7 @@ msgstr "¿Estás seguro de que quieres eliminar este aviso?" msgid "Do not delete this notice" msgstr "No se puede eliminar este aviso." -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "Borrar este aviso" @@ -1262,8 +1255,8 @@ msgstr "" "la de spam!) por un mensaje con las instrucciones." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "Cancelar" @@ -2691,7 +2684,7 @@ msgid "Full name" msgstr "Nombre completo" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "Página de inicio" @@ -3234,7 +3227,7 @@ msgstr "No puedes registrarte si no estás de acuerdo con la licencia." msgid "You already repeated that notice." msgstr "Ya has bloqueado este usuario." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 #, fuzzy msgid "Repeated" msgstr "Crear" @@ -3316,23 +3309,23 @@ msgstr "Debes estar conectado para dejar un grupo." msgid "Application profile" msgstr "Aviso sin perfil" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "Apodo" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Paginación" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Descripción" @@ -3627,7 +3620,7 @@ msgstr "" "**%s** tiene una cuenta en %%%%site.name%%%%, un servicio [micro-blogging]" "(http://en.wikipedia.org/wiki/Micro-blogging) " -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Respuestas a %s" @@ -4777,68 +4770,77 @@ msgstr "SMS confirmación" msgid "Paths configuration" msgstr "SMS confirmación" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, fuzzy, php-format msgid "Describe your application in %d characters" msgstr "Describir al grupo o tema en %d caracteres" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 #, fuzzy msgid "Describe your application" msgstr "Describir al grupo o tema" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 #, fuzzy msgid "Source URL" msgstr "Fuente" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 #, fuzzy msgid "URL of the homepage of this application" msgstr "El URL de página de inicio o blog del grupo or tema" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 #, fuzzy msgid "URL for the homepage of the organization" msgstr "El URL de página de inicio o blog del grupo or tema" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5741,15 +5743,15 @@ msgstr "en contexto" msgid "Repeated by" msgstr "Crear" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "Responder este aviso." -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "Responder" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 #, fuzzy msgid "Notice repeated" msgstr "Aviso borrado" diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index 9526d702f..8a87af1ad 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:58:50+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:04:35+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian\n" "MIME-Version: 1.0\n" @@ -20,7 +20,7 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" #: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 @@ -67,7 +67,7 @@ msgstr "غیر Ùعال کردن نام نوبسی جدید" #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "ذخیره‌کردن" @@ -185,7 +185,7 @@ msgstr "به روز رسانی از %1$ Ùˆ دوستان در %2$" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -361,11 +361,11 @@ msgstr "نمی‌توانید خودتان را دنبال نکنید!" msgid "Two user ids or screen_names must be supplied." msgstr "باید Û² شناسه‌ی کاربر یا نام ظاهری وارد کنید." -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 msgid "Could not determine source user." msgstr "نمی‌توان کاربر منبع را تعیین کرد." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 msgid "Could not find target user." msgstr "نمی‌توان کاربر هد٠را پیدا کرد." @@ -506,11 +506,11 @@ msgid "Invalid nickname / password!" msgstr "نام کاربری یا کلمه ÛŒ عبور نا معتبر." #: actions/apioauthauthorize.php:170 -msgid "DB error deleting OAuth app user." +msgid "Database error deleting OAuth application user." msgstr "" #: actions/apioauthauthorize.php:196 -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "" #: actions/apioauthauthorize.php:231 @@ -542,13 +542,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "حساب کاربری" @@ -746,7 +739,7 @@ msgid "Preview" msgstr "پیش‌نمایش" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "حذÙ" @@ -947,7 +940,7 @@ msgstr "آیا اطمینان دارید Ú©Ù‡ می‌خواهید این پیا msgid "Do not delete this notice" msgstr "این پیام را پاک Ù†Ú©Ù†" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "این پیام را پاک Ú©Ù†" @@ -1243,8 +1236,8 @@ msgid "" msgstr "" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "انصراÙ" @@ -2608,7 +2601,7 @@ msgid "Full name" msgstr "نام‌کامل" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "صÙحهٔ خانگی" @@ -3107,7 +3100,7 @@ msgstr "شما نمی توانید Ø¢Ú¯Ù‡ÛŒ خودتان را تکرار Ú©Ù†ÛŒ msgid "You already repeated that notice." msgstr "شما قبلا آن Ø¢Ú¯Ù‡ÛŒ را تکرار کردید." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 msgid "Repeated" msgstr "" @@ -3187,23 +3180,23 @@ msgstr "برای ترک یک گروه، شما باید وارد شده باشی msgid "Application profile" msgstr "ابن خبر ذخیره ای ندارد ." -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "نام کاربری" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "صÙحه بندى" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "" @@ -3494,7 +3487,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, php-format msgid "Repeat of %s" msgstr "" @@ -4577,65 +4570,74 @@ msgstr "پیکره بندی اصلی سایت" msgid "Paths configuration" msgstr "" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, php-format msgid "Describe your application in %d characters" msgstr "" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 msgid "Describe your application" msgstr "" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 #, fuzzy msgid "Source URL" msgstr "منبع" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 msgid "URL of the homepage of this application" msgstr "" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 msgid "URL for the homepage of the organization" msgstr "" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5519,15 +5521,15 @@ msgstr "در زمینه" msgid "Repeated by" msgstr "تکرار از" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "به این Ø¢Ú¯Ù‡ÛŒ جواب دهید" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "جواب دادن" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 msgid "Notice repeated" msgstr "Ø¢Ú¯Ù‡ÛŒ تکرار شد" diff --git a/locale/fi/LC_MESSAGES/statusnet.po b/locale/fi/LC_MESSAGES/statusnet.po index 750e41b08..585165a01 100644 --- a/locale/fi/LC_MESSAGES/statusnet.po +++ b/locale/fi/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:58:47+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:04:32+0000\n" "Language-Team: Finnish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: out-statusnet\n" @@ -69,7 +69,7 @@ msgstr "" #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "Tallenna" @@ -187,7 +187,7 @@ msgstr "Käyttäjän %1$s ja kavereiden päivitykset palvelussa %2$s!" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -369,12 +369,12 @@ msgstr "Et voi lopettaa itsesi tilausta!" msgid "Two user ids or screen_names must be supplied." msgstr "Kaksi käyttäjätunnusta tai nimeä täytyy antaa." -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 #, fuzzy msgid "Could not determine source user." msgstr "Julkista päivitysvirtaa ei saatu." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 #, fuzzy msgid "Could not find target user." msgstr "Ei löytynyt yhtään päivitystä." @@ -521,12 +521,12 @@ msgstr "Käyttäjätunnus tai salasana ei kelpaa." #: actions/apioauthauthorize.php:170 #, fuzzy -msgid "DB error deleting OAuth app user." +msgid "Database error deleting OAuth application user." msgstr "Virhe tapahtui käyttäjän asettamisessa." #: actions/apioauthauthorize.php:196 #, fuzzy -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "Tietokantavirhe tallennettaessa risutagiä: %s" #: actions/apioauthauthorize.php:231 @@ -558,13 +558,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Käyttäjätili" @@ -764,7 +757,7 @@ msgid "Preview" msgstr "Esikatselu" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "Poista" @@ -963,7 +956,7 @@ msgstr "Oletko varma että haluat poistaa tämän päivityksen?" msgid "Do not delete this notice" msgstr "Älä poista tätä päivitystä" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "Poista tämä päivitys" @@ -1270,8 +1263,8 @@ msgstr "" "lisäohjeita. " #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "Peruuta" @@ -2689,7 +2682,7 @@ msgid "Full name" msgstr "Koko nimi" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "Kotisivu" @@ -3229,7 +3222,7 @@ msgstr "Et voi rekisteröityä, jos et hyväksy lisenssiehtoja." msgid "You already repeated that notice." msgstr "Sinä olet jo estänyt tämän käyttäjän." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 #, fuzzy msgid "Repeated" msgstr "Luotu" @@ -3315,23 +3308,23 @@ msgstr "Sinun pitää olla kirjautunut sisään, jotta voit erota ryhmästä." msgid "Application profile" msgstr "Päivitykselle ei ole profiilia" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "Tunnus" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Sivutus" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Kuvaus" @@ -3625,7 +3618,7 @@ msgstr "" "Käyttäjällä **%s** on käyttäjätili palvelussa %%%%site.name%%%%, joka on " "[mikroblogauspalvelu](http://en.wikipedia.org/wiki/Micro-blogging)" -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Vastaukset käyttäjälle %s" @@ -4769,68 +4762,77 @@ msgstr "SMS vahvistus" msgid "Paths configuration" msgstr "SMS vahvistus" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, fuzzy, php-format msgid "Describe your application in %d characters" msgstr "Kuvaile ryhmää tai aihetta 140 merkillä" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 #, fuzzy msgid "Describe your application" msgstr "Kuvaile ryhmää tai aihetta 140 merkillä" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 #, fuzzy msgid "Source URL" msgstr "Lähdekoodi" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 #, fuzzy msgid "URL of the homepage of this application" msgstr "Ryhmän tai aiheen kotisivun tai blogin osoite" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 #, fuzzy msgid "URL for the homepage of the organization" msgstr "Ryhmän tai aiheen kotisivun tai blogin osoite" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5744,15 +5746,15 @@ msgstr "Ei sisältöä!" msgid "Repeated by" msgstr "Luotu" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "Vastaa tähän päivitykseen" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "Vastaus" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 #, fuzzy msgid "Notice repeated" msgstr "Päivitys on poistettu." diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index 06580cd65..299ff63c1 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -14,12 +14,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:58:53+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:04:38+0000\n" "Language-Team: French\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: out-statusnet\n" @@ -69,7 +69,7 @@ msgstr "Désactiver les nouvelles inscriptions." #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "Enregistrer" @@ -190,7 +190,7 @@ msgstr "Statuts de %1$s et ses amis dans %2$s!" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -368,11 +368,11 @@ msgstr "Vous ne pouvez pas ne plus vous suivre vous-même." msgid "Two user ids or screen_names must be supplied." msgstr "Vous devez fournir 2 identifiants ou pseudos." -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 msgid "Could not determine source user." msgstr "Impossible de déterminer l’utilisateur source." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 msgid "Could not find target user." msgstr "Impossible de trouver l’utilisateur cible." @@ -518,12 +518,12 @@ msgstr "Identifiant ou mot de passe incorrect." #: actions/apioauthauthorize.php:170 #, fuzzy -msgid "DB error deleting OAuth app user." +msgid "Database error deleting OAuth application user." msgstr "Erreur lors de la configuration de l’utilisateur." #: actions/apioauthauthorize.php:196 #, fuzzy -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "Erreur de base de donnée en insérant la marque (hashtag) : %s" #: actions/apioauthauthorize.php:231 @@ -558,13 +558,6 @@ msgstr "" msgid "Allow or deny access" msgstr "Autoriser ou refuser l'accès" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Compte" @@ -763,7 +756,7 @@ msgid "Preview" msgstr "Aperçu" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "Supprimer" @@ -963,7 +956,7 @@ msgstr "Êtes-vous sûr(e) de vouloir supprimer cet avis ?" msgid "Do not delete this notice" msgstr "Ne pas supprimer cet avis" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "Supprimer cet avis" @@ -1261,8 +1254,8 @@ msgstr "" "réception (et celle de spam !) pour recevoir de nouvelles instructions." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "Annuler" @@ -2682,7 +2675,7 @@ msgid "Full name" msgstr "Nom complet" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "Site personnel" @@ -3228,7 +3221,7 @@ msgstr "Vous ne pouvez pas reprendre votre propre avis." msgid "You already repeated that notice." msgstr "Vous avez déjà repris cet avis." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 msgid "Repeated" msgstr "Repris" @@ -3315,22 +3308,22 @@ msgstr "Vous devez ouvrir une session pour quitter un groupe." msgid "Application profile" msgstr "L’avis n’a pas de profil" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 msgid "Name" msgstr "Nom" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Pagination" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Description" @@ -3650,7 +3643,7 @@ msgstr "" "wikipedia.org/wiki/Microblog) basé sur le logiciel libre [StatusNet](http://" "status.net/). " -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, php-format msgid "Repeat of %s" msgstr "Reprises de %s" @@ -4786,68 +4779,77 @@ msgstr "Configuration de la conception" msgid "Paths configuration" msgstr "Configuration des chemins" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "Modifier votre application" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, fuzzy, php-format msgid "Describe your application in %d characters" msgstr "Description du groupe ou du sujet en %d caractères" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 #, fuzzy msgid "Describe your application" msgstr "Description du groupe ou du sujet" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 #, fuzzy msgid "Source URL" msgstr "Source" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 #, fuzzy msgid "URL of the homepage of this application" msgstr "URL du site Web ou blogue du groupe ou sujet " -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 #, fuzzy msgid "URL for the homepage of the organization" msgstr "URL du site Web ou blogue du groupe ou sujet " -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "URL vers laquelle rediriger après l'authentification" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "Lecture seule" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" "Accès par défaut pour cette application : en lecture seule ou en lecture-" @@ -5863,15 +5865,15 @@ msgstr "dans le contexte" msgid "Repeated by" msgstr "Repris par" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "Répondre à cet avis" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "Répondre" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 msgid "Notice repeated" msgstr "Avis repris" diff --git a/locale/ga/LC_MESSAGES/statusnet.po b/locale/ga/LC_MESSAGES/statusnet.po index 611c3f379..0d9aa81f5 100644 --- a/locale/ga/LC_MESSAGES/statusnet.po +++ b/locale/ga/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:58:56+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:04:41+0000\n" "Language-Team: Irish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ga\n" "X-Message-Group: out-statusnet\n" @@ -68,7 +68,7 @@ msgstr "" #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "Gardar" @@ -182,7 +182,7 @@ msgstr "Actualizacións dende %1$s e amigos en %2$s!" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -368,12 +368,12 @@ msgstr "" "Dous identificadores de usuario ou nomes_en_pantalla deben ser " "proporcionados." -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 #, fuzzy msgid "Could not determine source user." msgstr "Non se pudo recuperar a liña de tempo publica." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 #, fuzzy msgid "Could not find target user." msgstr "Non se puido atopar ningún estado" @@ -517,12 +517,12 @@ msgstr "Usuario ou contrasinal inválidos." #: actions/apioauthauthorize.php:170 #, fuzzy -msgid "DB error deleting OAuth app user." +msgid "Database error deleting OAuth application user." msgstr "Acounteceu un erro configurando o usuario." #: actions/apioauthauthorize.php:196 #, fuzzy -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "Erro ó inserir o hashtag na BD: %s" #: actions/apioauthauthorize.php:231 @@ -554,13 +554,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 #, fuzzy msgid "Account" @@ -764,7 +757,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 #, fuzzy msgid "Delete" msgstr "eliminar" @@ -976,7 +969,7 @@ msgstr "Estas seguro que queres eliminar este chío?" msgid "Do not delete this notice" msgstr "Non se pode eliminar este chíos." -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 #, fuzzy msgid "Delete this notice" msgstr "Eliminar chío" @@ -1294,8 +1287,8 @@ msgstr "" "a %s á túa lista de contactos?)" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "Cancelar" @@ -2721,7 +2714,7 @@ msgid "Full name" msgstr "Nome completo" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "Páxina persoal" @@ -3270,7 +3263,7 @@ msgstr "Non podes rexistrarte se non estas de acordo coa licenza." msgid "You already repeated that notice." msgstr "Xa bloqueaches a este usuario." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 #, fuzzy msgid "Repeated" msgstr "Crear" @@ -3352,23 +3345,23 @@ msgstr "Debes estar logueado para invitar a outros usuarios a empregar %s" msgid "Application profile" msgstr "O chío non ten perfil" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "Alcume" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Invitación(s) enviada(s)." #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 #, fuzzy msgid "Description" msgstr "Subscricións" @@ -3678,7 +3671,7 @@ msgstr "" "(http://status.net/). [Únete agora](%%action.register%%) para compartir " "chíos cos teus amigos, colegas e familia! ([Ler mais](%%doc.help%%))" -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Replies to %s" @@ -4841,68 +4834,77 @@ msgstr "Confirmación de SMS" msgid "Paths configuration" msgstr "Confirmación de SMS" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, fuzzy, php-format msgid "Describe your application in %d characters" msgstr "Contanos un pouco de ti e dos teus intereses en 140 caractéres." -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 #, fuzzy msgid "Describe your application" msgstr "Contanos un pouco de ti e dos teus intereses en 140 caractéres." -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 #, fuzzy msgid "Source URL" msgstr "Fonte" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 #, fuzzy msgid "URL of the homepage of this application" msgstr "Enderezo da túa páxina persoal, blogue, ou perfil noutro sitio" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 #, fuzzy msgid "URL for the homepage of the organization" msgstr "Enderezo da túa páxina persoal, blogue, ou perfil noutro sitio" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5909,17 +5911,17 @@ msgstr "Sen contido!" msgid "Repeated by" msgstr "Crear" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 #, fuzzy msgid "Reply to this notice" msgstr "Non se pode eliminar este chíos." -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 #, fuzzy msgid "Reply" msgstr "contestar" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 #, fuzzy msgid "Notice repeated" msgstr "Chío publicado" diff --git a/locale/he/LC_MESSAGES/statusnet.po b/locale/he/LC_MESSAGES/statusnet.po index ef9db6e29..300d382c6 100644 --- a/locale/he/LC_MESSAGES/statusnet.po +++ b/locale/he/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:58:59+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:04:43+0000\n" "Language-Team: Hebrew\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: he\n" "X-Message-Group: out-statusnet\n" @@ -65,7 +65,7 @@ msgstr "" #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "שמור" @@ -179,7 +179,7 @@ msgstr "" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -359,12 +359,12 @@ msgstr "עידכון המשתמש נכשל." msgid "Two user ids or screen_names must be supplied." msgstr "" -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 #, fuzzy msgid "Could not determine source user." msgstr "עידכון המשתמש נכשל." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 #, fuzzy msgid "Could not find target user." msgstr "עידכון המשתמש נכשל." @@ -510,12 +510,12 @@ msgstr "×©× ×”×ž×©×ª×ž×© ×ו הסיסמה ×œ× ×—×•×§×™×™×" #: actions/apioauthauthorize.php:170 #, fuzzy -msgid "DB error deleting OAuth app user." +msgid "Database error deleting OAuth application user." msgstr "שגי××” ביצירת ×©× ×”×ž×©×ª×ž×©." #: actions/apioauthauthorize.php:196 #, fuzzy -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "שגי×ת מסד × ×ª×•× ×™× ×‘×”×›× ×¡×ª התגובה: %s" #: actions/apioauthauthorize.php:231 @@ -547,13 +547,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 #, fuzzy msgid "Account" @@ -756,7 +749,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 #, fuzzy msgid "Delete" msgstr "מחק" @@ -962,7 +955,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "×ין הודעה כזו." -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "" @@ -1269,8 +1262,8 @@ msgid "" msgstr "" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "בטל" @@ -2648,7 +2641,7 @@ msgid "Full name" msgstr "×©× ×ž×œ×" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "×תר בית" @@ -3156,7 +3149,7 @@ msgstr "×œ× × ×™×ª×Ÿ ×œ×”×™×¨×©× ×œ×œ× ×”×¡×›×ž×” לרשיון" msgid "You already repeated that notice." msgstr "כבר נכנסת למערכת!" -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 #, fuzzy msgid "Repeated" msgstr "צור" @@ -3237,23 +3230,23 @@ msgstr "" msgid "Application profile" msgstr "להודעה ×ין פרופיל" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "כינוי" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "מיקו×" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 #, fuzzy msgid "Description" msgstr "הרשמות" @@ -3545,7 +3538,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, fuzzy, php-format msgid "Repeat of %s" msgstr "תגובת עבור %s" @@ -4677,68 +4670,77 @@ msgstr "הרשמות" msgid "Paths configuration" msgstr "הרשמות" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, fuzzy, php-format msgid "Describe your application in %d characters" msgstr "ת×ר ×ת עצמך ו×ת נוש××™ העניין שלך ב-140 ×ותיות" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 #, fuzzy msgid "Describe your application" msgstr "ת×ר ×ת עצמך ו×ת נוש××™ העניין שלך ב-140 ×ותיות" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 #, fuzzy msgid "Source URL" msgstr "מקור" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 #, fuzzy msgid "URL of the homepage of this application" msgstr "הכתובת של ×תר הבית שלך, בלוג, ×ו פרופיל ב×תר ×חר " -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 #, fuzzy msgid "URL for the homepage of the organization" msgstr "הכתובת של ×תר הבית שלך, בלוג, ×ו פרופיל ב×תר ×חר " -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5645,16 +5647,16 @@ msgstr "×ין תוכן!" msgid "Repeated by" msgstr "צור" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 #, fuzzy msgid "Reply" msgstr "הגב" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 #, fuzzy msgid "Notice repeated" msgstr "הודעות" diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index f942d8b63..91763d5e1 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:59:02+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:04:46+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: out-statusnet\n" @@ -65,7 +65,7 @@ msgstr "Nowe registrowanja znjemóžnić." #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "SkÅ‚adować" @@ -177,7 +177,7 @@ msgstr "" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -349,11 +349,11 @@ msgstr "NjemóžeÅ¡ slÄ›dowanje swójskich aktiwitow blokować." msgid "Two user ids or screen_names must be supplied." msgstr "" -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 msgid "Could not determine source user." msgstr "" -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 msgid "Could not find target user." msgstr "" @@ -493,11 +493,13 @@ msgid "Invalid nickname / password!" msgstr "NjepÅ‚aćiwe pÅ™imjeno abo hesÅ‚o!" #: actions/apioauthauthorize.php:170 -msgid "DB error deleting OAuth app user." -msgstr "" +#, fuzzy +msgid "Database error deleting OAuth application user." +msgstr "Zmylk datoweje banki pÅ™i zasunjenju wužiwarja OAuth-aplikacije." #: actions/apioauthauthorize.php:196 -msgid "DB error inserting OAuth app user." +#, fuzzy +msgid "Database error inserting OAuth application user." msgstr "Zmylk datoweje banki pÅ™i zasunjenju wužiwarja OAuth-aplikacije." #: actions/apioauthauthorize.php:231 @@ -529,13 +531,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Konto" @@ -731,7 +726,7 @@ msgid "Preview" msgstr "PÅ™ehlad" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "ZniÄić" @@ -925,7 +920,7 @@ msgstr "ChceÅ¡ woprawdźe tutu zdźělenku wuÅ¡mórnyć?" msgid "Do not delete this notice" msgstr "Tutu zdźělenku njewuÅ¡mórnyć" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "Tutu zdźělenku wuÅ¡mórnyć" @@ -1208,8 +1203,8 @@ msgid "" msgstr "" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "PÅ™etorhnyć" @@ -2515,7 +2510,7 @@ msgid "Full name" msgstr "DospoÅ‚ne mjeno" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "Startowa strona" @@ -3007,7 +3002,7 @@ msgstr "NjemóžeÅ¡ swójsku zdźělenku wospjetować." msgid "You already repeated that notice." msgstr "Sy tutu zdźělenku hižo wospjetowaÅ‚." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 msgid "Repeated" msgstr "Wospjetowany" @@ -3083,21 +3078,21 @@ msgstr "DyrbiÅ¡ pÅ™izjewjeny być, zo by sej aplikaciju wobhladaÅ‚." msgid "Application profile" msgstr "Aplikaciski profil" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 msgid "Name" msgstr "Mjeno" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 msgid "Organization" msgstr "Organizacija" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Wopisanje" @@ -3383,7 +3378,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, php-format msgid "Repeat of %s" msgstr "" @@ -4449,64 +4444,73 @@ msgstr "SMS-wobkrućenje" msgid "Paths configuration" msgstr "" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, php-format msgid "Describe your application in %d characters" msgstr "Wopisaj swoju aplikaciju z %d znamjeÅ¡kami" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 msgid "Describe your application" msgstr "Wopisaj swoju aplikaciju" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 msgid "Source URL" msgstr "URL žórÅ‚a" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 msgid "URL of the homepage of this application" msgstr "" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 msgid "URL for the homepage of the organization" msgstr "" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5377,15 +5381,15 @@ msgstr "" msgid "Repeated by" msgstr "Wospjetowany wot" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "Na tutu zdźělenku wotmoÅ‚wić" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "WotmoÅ‚wić" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 msgid "Notice repeated" msgstr "Zdźělenka wospjetowana" diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index 9dee94147..9e3e0f7db 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:59:06+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:04:49+0000\n" "Language-Team: Interlingua\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: out-statusnet\n" @@ -63,7 +63,7 @@ msgstr "Disactivar le creation de nove contos." #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "Salveguardar" @@ -183,7 +183,7 @@ msgstr "Actualisationes de %1$s e su amicos in %2$s!" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -362,11 +362,11 @@ msgstr "Tu non pote cessar de sequer te mesme!" msgid "Two user ids or screen_names must be supplied." msgstr "Duo IDs de usator o pseudonymos debe esser fornite." -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 msgid "Could not determine source user." msgstr "Non poteva determinar le usator de origine." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 msgid "Could not find target user." msgstr "Non poteva trovar le usator de destination." @@ -508,12 +508,12 @@ msgstr "Nomine de usator o contrasigno invalide." #: actions/apioauthauthorize.php:170 #, fuzzy -msgid "DB error deleting OAuth app user." +msgid "Database error deleting OAuth application user." msgstr "Error durante le configuration del usator." #: actions/apioauthauthorize.php:196 #, fuzzy -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "Error durante le configuration del usator." #: actions/apioauthauthorize.php:231 @@ -545,13 +545,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "" @@ -751,7 +744,7 @@ msgid "Preview" msgstr "Previsualisation" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "Deler" @@ -951,7 +944,7 @@ msgstr "Es tu secur de voler deler iste nota?" msgid "Do not delete this notice" msgstr "Non deler iste nota" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "Deler iste nota" @@ -1250,8 +1243,8 @@ msgstr "" "spam!) pro un message con ulterior instructiones." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "Cancellar" @@ -2663,7 +2656,7 @@ msgid "Full name" msgstr "Nomine complete" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "Pagina personal" @@ -3202,7 +3195,7 @@ msgstr "Tu non pote repeter tu proprie nota." msgid "You already repeated that notice." msgstr "Tu ha ja repetite iste nota." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 msgid "Repeated" msgstr "Repetite" @@ -3286,22 +3279,22 @@ msgstr "Tu debe aperir un session pro quitar un gruppo." msgid "Application profile" msgstr "Le nota ha nulle profilo" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "Pseudonymo" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 msgid "Organization" msgstr "" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "" @@ -3616,7 +3609,7 @@ msgstr "" "(http://en.wikipedia.org/wiki/Microblog) a base del software libere " "[StatusNet](http://status.net/). " -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, php-format msgid "Repeat of %s" msgstr "Repetition de %s" @@ -4702,65 +4695,74 @@ msgstr "" msgid "Paths configuration" msgstr "" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, fuzzy, php-format msgid "Describe your application in %d characters" msgstr "Describe te e tu interesses in %d characteres" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 msgid "Describe your application" msgstr "" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 #, fuzzy msgid "Source URL" msgstr "URL pro reporto" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 msgid "URL of the homepage of this application" msgstr "" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 msgid "URL for the homepage of the organization" msgstr "" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5634,15 +5636,15 @@ msgstr "" msgid "Repeated by" msgstr "Repetite per" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 #, fuzzy msgid "Notice repeated" msgstr "Nota delite." diff --git a/locale/is/LC_MESSAGES/statusnet.po b/locale/is/LC_MESSAGES/statusnet.po index 3db7dbdf0..959d4ed1d 100644 --- a/locale/is/LC_MESSAGES/statusnet.po +++ b/locale/is/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:59:09+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:04:52+0000\n" "Language-Team: Icelandic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: is\n" "X-Message-Group: out-statusnet\n" @@ -68,7 +68,7 @@ msgstr "" #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "Vista" @@ -181,7 +181,7 @@ msgstr "Færslur frá %1$s og vinum á %2$s!" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -363,11 +363,11 @@ msgstr "Gat ekki uppfært notanda." msgid "Two user ids or screen_names must be supplied." msgstr "Tvo notendakenni eða skjáarnöfn verða að vera uppgefin." -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 msgid "Could not determine source user." msgstr "" -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 msgid "Could not find target user." msgstr "" @@ -512,12 +512,12 @@ msgstr "Ótækt notendanafn eða lykilorð." #: actions/apioauthauthorize.php:170 #, fuzzy -msgid "DB error deleting OAuth app user." +msgid "Database error deleting OAuth application user." msgstr "Villa kom upp í stillingu notanda." #: actions/apioauthauthorize.php:196 #, fuzzy -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "Gagnagrunnsvilla við innsetningu myllumerkis: %s" #: actions/apioauthauthorize.php:231 @@ -549,13 +549,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Aðgangur" @@ -754,7 +747,7 @@ msgid "Preview" msgstr "Forsýn" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "Eyða" @@ -954,7 +947,7 @@ msgstr "Ertu viss um að þú viljir eyða þessu babli?" msgid "Do not delete this notice" msgstr "" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "Eyða þessu babli" @@ -1260,8 +1253,8 @@ msgstr "" "ruslpóstinn þinn!). Þar ættu að vera skilaboð með ítarlegri leiðbeiningum." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "Hætta við" @@ -2668,7 +2661,7 @@ msgid "Full name" msgstr "Fullt nafn" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "Heimasíða" @@ -3202,7 +3195,7 @@ msgstr "Þú getur ekki nýskráð þig nema þú samþykkir leyfið." msgid "You already repeated that notice." msgstr "Þú hefur nú þegar lokað á þennan notanda." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 #, fuzzy msgid "Repeated" msgstr "à sviðsljósinu" @@ -3282,23 +3275,23 @@ msgstr "Þú verður aða hafa skráð þig inn til að ganga úr hóp." msgid "Application profile" msgstr "Babl hefur enga persónulega síðu" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "Stuttnefni" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Uppröðun" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Lýsing" @@ -3585,7 +3578,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Svör við %s" @@ -4720,68 +4713,77 @@ msgstr "SMS staðfesting" msgid "Paths configuration" msgstr "SMS staðfesting" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, fuzzy, php-format msgid "Describe your application in %d characters" msgstr "Lýstu hópnum eða umfjöllunarefninu með 140 táknum" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 #, fuzzy msgid "Describe your application" msgstr "Lýstu hópnum eða umfjöllunarefninu með 140 táknum" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 #, fuzzy msgid "Source URL" msgstr "Frumþula" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 #, fuzzy msgid "URL of the homepage of this application" msgstr "Vefslóð vefsíðu hópsins eða umfjöllunarefnisins" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 #, fuzzy msgid "URL for the homepage of the organization" msgstr "Vefslóð vefsíðu hópsins eða umfjöllunarefnisins" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5680,15 +5682,15 @@ msgstr "" msgid "Repeated by" msgstr "à sviðsljósinu" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "Svara þessu babli" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "Svara" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 #, fuzzy msgid "Notice repeated" msgstr "Babl sent inn" diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index d43f70814..fa3e40cb2 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:59:12+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:04:54+0000\n" "Language-Team: Italian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: out-statusnet\n" @@ -66,7 +66,7 @@ msgstr "Disabilita la creazione di nuovi account" #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "Salva" @@ -187,7 +187,7 @@ msgstr "Messaggi da %1$s e amici su %2$s!" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -363,11 +363,11 @@ msgstr "Non puoi non seguirti." msgid "Two user ids or screen_names must be supplied." msgstr "Devono essere forniti due ID utente o nominativi." -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 msgid "Could not determine source user." msgstr "Impossibile determinare l'utente sorgente." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 msgid "Could not find target user." msgstr "Impossibile trovare l'utente destinazione." @@ -512,12 +512,12 @@ msgstr "Nome utente o password non valido." #: actions/apioauthauthorize.php:170 #, fuzzy -msgid "DB error deleting OAuth app user." +msgid "Database error deleting OAuth application user." msgstr "Errore nell'impostare l'utente." #: actions/apioauthauthorize.php:196 #, fuzzy -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "Errore del DB nell'inserire un hashtag: %s" #: actions/apioauthauthorize.php:231 @@ -549,13 +549,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Account" @@ -754,7 +747,7 @@ msgid "Preview" msgstr "Anteprima" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "Elimina" @@ -954,7 +947,7 @@ msgstr "Vuoi eliminare questo messaggio?" msgid "Do not delete this notice" msgstr "Non eliminare il messaggio" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "Elimina questo messaggio" @@ -1254,8 +1247,8 @@ msgstr "" "istruzioni." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "Annulla" @@ -2664,7 +2657,7 @@ msgid "Full name" msgstr "Nome" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "Pagina web" @@ -3202,7 +3195,7 @@ msgstr "Non puoi ripetere i tuoi stessi messaggi." msgid "You already repeated that notice." msgstr "Hai già ripetuto quel messaggio." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 msgid "Repeated" msgstr "Ripetuti" @@ -3286,22 +3279,22 @@ msgstr "Devi eseguire l'accesso per lasciare un gruppo." msgid "Application profile" msgstr "Il messaggio non ha un profilo" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 msgid "Name" msgstr "Nome" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Paginazione" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Descrizione" @@ -3616,7 +3609,7 @@ msgstr "" "it.wikipedia.org/wiki/Microblogging) basato sul software libero [StatusNet]" "(http://status.net/). " -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, php-format msgid "Repeat of %s" msgstr "Ripetizione di %s" @@ -4748,68 +4741,77 @@ msgstr "Configurazione aspetto" msgid "Paths configuration" msgstr "Configurazione percorsi" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, fuzzy, php-format msgid "Describe your application in %d characters" msgstr "Descrivi il gruppo o l'argomento in %d caratteri" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 #, fuzzy msgid "Describe your application" msgstr "Descrivi il gruppo o l'argomento" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 #, fuzzy msgid "Source URL" msgstr "Sorgenti" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 #, fuzzy msgid "URL of the homepage of this application" msgstr "URL della pagina web, blog del gruppo o l'argomento" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 #, fuzzy msgid "URL for the homepage of the organization" msgstr "URL della pagina web, blog del gruppo o l'argomento" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5816,15 +5818,15 @@ msgstr "nel contesto" msgid "Repeated by" msgstr "Ripetuto da" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "Rispondi a questo messaggio" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "Rispondi" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 msgid "Notice repeated" msgstr "Messaggio ripetuto" diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index ba3d7ecae..4ccde02a1 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:59:15+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:04:57+0000\n" "Language-Team: Japanese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: out-statusnet\n" @@ -27,12 +27,10 @@ msgid "Access" msgstr "アクセス" #: actions/accessadminpanel.php:65 -#, fuzzy msgid "Site access settings" -msgstr "サイト設定ã®ä¿å­˜" +msgstr "サイトアクセス設定" #: actions/accessadminpanel.php:158 -#, fuzzy msgid "Registration" msgstr "登録" @@ -66,15 +64,14 @@ msgstr "æ–°è¦ç™»éŒ²ã‚’無効。" #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "ä¿å­˜" #: actions/accessadminpanel.php:189 -#, fuzzy msgid "Save access settings" -msgstr "サイト設定ã®ä¿å­˜" +msgstr "アクセス設定ã®ä¿å­˜" #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 @@ -184,7 +181,7 @@ msgstr "%2$s ã« %1$s ã¨å‹äººã‹ã‚‰ã®æ›´æ–°ãŒã‚ã‚Šã¾ã™ï¼" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -361,11 +358,11 @@ msgstr "自分自身をフォローåœæ­¢ã™ã‚‹ã“ã¨ã¯ã§ãã¾ã›ã‚“。" msgid "Two user ids or screen_names must be supplied." msgstr "ãµãŸã¤ã®ï¼©ï¼¤ã‹ã‚¹ã‚¯ãƒªãƒ¼ãƒ³ãƒãƒ¼ãƒ ãŒå¿…è¦ã§ã™ã€‚" -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 msgid "Could not determine source user." msgstr "ソースユーザーを決定ã§ãã¾ã›ã‚“。" -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 msgid "Could not find target user." msgstr "ターゲットユーザーを見ã¤ã‘られã¾ã›ã‚“。" @@ -507,11 +504,13 @@ msgid "Invalid nickname / password!" msgstr "ä¸æ­£ãªãƒ¦ãƒ¼ã‚¶åã¾ãŸã¯ãƒ‘スワード。" #: actions/apioauthauthorize.php:170 -msgid "DB error deleting OAuth app user." +#, fuzzy +msgid "Database error deleting OAuth application user." msgstr "OAuth アプリユーザã®å‰Šé™¤æ™‚DBエラー。" #: actions/apioauthauthorize.php:196 -msgid "DB error inserting OAuth app user." +#, fuzzy +msgid "Database error inserting OAuth application user." msgstr "OAuth アプリユーザã®è¿½åŠ æ™‚DBエラー。" #: actions/apioauthauthorize.php:231 @@ -545,13 +544,6 @@ msgstr "アプリケーションã¯ã‚ãªãŸã®ã‚¢ã‚«ã‚¦ãƒ³ãƒˆã«æŽ¥ç¶šã—ãŸã„ msgid "Allow or deny access" msgstr "アクセスを許å¯ã¾ãŸã¯æ‹’絶" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "アカウント" @@ -746,7 +738,7 @@ msgid "Preview" msgstr "プレビュー" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "削除" @@ -946,7 +938,7 @@ msgstr "本当ã«ã“ã®ã¤ã¶ã‚„ãを削除ã—ã¾ã™ã‹ï¼Ÿ" msgid "Do not delete this notice" msgstr "ã“ã®ã¤ã¶ã‚„ãを削除ã§ãã¾ã›ã‚“。" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "ã“ã®ã¤ã¶ã‚„ãを削除" @@ -1091,12 +1083,11 @@ msgid "Add to favorites" msgstr "ãŠæ°—ã«å…¥ã‚Šã«åŠ ãˆã‚‹" #: actions/doc.php:155 -#, fuzzy, php-format +#, php-format msgid "No such document \"%s\"" -msgstr "ãã®ã‚ˆã†ãªãƒ‰ã‚­ãƒ¥ãƒ¡ãƒ³ãƒˆã¯ã‚ã‚Šã¾ã›ã‚“。" +msgstr "ãã®ã‚ˆã†ãªãƒ‰ã‚­ãƒ¥ãƒ¡ãƒ³ãƒˆã¯ã‚ã‚Šã¾ã›ã‚“。\"%s\"" #: actions/editapplication.php:54 -#, fuzzy msgid "Edit Application" msgstr "アプリケーション編集" @@ -1234,8 +1225,8 @@ msgstr "" "ã‹ã‚ŒãŸãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ãŒå±Šã„ã¦ã„ãªã„ã‹ç¢ºèªã—ã¦ãã ã•ã„。" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "中止" @@ -1835,9 +1826,9 @@ msgid "That is not your Jabber ID." msgstr "ãã® Jabber ID ã¯ã‚ãªãŸã®ã‚‚ã®ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/inbox.php:59 -#, fuzzy, php-format +#, php-format msgid "Inbox for %1$s - page %2$d" -msgstr "%s ã®å—ä¿¡ç®±" +msgstr "%1$s ã®å—ä¿¡ç®± - ページ %2$d" #: actions/inbox.php:62 #, php-format @@ -2083,7 +2074,6 @@ msgid "No current status" msgstr "ç¾åœ¨ã®ã‚¹ãƒ†ãƒ¼ã‚¿ã‚¹ã¯ã‚ã‚Šã¾ã›ã‚“" #: actions/newapplication.php:52 -#, fuzzy msgid "New Application" msgstr "æ–°ã—ã„アプリケーション" @@ -2342,9 +2332,9 @@ msgid "Login token expired." msgstr "ログイントークンãŒæœŸé™åˆ‡ã‚Œã§ã™ãƒ»" #: actions/outbox.php:58 -#, fuzzy, php-format +#, php-format msgid "Outbox for %1$s - page %2$d" -msgstr "%s ã®é€ä¿¡ç®±" +msgstr "%1$s ã®é€ä¿¡ç®± - ページ %2$d" #: actions/outbox.php:61 #, php-format @@ -2630,7 +2620,7 @@ msgid "Full name" msgstr "フルãƒãƒ¼ãƒ " #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "ホームページ" @@ -3166,7 +3156,7 @@ msgstr "自分ã®ã¤ã¶ã‚„ãã¯ç¹°ã‚Šè¿”ã›ã¾ã›ã‚“。" msgid "You already repeated that notice." msgstr "ã™ã§ã«ãã®ã¤ã¶ã‚„ãã‚’ç¹°ã‚Šè¿”ã—ã¦ã„ã¾ã™ã€‚" -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 msgid "Repeated" msgstr "ç¹°ã‚Šè¿”ã•ã‚ŒãŸ" @@ -3181,9 +3171,9 @@ msgid "Replies to %s" msgstr "%s ã¸ã®è¿”ä¿¡" #: actions/replies.php:127 -#, fuzzy, php-format +#, php-format msgid "Replies to %1$s, page %2$d" -msgstr "%2$s 上㮠%1$s ã¸ã®è¿”ä¿¡!" +msgstr "%1$s ã¸ã®è¿”ä¿¡ã€ãƒšãƒ¼ã‚¸ %2$s" #: actions/replies.php:144 #, php-format @@ -3248,21 +3238,21 @@ msgstr "!!アプリケーションを見るãŸã‚ã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ã„㪠msgid "Application profile" msgstr "アプリケーションプロファイル" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "アイコン" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 msgid "Name" msgstr "åå‰" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 msgid "Organization" msgstr "組織" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "概è¦" @@ -3317,9 +3307,9 @@ msgstr "" "ãƒãƒ¼ãƒˆã—ã¾ã›ã‚“。" #: actions/showfavorites.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s's favorite notices, page %2$d" -msgstr "%s ã®ãŠæ°—ã«å…¥ã‚Šã®ã¤ã¶ã‚„ã" +msgstr "%1$s ã®ãŠæ°—ã«å…¥ã‚Šã®ã¤ã¶ã‚„ãã€ãƒšãƒ¼ã‚¸ %2$d" #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." @@ -3379,9 +3369,9 @@ msgid "%s group" msgstr "%s グループ" #: actions/showgroup.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s group, page %2$d" -msgstr "%1$s グループメンãƒãƒ¼ã€ãƒšãƒ¼ã‚¸ %2$d" +msgstr "%1$s グループã€ãƒšãƒ¼ã‚¸ %2$d" #: actions/showgroup.php:218 msgid "Group profile" @@ -3503,9 +3493,9 @@ msgid " tagged %s" msgstr "タグ付ã‘ã•ã‚ŒãŸ %s" #: actions/showstream.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s, page %2$d" -msgstr "%1$s ã¨å‹äººã€ãƒšãƒ¼ã‚¸ %2$d" +msgstr "%1$sã€ãƒšãƒ¼ã‚¸ %2$d" #: actions/showstream.php:122 #, php-format @@ -3579,7 +3569,7 @@ msgstr "" "[StatusNet](http://status.net/)を基ã«ã—ãŸ[マイクロブロギング] (http://en." "wikipedia.org/wiki/Micro-blogging) サービス。" -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, php-format msgid "Repeat of %s" msgstr "%s ã®ç¹°ã‚Šè¿”ã—" @@ -3948,9 +3938,9 @@ msgid "SMS" msgstr "SMS" #: actions/tag.php:68 -#, fuzzy, php-format +#, php-format msgid "Notices tagged with %1$s, page %2$d" -msgstr "ユーザ自身ãŒã¤ã‘ãŸã‚¿ã‚° %1$s - ページ %2$d" +msgstr "%1$s ã¨ã‚¿ã‚°ä»˜ã‘ã•ã‚ŒãŸã¤ã¶ã‚„ãã€ãƒšãƒ¼ã‚¸ %2$d" #: actions/tag.php:86 #, php-format @@ -4252,9 +4242,9 @@ msgid "Enjoy your hotdog!" msgstr "ã‚ãªãŸã®hotdogを楽ã—ã‚“ã§ãã ã•ã„!" #: actions/usergroups.php:64 -#, fuzzy, php-format +#, php-format msgid "%1$s groups, page %2$d" -msgstr "%1$s グループメンãƒãƒ¼ã€ãƒšãƒ¼ã‚¸ %2$d" +msgstr "%1$s グループã€ãƒšãƒ¼ã‚¸ %2$d" #: actions/usergroups.php:130 msgid "Search for more groups" @@ -4414,9 +4404,8 @@ msgid "Problem saving notice." msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚" #: classes/Notice.php:790 -#, fuzzy msgid "Problem saving group inbox." -msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚" +msgstr "グループå—信箱をä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚" #: classes/Notice.php:850 #, php-format @@ -4687,80 +4676,84 @@ msgid "Design configuration" msgstr "デザイン設定" #: lib/adminpanelaction.php:322 -#, fuzzy msgid "User configuration" -msgstr "パス設定" +msgstr "利用者設定" #: lib/adminpanelaction.php:327 -#, fuzzy msgid "Access configuration" -msgstr "デザイン設定" +msgstr "アクセス設定" #: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "パス設定" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "アプリケーション編集" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "ã“ã®ã‚¢ãƒ—リケーションã®ã‚¢ã‚¤ã‚³ãƒ³" -#: lib/applicationeditform.php:206 -#, fuzzy, php-format +#: lib/applicationeditform.php:204 +#, php-format msgid "Describe your application in %d characters" -msgstr "グループやトピックを %d 字以内記述" +msgstr "ã‚ãªãŸã®ã‚¢ãƒ—リケーションを %d 字以内記述" -#: lib/applicationeditform.php:209 -#, fuzzy +#: lib/applicationeditform.php:207 msgid "Describe your application" -msgstr "グループやトピックを記述" +msgstr "ã‚ãªãŸã®ã‚¢ãƒ—リケーションを記述" -#: lib/applicationeditform.php:218 -#, fuzzy +#: lib/applicationeditform.php:216 msgid "Source URL" -msgstr "ソース" +msgstr "ソース URL" -#: lib/applicationeditform.php:220 -#, fuzzy +#: lib/applicationeditform.php:218 msgid "URL of the homepage of this application" -msgstr "グループやトピックã®ãƒ›ãƒ¼ãƒ ãƒšãƒ¼ã‚¸ã‚„ブログ㮠URL" +msgstr "ã“ã®ã‚¢ãƒ—リケーションã®ãƒ›ãƒ¼ãƒ ãƒšãƒ¼ã‚¸ã® URL" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "ã“ã®ã‚¢ãƒ—リケーションã«è²¬ä»»ãŒã‚る組織" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 msgid "URL for the homepage of the organization" msgstr "組織ã®ãƒ›ãƒ¼ãƒ ãƒšãƒ¼ã‚¸ã®URL" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "èªè¨¼ã®å¾Œã«ãƒªãƒ€ã‚¤ãƒ¬ã‚¯ãƒˆã™ã‚‹URL" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "ブラウザ" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "デスクトップ" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "アプリケーションã€ãƒ–ラウザã€ã¾ãŸã¯ãƒ‡ã‚¹ã‚¯ãƒˆãƒƒãƒ—ã®ã‚¿ã‚¤ãƒ—" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "リードオンリー" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "リードライト" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" "ã“ã®ã‚¢ãƒ—リケーションã®ãŸã‚ã®ãƒ‡ãƒ•ã‚©ãƒ«ãƒˆã‚¢ã‚¯ã‚»ã‚¹: リードオンリーã€ã¾ãŸã¯ãƒªãƒ¼ãƒ‰" @@ -5688,6 +5681,8 @@ msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" msgstr "" +"ã™ã¿ã¾ã›ã‚“ã€ã‚ãªãŸã®ä½ç½®ã‚’検索ã™ã‚‹ã®ãŒäºˆæƒ³ã‚ˆã‚Šé•·ãã‹ã‹ã£ã¦ã„ã¾ã™ã€å¾Œã§ã‚‚ã†ä¸€" +"度試ã¿ã¦ãã ã•ã„" #: lib/noticelist.php:428 #, php-format @@ -5726,15 +5721,15 @@ msgstr "" msgid "Repeated by" msgstr "" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "ã“ã®ã¤ã¶ã‚„ãã¸è¿”ä¿¡" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "返信" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 msgid "Notice repeated" msgstr "ã¤ã¶ã‚„ãã‚’ç¹°ã‚Šè¿”ã—ã¾ã—ãŸ" diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index bd2600be2..10febefa1 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:59:18+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:05:00+0000\n" "Language-Team: Korean\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: out-statusnet\n" @@ -66,7 +66,7 @@ msgstr "" #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "저장" @@ -180,7 +180,7 @@ msgstr "%1$s ë° %2$sì— ìžˆëŠ” ì¹œêµ¬ë“¤ì˜ ì—…ë°ì´íŠ¸!" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -362,12 +362,12 @@ msgstr "사용ìžë¥¼ ì—…ë°ì´íŠ¸ í•  수 없습니다." msgid "Two user ids or screen_names must be supplied." msgstr "ë‘ ê°œì˜ ì‚¬ìš©ìž ID나 ëŒ€í™”ëª…ì„ ìž…ë ¥í•´ì•¼ 합니다." -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 #, fuzzy msgid "Could not determine source user." msgstr "공개 streamì„ ë¶ˆëŸ¬ì˜¬ 수 없습니다." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 #, fuzzy msgid "Could not find target user." msgstr "ì–´ë– í•œ ìƒíƒœë„ ì°¾ì„ ìˆ˜ 없습니다." @@ -515,12 +515,12 @@ msgstr "ì‚¬ìš©ìž ì´ë¦„ì´ë‚˜ 비밀 번호가 틀렸습니다." #: actions/apioauthauthorize.php:170 #, fuzzy -msgid "DB error deleting OAuth app user." +msgid "Database error deleting OAuth application user." msgstr "ì‚¬ìš©ìž ì„¸íŒ… 오류" #: actions/apioauthauthorize.php:196 #, fuzzy -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "해쉬테그를 추가 í•  ë•Œì— ë°ì´íƒ€ë² ì´ìŠ¤ ì—러 : %s" #: actions/apioauthauthorize.php:231 @@ -552,13 +552,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "계정" @@ -759,7 +752,7 @@ msgid "Preview" msgstr "미리보기" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "ì‚­ì œ" @@ -964,7 +957,7 @@ msgstr "ì •ë§ë¡œ 통지를 삭제하시겠습니까?" msgid "Do not delete this notice" msgstr "ì´ í†µì§€ë¥¼ 지울 수 없습니다." -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "ì´ ê²Œì‹œê¸€ 삭제하기" @@ -1275,8 +1268,8 @@ msgstr "" "주시기 ë°”ëžë‹ˆë‹¤." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "취소" @@ -2686,7 +2679,7 @@ msgid "Full name" msgstr "실명" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "홈페ì´ì§€" @@ -3216,7 +3209,7 @@ msgstr "ë¼ì´ì„ ìŠ¤ì— ë™ì˜í•˜ì§€ 않는다면 등ë¡í•  수 없습니다." msgid "You already repeated that notice." msgstr "ë‹¹ì‹ ì€ ì´ë¯¸ ì´ ì‚¬ìš©ìžë¥¼ 차단하고 있습니다." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 #, fuzzy msgid "Repeated" msgstr "ìƒì„±" @@ -3298,23 +3291,23 @@ msgstr "ê·¸ë£¹ì„ ë– ë‚˜ê¸° 위해서는 로그ì¸í•´ì•¼ 합니다." msgid "Application profile" msgstr "í†µì§€ì— í”„ë¡œí•„ì´ ì—†ìŠµë‹ˆë‹¤." -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "별명" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "페ì´ì§€ìˆ˜" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "설명" @@ -3607,7 +3600,7 @@ msgstr "" "**%s**는 %%%%site.name%%%% [마ì´í¬ë¡œë¸”로깅](http://en.wikipedia.org/wiki/" "Micro-blogging) ì„œë¹„ìŠ¤ì— ê³„ì •ì„ ê°–ê³  있습니다." -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, fuzzy, php-format msgid "Repeat of %s" msgstr "%sì— ë‹µì‹ " @@ -4746,68 +4739,77 @@ msgstr "SMS ì¸ì¦" msgid "Paths configuration" msgstr "SMS ì¸ì¦" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, fuzzy, php-format msgid "Describe your application in %d characters" msgstr "140글ìžë¡œ 그룹ì´ë‚˜ 토픽 설명하기" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 #, fuzzy msgid "Describe your application" msgstr "140글ìžë¡œ 그룹ì´ë‚˜ 토픽 설명하기" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 #, fuzzy msgid "Source URL" msgstr "소스 코드" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 #, fuzzy msgid "URL of the homepage of this application" msgstr "그룹 í˜¹ì€ í† í”½ì˜ í™ˆíŽ˜ì´ì§€ë‚˜ 블로그 URL" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 #, fuzzy msgid "URL for the homepage of the organization" msgstr "그룹 í˜¹ì€ í† í”½ì˜ í™ˆíŽ˜ì´ì§€ë‚˜ 블로그 URL" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5704,15 +5706,15 @@ msgstr "ë‚´ìš©ì´ ì—†ìŠµë‹ˆë‹¤!" msgid "Repeated by" msgstr "ìƒì„±" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "ì´ ê²Œì‹œê¸€ì— ëŒ€í•´ 답장하기" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "답장하기" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 #, fuzzy msgid "Notice repeated" msgstr "ê²Œì‹œê¸€ì´ ë“±ë¡ë˜ì—ˆìŠµë‹ˆë‹¤." diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index 441ccdb8b..e0b3f2b2b 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:59:21+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:05:04+0000\n" "Language-Team: Macedonian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: out-statusnet\n" @@ -25,14 +25,12 @@ msgid "Access" msgstr "ПриÑтап" #: actions/accessadminpanel.php:65 -#, fuzzy msgid "Site access settings" -msgstr "Зачувај нагодувања на веб-Ñтраницата" +msgstr "Ðагодувања за приÑтап на веб-Ñтраницата" #: actions/accessadminpanel.php:158 -#, fuzzy msgid "Registration" -msgstr "РегиÑтрирај Ñе" +msgstr "РегиÑтрација" #: actions/accessadminpanel.php:161 msgid "Private" @@ -66,15 +64,14 @@ msgstr "Оневозможи нови региÑтрации." #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "Зачувај" #: actions/accessadminpanel.php:189 -#, fuzzy msgid "Save access settings" -msgstr "Зачувај нагодувања на веб-Ñтраницата" +msgstr "Зачувај нагодувања на приÑтап" #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 @@ -187,7 +184,7 @@ msgstr "Подновувања од %1$s и пријатели на %2$s!" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -366,11 +363,11 @@ msgid "Two user ids or screen_names must be supplied." msgstr "" "Мора да бидат наведени два кориÑнички идентификатора (ID) или две имиња." -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 msgid "Could not determine source user." msgstr "Ðе можев да го утврдам целниот кориÑник." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 msgid "Could not find target user." msgstr "Ðе можев да го пронајдам целниот кориÑник." @@ -510,11 +507,13 @@ msgid "Invalid nickname / password!" msgstr "Погрешен прекар / лозинка!" #: actions/apioauthauthorize.php:170 -msgid "DB error deleting OAuth app user." +#, fuzzy +msgid "Database error deleting OAuth application user." msgstr "Грешка при бришењето на кориÑникот на OAuth-програмот." #: actions/apioauthauthorize.php:196 -msgid "DB error inserting OAuth app user." +#, fuzzy +msgid "Database error inserting OAuth application user." msgstr "" "Грешка во базата на податоци при вметнувањето на кориÑникот на OAuth-" "програмот." @@ -548,13 +547,6 @@ msgstr "Има програм кој Ñака да Ñе поврзе Ñо Ваш msgid "Allow or deny access" msgstr "Дозволи или одбиј приÑтап" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Сметка" @@ -753,7 +745,7 @@ msgid "Preview" msgstr "Преглед" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "Бриши" @@ -953,7 +945,7 @@ msgstr "Дали Ñте Ñигурни дека Ñакате да ја избр msgid "Do not delete this notice" msgstr "Ðе ја бриши оваа забелешка" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "Бриши ја оваа забелешка" @@ -1098,12 +1090,11 @@ msgid "Add to favorites" msgstr "Додај во омилени" #: actions/doc.php:155 -#, fuzzy, php-format +#, php-format msgid "No such document \"%s\"" -msgstr "Ðема таков документ." +msgstr "Ðема документ Ñо наÑлов „%s“" #: actions/editapplication.php:54 -#, fuzzy msgid "Edit Application" msgstr "Уреди програм" @@ -1241,8 +1232,8 @@ msgstr "" "Ñандачето за Ñпам!). Во пиÑмото ќе Ñледат понатамошни напатÑтвија." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "Откажи" @@ -1845,9 +1836,9 @@ msgid "That is not your Jabber ID." msgstr "Ова не е Вашиот Jabber ID." #: actions/inbox.php:59 -#, fuzzy, php-format +#, php-format msgid "Inbox for %1$s - page %2$d" -msgstr "Приемно Ñандаче за %s" +msgstr "Приемно Ñандаче за %1$s - ÑÑ‚Ñ€. %2$d" #: actions/inbox.php:62 #, php-format @@ -2096,7 +2087,6 @@ msgid "No current status" msgstr "Ðема тековен ÑтатуÑ" #: actions/newapplication.php:52 -#, fuzzy msgid "New Application" msgstr "Ðов програм" @@ -2357,9 +2347,9 @@ msgid "Login token expired." msgstr "Ðајавниот жетон е иÑтечен." #: actions/outbox.php:58 -#, fuzzy, php-format +#, php-format msgid "Outbox for %1$s - page %2$d" -msgstr "Излезно Ñандаче за %s" +msgstr "Излезно Ñандаче за %1$s - ÑÑ‚Ñ€. %2$d" #: actions/outbox.php:61 #, php-format @@ -2647,7 +2637,7 @@ msgid "Full name" msgstr "Цело име" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "Домашна Ñтраница" @@ -3190,7 +3180,7 @@ msgstr "Ðе можете да повторувате ÑопÑтвена заб msgid "You already repeated that notice." msgstr "Веќе ја имате повторено таа забелешка." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 msgid "Repeated" msgstr "Повторено" @@ -3205,9 +3195,9 @@ msgid "Replies to %s" msgstr "Одговори иÑпратени до %s" #: actions/replies.php:127 -#, fuzzy, php-format +#, php-format msgid "Replies to %1$s, page %2$d" -msgstr "Одговори на %1$s на %2$s!" +msgstr "Одговори на %1$s, ÑÑ‚Ñ€. %2$d" #: actions/replies.php:144 #, php-format @@ -3272,21 +3262,21 @@ msgstr "Мора да Ñте најавени за да можете да го msgid "Application profile" msgstr "Профил на програмот" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "Икона" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 msgid "Name" msgstr "Име" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 msgid "Organization" msgstr "Организација" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "ОпиÑ" @@ -3341,9 +3331,9 @@ msgstr "" "текÑÑ‚." #: actions/showfavorites.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s's favorite notices, page %2$d" -msgstr "Омилени забелешки на %s" +msgstr "Омилени забелешки на %1$s, ÑÑ‚Ñ€. %2$d" #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." @@ -3403,9 +3393,9 @@ msgid "%s group" msgstr "Група %s" #: actions/showgroup.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s group, page %2$d" -msgstr "Членови на групата %1$s, ÑÑ‚Ñ€. %2$d" +msgstr "Група %1$s, ÑÑ‚Ñ€. %2$d" #: actions/showgroup.php:218 msgid "Group profile" @@ -3528,9 +3518,9 @@ msgid " tagged %s" msgstr " означено Ñо %s" #: actions/showstream.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s, page %2$d" -msgstr "%1$s и пријателите, ÑÑ‚Ñ€. %2$d" +msgstr "%1$s, ÑÑ‚Ñ€. %2$d" #: actions/showstream.php:122 #, php-format @@ -3604,7 +3594,7 @@ msgstr "" "(http://mk.wikipedia.org/wiki/Микроблогирање) базирана на Ñлободната " "програмÑка алатка [StatusNet](http://status.net/). " -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, php-format msgid "Repeat of %s" msgstr "Повторувања на %s" @@ -3972,9 +3962,9 @@ msgid "SMS" msgstr "СМС" #: actions/tag.php:68 -#, fuzzy, php-format +#, php-format msgid "Notices tagged with %1$s, page %2$d" -msgstr "КориÑтници Ñамоозначени Ñо %1$s - ÑÑ‚Ñ€. %2$d" +msgstr "Забелешки означени Ñо %1$s, ÑÑ‚Ñ€. %2$d" #: actions/tag.php:86 #, php-format @@ -4277,9 +4267,9 @@ msgid "Enjoy your hotdog!" msgstr "Добар апетит!" #: actions/usergroups.php:64 -#, fuzzy, php-format +#, php-format msgid "%1$s groups, page %2$d" -msgstr "Членови на групата %1$s, ÑÑ‚Ñ€. %2$d" +msgstr "Групи %1$s, ÑÑ‚Ñ€. %2$d" #: actions/usergroups.php:130 msgid "Search for more groups" @@ -4450,9 +4440,8 @@ msgid "Problem saving notice." msgstr "Проблем во зачувувањето на белешката." #: classes/Notice.php:790 -#, fuzzy msgid "Problem saving group inbox." -msgstr "Проблем во зачувувањето на белешката." +msgstr "Проблем при зачувувањето на групното приемно Ñандаче." #: classes/Notice.php:850 #, php-format @@ -4663,16 +4652,20 @@ msgstr "Лиценца на Ñодржините на веб-Ñтраницат #: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." -msgstr "" +msgstr "Содржината и податоците на %1$s Ñе лични и доверливи." #: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" +"ÐвторÑките права на Ñодржината и податоците Ñе во ÑопÑтвеноÑÑ‚ на %1$s. Сите " +"права задржани." #: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" +"ÐвторÑките права на Ñодржината и податоците им припаѓаат на учеÑниците. Сите " +"права задржани." #: lib/action.php:826 msgid "All " @@ -4723,77 +4716,84 @@ msgid "Design configuration" msgstr "Конфигурација на изгледот" #: lib/adminpanelaction.php:322 -#, fuzzy msgid "User configuration" -msgstr "Конфигурација на патеки" +msgstr "Конфигурација на кориÑник" #: lib/adminpanelaction.php:327 -#, fuzzy msgid "Access configuration" -msgstr "Конфигурација на изгледот" +msgstr "Конфигурација на приÑтапот" #: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "Конфигурација на патеки" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "Уреди програм" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "Икона за овој програм" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, php-format msgid "Describe your application in %d characters" msgstr "Опишете го програмот Ñо %d знаци" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 msgid "Describe your application" msgstr "Опишете го Вашиот програм" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 msgid "Source URL" msgstr "Изворна URL-адреÑа" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 msgid "URL of the homepage of this application" msgstr "URL на Ñтраницата на програмот" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "Организацијата одговорна за овој програм" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 msgid "URL for the homepage of the organization" msgstr "URL на Ñтраницата на организацијата" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "URL за пренаÑочување по заверката" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "ПрелиÑтувач" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "Работна површина" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "Тип на програм, прелиÑтувач или работна површина" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "Само читање" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "Читање-пишување" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" "ОÑновно-зададен приÑтап за овој програм: Ñамо читање, или читање-пишување" @@ -5802,15 +5802,15 @@ msgstr "во контекÑÑ‚" msgid "Repeated by" msgstr "Повторено од" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "Одговори на забелешкава" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "Одговор" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 msgid "Notice repeated" msgstr "Забелешката е повторена" diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index e6d329506..c0be6a5cd 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:59:24+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:05:07+0000\n" "Language-Team: Norwegian (bokmÃ¥l)‬\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: out-statusnet\n" @@ -64,7 +64,7 @@ msgstr "" #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "Lagre" @@ -183,7 +183,7 @@ msgstr "Oppdateringer fra %1$s og venner pÃ¥ %2$s!" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -364,12 +364,12 @@ msgstr "Du kan ikke slutte Ã¥ følge deg selv!" msgid "Two user ids or screen_names must be supplied." msgstr "To bruker ID-er eller kallenavn mÃ¥ oppgis." -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 #, fuzzy msgid "Could not determine source user." msgstr "Klarte ikke Ã¥ oppdatere bruker." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 #, fuzzy msgid "Could not find target user." msgstr "Klarte ikke Ã¥ oppdatere bruker." @@ -513,11 +513,11 @@ msgid "Invalid nickname / password!" msgstr "Ugyldig brukernavn eller passord" #: actions/apioauthauthorize.php:170 -msgid "DB error deleting OAuth app user." +msgid "Database error deleting OAuth application user." msgstr "" #: actions/apioauthauthorize.php:196 -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "" #: actions/apioauthauthorize.php:231 @@ -549,13 +549,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 #, fuzzy msgid "Account" @@ -755,7 +748,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 #, fuzzy msgid "Delete" msgstr "slett" @@ -957,7 +950,7 @@ msgstr "Er du sikker pÃ¥ at du vil slette denne notisen?" msgid "Do not delete this notice" msgstr "Kan ikke slette notisen." -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "" @@ -1263,8 +1256,8 @@ msgstr "" "melding med videre veiledning." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "Avbryt" @@ -2626,7 +2619,7 @@ msgid "Full name" msgstr "Fullt navn" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "Hjemmesiden" @@ -3146,7 +3139,7 @@ msgstr "" msgid "You already repeated that notice." msgstr "Du er allerede logget inn!" -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 #, fuzzy msgid "Repeated" msgstr "Opprett" @@ -3229,23 +3222,23 @@ msgstr "" msgid "Application profile" msgstr "" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "Nick" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Bekreftelseskode" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 #, fuzzy msgid "Description" msgstr "Alle abonnementer" @@ -3538,7 +3531,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Svar til %s" @@ -4637,68 +4630,77 @@ msgstr "" msgid "Paths configuration" msgstr "" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, fuzzy, php-format msgid "Describe your application in %d characters" msgstr "Beskriv degselv og dine interesser med 140 tegn" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 #, fuzzy msgid "Describe your application" msgstr "Beskriv degselv og dine interesser med 140 tegn" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 #, fuzzy msgid "Source URL" msgstr "Kilde" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 #, fuzzy msgid "URL of the homepage of this application" msgstr "URL til din hjemmeside, blogg, eller profil pÃ¥ annen nettside." -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 #, fuzzy msgid "URL for the homepage of the organization" msgstr "URL til din hjemmeside, blogg, eller profil pÃ¥ annen nettside." -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5598,16 +5600,16 @@ msgstr "" msgid "Repeated by" msgstr "Opprett" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 #, fuzzy msgid "Reply" msgstr "svar" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 #, fuzzy msgid "Notice repeated" msgstr "Nytt nick" diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index 8e5fc1ea9..9594c08b5 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:59:30+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:05:12+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: out-statusnet\n" @@ -26,14 +26,12 @@ msgid "Access" msgstr "Toegang" #: actions/accessadminpanel.php:65 -#, fuzzy msgid "Site access settings" -msgstr "Websiteinstellingen opslaan" +msgstr "Instellingen voor sitetoegang" #: actions/accessadminpanel.php:158 -#, fuzzy msgid "Registration" -msgstr "Registreren" +msgstr "Registratie" #: actions/accessadminpanel.php:161 msgid "Private" @@ -65,15 +63,14 @@ msgstr "Nieuwe registraties uitschakelen." #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "Opslaan" #: actions/accessadminpanel.php:189 -#, fuzzy msgid "Save access settings" -msgstr "Websiteinstellingen opslaan" +msgstr "Toegangsinstellingen opslaan" #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 @@ -186,7 +183,7 @@ msgstr "Updates van %1$s en vrienden op %2$s." #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -367,11 +364,11 @@ msgstr "U kunt het abonnement op uzelf niet opzeggen." msgid "Two user ids or screen_names must be supplied." msgstr "Er moeten twee gebruikersnamen of ID's opgegeven worden." -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 msgid "Could not determine source user." msgstr "Het was niet mogelijk de brongebruiker te bepalen." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 msgid "Could not find target user." msgstr "Het was niet mogelijk de doelgebruiker te vinden." @@ -516,13 +513,15 @@ msgid "Invalid nickname / password!" msgstr "Ongeldige gebruikersnaam of wachtwoord." #: actions/apioauthauthorize.php:170 -msgid "DB error deleting OAuth app user." +#, fuzzy +msgid "Database error deleting OAuth application user." msgstr "" "Er is een databasefout opgetreden tijdens het verwijderen van de OAuth " "applicatiegebruiker." #: actions/apioauthauthorize.php:196 -msgid "DB error inserting OAuth app user." +#, fuzzy +msgid "Database error inserting OAuth application user." msgstr "" "Er is een databasefout opgetreden tijdens het toevoegen van de OAuth " "applicatiegebruiker." @@ -558,13 +557,6 @@ msgstr "Een applicatie vraagt toegang tot uw gebruikersgegevens" msgid "Allow or deny access" msgstr "Toegang toestaan of ontzeggen" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Gebruiker" @@ -762,7 +754,7 @@ msgid "Preview" msgstr "Voorvertoning" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "Verwijderen" @@ -962,7 +954,7 @@ msgstr "Weet u zeker dat u deze aankondiging wilt verwijderen?" msgid "Do not delete this notice" msgstr "Deze mededeling niet verwijderen" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "Deze mededeling verwijderen" @@ -1108,12 +1100,11 @@ msgid "Add to favorites" msgstr "Aan favorieten toevoegen" #: actions/doc.php:155 -#, fuzzy, php-format +#, php-format msgid "No such document \"%s\"" -msgstr "Onbekend document." +msgstr "Onbekend document \"%s\"" #: actions/editapplication.php:54 -#, fuzzy msgid "Edit Application" msgstr "Applicatie bewerken" @@ -1251,8 +1242,8 @@ msgstr "" "ongewenste berichten/spam) voor een bericht met nadere instructies." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "Annuleren" @@ -1861,9 +1852,9 @@ msgid "That is not your Jabber ID." msgstr "Dit is niet uw Jabber-ID." #: actions/inbox.php:59 -#, fuzzy, php-format +#, php-format msgid "Inbox for %1$s - page %2$d" -msgstr "Postvak IN van %s" +msgstr "Postvak IN van %s - pagina %2$d" #: actions/inbox.php:62 #, php-format @@ -2113,7 +2104,6 @@ msgid "No current status" msgstr "Geen huidige status" #: actions/newapplication.php:52 -#, fuzzy msgid "New Application" msgstr "Nieuwe applicatie" @@ -2377,9 +2367,9 @@ msgid "Login token expired." msgstr "Het aanmeldtoken is verlopen." #: actions/outbox.php:58 -#, fuzzy, php-format +#, php-format msgid "Outbox for %1$s - page %2$d" -msgstr "Postvak UIT voor %s" +msgstr "Postvak UIT voor %1$s - pagina %2$d" #: actions/outbox.php:61 #, php-format @@ -2665,7 +2655,7 @@ msgid "Full name" msgstr "Volledige naam" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "Thuispagina" @@ -3212,7 +3202,7 @@ msgstr "U kunt uw eigen mededeling niet herhalen." msgid "You already repeated that notice." msgstr "U hent die mededeling al herhaald." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 msgid "Repeated" msgstr "Herhaald" @@ -3227,9 +3217,9 @@ msgid "Replies to %s" msgstr "Antwoorden aan %s" #: actions/replies.php:127 -#, fuzzy, php-format +#, php-format msgid "Replies to %1$s, page %2$d" -msgstr "Antwoorden aan %1$s op %2$s." +msgstr "Antwoorden aan %1$s, pagina %2$d" #: actions/replies.php:144 #, php-format @@ -3294,21 +3284,21 @@ msgstr "U moet aangemeld zijn om een applicatie te kunnen bekijken." msgid "Application profile" msgstr "Applicatieprofiel" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "Icoon" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 msgid "Name" msgstr "Naam" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 msgid "Organization" msgstr "Organisatie" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Beschrijving" @@ -3363,9 +3353,9 @@ msgstr "" "platte tekst is niet mogelijk." #: actions/showfavorites.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s's favorite notices, page %2$d" -msgstr "Favoriete mededelingen van %s" +msgstr "Favoriete mededelingen van %1$s, pagina %2$d" #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." @@ -3426,9 +3416,9 @@ msgid "%s group" msgstr "%s groep" #: actions/showgroup.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s group, page %2$d" -msgstr "%1$s groeps leden, pagina %2$d" +msgstr "Groep %1$s, pagina %2$d" #: actions/showgroup.php:218 msgid "Group profile" @@ -3551,9 +3541,9 @@ msgid " tagged %s" msgstr " met het label %s" #: actions/showstream.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s, page %2$d" -msgstr "%1$s en vrienden, pagina %2$d" +msgstr "%1$s, pagina %2$d" #: actions/showstream.php:122 #, php-format @@ -3628,7 +3618,7 @@ msgstr "" "(http://en.wikipedia.org/wiki/Micro-blogging) gebaseerd op de Vrije Software " "[StatusNet](http://status.net/). " -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, php-format msgid "Repeat of %s" msgstr "Herhaald van %s" @@ -3999,9 +3989,9 @@ msgid "SMS" msgstr "SMS" #: actions/tag.php:68 -#, fuzzy, php-format +#, php-format msgid "Notices tagged with %1$s, page %2$d" -msgstr "Gebruikers die zichzelf met %1$s hebben gelabeld - pagina %2$d" +msgstr "Mededelingen met het label %1$s, pagina %2$d" #: actions/tag.php:86 #, php-format @@ -4307,9 +4297,9 @@ msgid "Enjoy your hotdog!" msgstr "Geniet van uw hotdog!" #: actions/usergroups.php:64 -#, fuzzy, php-format +#, php-format msgid "%1$s groups, page %2$d" -msgstr "%1$s groeps leden, pagina %2$d" +msgstr "Groepen voor %1$s, pagina %2$d" #: actions/usergroups.php:130 msgid "Search for more groups" @@ -4485,9 +4475,10 @@ msgid "Problem saving notice." msgstr "Er is een probleem opgetreden bij het opslaan van de mededeling." #: classes/Notice.php:790 -#, fuzzy msgid "Problem saving group inbox." -msgstr "Er is een probleem opgetreden bij het opslaan van de mededeling." +msgstr "" +"Er is een probleem opgetreden bij het opslaan van het Postvak IN van de " +"groep." #: classes/Notice.php:850 #, php-format @@ -4763,77 +4754,84 @@ msgid "Design configuration" msgstr "Instellingen vormgeving" #: lib/adminpanelaction.php:322 -#, fuzzy msgid "User configuration" -msgstr "Padinstellingen" +msgstr "Gebruikersinstellingen" #: lib/adminpanelaction.php:327 -#, fuzzy msgid "Access configuration" -msgstr "Instellingen vormgeving" +msgstr "Toegangsinstellingen" #: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "Padinstellingen" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "Applicatie bewerken" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "Icoon voor deze applicatie" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, php-format msgid "Describe your application in %d characters" msgstr "Beschrijf uw applicatie in %d tekens" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 msgid "Describe your application" msgstr "Beschrijf uw applicatie" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 msgid "Source URL" msgstr "Bron-URL" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 msgid "URL of the homepage of this application" msgstr "De URL van de homepage van deze applicatie" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "Organisatie verantwoordelijk voor deze applicatie" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 msgid "URL for the homepage of the organization" msgstr "De URL van de homepage van de organisatie" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "URL om naar door te verwijzen na authenticatie" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "Browser" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "Desktop" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "Type applicatie; browser of desktop" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "Alleen-lezen" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "Lezen en schrijven" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" "Standaardtoegang voor deze applicatie: alleen-lezen of lezen en schrijven" @@ -5848,15 +5846,15 @@ msgstr "in context" msgid "Repeated by" msgstr "Herhaald door" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "Op deze mededeling antwoorden" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "Antwoorden" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 msgid "Notice repeated" msgstr "Mededeling herhaald" diff --git a/locale/nn/LC_MESSAGES/statusnet.po b/locale/nn/LC_MESSAGES/statusnet.po index 44c9c6cd5..c2959eb32 100644 --- a/locale/nn/LC_MESSAGES/statusnet.po +++ b/locale/nn/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:59:27+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:05:09+0000\n" "Language-Team: Norwegian Nynorsk\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nn\n" "X-Message-Group: out-statusnet\n" @@ -66,7 +66,7 @@ msgstr "" #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "Lagra" @@ -180,7 +180,7 @@ msgstr "Oppdateringar frÃ¥ %1$s og vener pÃ¥ %2$s!" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -362,12 +362,12 @@ msgstr "Kan ikkje oppdatera brukar." msgid "Two user ids or screen_names must be supplied." msgstr "To brukar IDer eller kallenamn er naudsynte." -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 #, fuzzy msgid "Could not determine source user." msgstr "Kan ikkje hente offentleg straum." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 #, fuzzy msgid "Could not find target user." msgstr "Kan ikkje finna einkvan status." @@ -513,12 +513,12 @@ msgstr "Ugyldig brukarnamn eller passord." #: actions/apioauthauthorize.php:170 #, fuzzy -msgid "DB error deleting OAuth app user." +msgid "Database error deleting OAuth application user." msgstr "Feil ved Ã¥ setja brukar." #: actions/apioauthauthorize.php:196 #, fuzzy -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "databasefeil ved innsetjing av skigardmerkelapp (#merkelapp): %s" #: actions/apioauthauthorize.php:231 @@ -550,13 +550,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Konto" @@ -757,7 +750,7 @@ msgid "Preview" msgstr "Forhandsvis" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "Slett" @@ -963,7 +956,7 @@ msgstr "Sikker pÃ¥ at du vil sletta notisen?" msgid "Do not delete this notice" msgstr "Kan ikkje sletta notisen." -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "Slett denne notisen" @@ -1274,8 +1267,8 @@ msgstr "" "med instruksjonar." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "Avbryt" @@ -2692,7 +2685,7 @@ msgid "Full name" msgstr "Fullt namn" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "Heimeside" @@ -3229,7 +3222,7 @@ msgstr "Du kan ikkje registrera deg om du ikkje godtek vilkÃ¥ra i lisensen." msgid "You already repeated that notice." msgstr "Du har allereie blokkert denne brukaren." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 #, fuzzy msgid "Repeated" msgstr "Lag" @@ -3311,23 +3304,23 @@ msgstr "Du mÃ¥ være innlogga for Ã¥ melde deg ut av ei gruppe." msgid "Application profile" msgstr "Notisen har ingen profil" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "Kallenamn" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Paginering" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Beskriving" @@ -3620,7 +3613,7 @@ msgstr "" "**%s** har ein konto pÃ¥ %%%%site.name%%%%, ei [mikroblogging](http://en." "wikipedia.org/wiki/Micro-blogging)-teneste" -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Svar til %s" @@ -4763,68 +4756,77 @@ msgstr "SMS bekreftelse" msgid "Paths configuration" msgstr "SMS bekreftelse" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, fuzzy, php-format msgid "Describe your application in %d characters" msgstr "Beskriv gruppa eller emnet med 140 teikn" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 #, fuzzy msgid "Describe your application" msgstr "Beskriv gruppa eller emnet med 140 teikn" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 #, fuzzy msgid "Source URL" msgstr "Kjeldekode" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 #, fuzzy msgid "URL of the homepage of this application" msgstr "URL til heimesida eller bloggen for gruppa eller emnet" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 #, fuzzy msgid "URL for the homepage of the organization" msgstr "URL til heimesida eller bloggen for gruppa eller emnet" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5731,15 +5733,15 @@ msgstr "Ingen innhald." msgid "Repeated by" msgstr "Lag" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "Svar pÃ¥ denne notisen" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "Svar" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 #, fuzzy msgid "Notice repeated" msgstr "Melding lagra" diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index 292affef5..a50e63f49 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:59:33+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:05:15+0000\n" "Last-Translator: Piotr DrÄ…g \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -19,7 +19,7 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: out-statusnet\n" @@ -29,14 +29,12 @@ msgid "Access" msgstr "DostÄ™p" #: actions/accessadminpanel.php:65 -#, fuzzy msgid "Site access settings" -msgstr "Zapisz ustawienia strony" +msgstr "Ustawienia dostÄ™pu strony" #: actions/accessadminpanel.php:158 -#, fuzzy msgid "Registration" -msgstr "Zarejestruj siÄ™" +msgstr "Rejestracja" #: actions/accessadminpanel.php:161 msgid "Private" @@ -68,15 +66,14 @@ msgstr "WyÅ‚Ä…czenie nowych rejestracji." #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "Zapisz" #: actions/accessadminpanel.php:189 -#, fuzzy msgid "Save access settings" -msgstr "Zapisz ustawienia strony" +msgstr "Zapisz ustawienia dostÄ™pu" #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 @@ -189,7 +186,7 @@ msgstr "Aktualizacje z %1$s i przyjaciół na %2$s." #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -367,11 +364,11 @@ msgstr "Nie można zrezygnować z obserwacji samego siebie." msgid "Two user ids or screen_names must be supplied." msgstr "Należy dostarczyć dwa identyfikatory lub nazwy użytkowników." -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 msgid "Could not determine source user." msgstr "Nie można okreÅ›lić użytkownika źródÅ‚owego." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 msgid "Could not find target user." msgstr "Nie można odnaleźć użytkownika docelowego." @@ -511,11 +508,13 @@ msgid "Invalid nickname / password!" msgstr "NieprawidÅ‚owy pseudonim/hasÅ‚o." #: actions/apioauthauthorize.php:170 -msgid "DB error deleting OAuth app user." +#, fuzzy +msgid "Database error deleting OAuth application user." msgstr "BÅ‚Ä…d bazy danych podczas usuwania użytkownika aplikacji OAuth." #: actions/apioauthauthorize.php:196 -msgid "DB error inserting OAuth app user." +#, fuzzy +msgid "Database error inserting OAuth application user." msgstr "BÅ‚Ä…d bazy danych podczas wprowadzania użytkownika aplikacji OAuth." #: actions/apioauthauthorize.php:231 @@ -548,13 +547,6 @@ msgstr "Aplikacja chce poÅ‚Ä…czyć siÄ™ z kontem użytkownika" msgid "Allow or deny access" msgstr "Zezwolić czy odmówić dostÄ™p" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Konto" @@ -749,7 +741,7 @@ msgid "Preview" msgstr "PodglÄ…d" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "UsuÅ„" @@ -948,7 +940,7 @@ msgstr "JesteÅ› pewien, że chcesz usunąć ten wpis?" msgid "Do not delete this notice" msgstr "Nie usuwaj tego wpisu" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "UsuÅ„ ten wpis" @@ -1091,12 +1083,11 @@ msgid "Add to favorites" msgstr "Dodaj do ulubionych" #: actions/doc.php:155 -#, fuzzy, php-format +#, php-format msgid "No such document \"%s\"" -msgstr "Nie ma takiego dokumentu." +msgstr "Nie ma takiego dokumentu \\\"%s\\\"" #: actions/editapplication.php:54 -#, fuzzy msgid "Edit Application" msgstr "Zmodyfikuj aplikacjÄ™" @@ -1235,8 +1226,8 @@ msgstr "" "instrukcjami." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "Anuluj" @@ -1829,9 +1820,9 @@ msgid "That is not your Jabber ID." msgstr "To nie jest twój identyfikator Jabbera." #: actions/inbox.php:59 -#, fuzzy, php-format +#, php-format msgid "Inbox for %1$s - page %2$d" -msgstr "Odebrane wiadomoÅ›ci użytkownika %s" +msgstr "Odebrane wiadomoÅ›ci użytkownika %1$s - strona %2$d" #: actions/inbox.php:62 #, php-format @@ -2080,7 +2071,6 @@ msgid "No current status" msgstr "Brak obecnego stanu" #: actions/newapplication.php:52 -#, fuzzy msgid "New Application" msgstr "Nowa aplikacja" @@ -2338,9 +2328,9 @@ msgid "Login token expired." msgstr "Token logowania wygasÅ‚." #: actions/outbox.php:58 -#, fuzzy, php-format +#, php-format msgid "Outbox for %1$s - page %2$d" -msgstr "WysÅ‚ane wiadomoÅ›ci użytkownika %s" +msgstr "WysÅ‚ane wiadomoÅ›ci użytkownika %1$s - strona %2$d" #: actions/outbox.php:61 #, php-format @@ -2626,7 +2616,7 @@ msgid "Full name" msgstr "ImiÄ™ i nazwisko" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "Strona domowa" @@ -3165,7 +3155,7 @@ msgstr "Nie można powtórzyć wÅ‚asnego wpisu." msgid "You already repeated that notice." msgstr "Już powtórzono ten wpis." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 msgid "Repeated" msgstr "Powtórzono" @@ -3180,9 +3170,9 @@ msgid "Replies to %s" msgstr "Odpowiedzi na %s" #: actions/replies.php:127 -#, fuzzy, php-format +#, php-format msgid "Replies to %1$s, page %2$d" -msgstr "odpowiedzi dla użytkownika %1$s na %2$s." +msgstr "odpowiedzi dla użytkownika %1$s, strona %2$s" #: actions/replies.php:144 #, php-format @@ -3247,21 +3237,21 @@ msgstr "Musisz być zalogowany, aby wyÅ›wietlić aplikacjÄ™." msgid "Application profile" msgstr "Profil aplikacji" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "Ikona" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 msgid "Name" msgstr "Nazwa" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 msgid "Organization" msgstr "Organizacja" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Opis" @@ -3316,9 +3306,9 @@ msgstr "" "nie jest obsÅ‚ugiwana." #: actions/showfavorites.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s's favorite notices, page %2$d" -msgstr "Ulubione wpisy użytkownika %s" +msgstr "Ulubione wpisy użytkownika %1$s, strona %2$d" #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." @@ -3378,9 +3368,9 @@ msgid "%s group" msgstr "Grupa %s" #: actions/showgroup.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s group, page %2$d" -msgstr "CzÅ‚onkowie grupy %1$s, strona %2$d" +msgstr "Grupa %1$s, strona %2$d" #: actions/showgroup.php:218 msgid "Group profile" @@ -3503,9 +3493,9 @@ msgid " tagged %s" msgstr " ze znacznikiem %s" #: actions/showstream.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s, page %2$d" -msgstr "%1$s i przyjaciele, strona %2$d" +msgstr "%1$s, strona %2$d" #: actions/showstream.php:122 #, php-format @@ -3580,7 +3570,7 @@ msgstr "" "pl.wikipedia.org/wiki/Mikroblog) opartej na wolnym narzÄ™dziu [StatusNet]" "(http://status.net/). " -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, php-format msgid "Repeat of %s" msgstr "Powtórzenia %s" @@ -3945,9 +3935,9 @@ msgid "SMS" msgstr "SMS" #: actions/tag.php:68 -#, fuzzy, php-format +#, php-format msgid "Notices tagged with %1$s, page %2$d" -msgstr "Użytkownicy używajÄ…cy znacznika %1$s - strona %2$d" +msgstr "Wpisy ze znacznikiem %1$s, strona %2$d" #: actions/tag.php:86 #, php-format @@ -4248,9 +4238,9 @@ msgid "Enjoy your hotdog!" msgstr "Smacznego hot-doga." #: actions/usergroups.php:64 -#, fuzzy, php-format +#, php-format msgid "%1$s groups, page %2$d" -msgstr "CzÅ‚onkowie grupy %1$s, strona %2$d" +msgstr "Grupy użytkownika %1$s, strona %2$d" #: actions/usergroups.php:130 msgid "Search for more groups" @@ -4423,9 +4413,8 @@ msgid "Problem saving notice." msgstr "Problem podczas zapisywania wpisu." #: classes/Notice.php:790 -#, fuzzy msgid "Problem saving group inbox." -msgstr "Problem podczas zapisywania wpisu." +msgstr "Problem podczas zapisywania skrzynki odbiorczej grupy." #: classes/Notice.php:850 #, php-format @@ -4700,77 +4689,84 @@ msgid "Design configuration" msgstr "Konfiguracja wyglÄ…du" #: lib/adminpanelaction.php:322 -#, fuzzy msgid "User configuration" -msgstr "Konfiguracja Å›cieżek" +msgstr "Konfiguracja użytkownika" #: lib/adminpanelaction.php:327 -#, fuzzy msgid "Access configuration" -msgstr "Konfiguracja wyglÄ…du" +msgstr "Konfiguracja dostÄ™pu" #: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "Konfiguracja Å›cieżek" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "Zmodyfikuj aplikacjÄ™" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "Ikona tej aplikacji" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, php-format msgid "Describe your application in %d characters" msgstr "Opisz aplikacjÄ™ w %d znakach" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 msgid "Describe your application" msgstr "Opisz aplikacjÄ™" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 msgid "Source URL" msgstr "ŹródÅ‚owy adres URL" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 msgid "URL of the homepage of this application" msgstr "Adres URL strony domowej tej aplikacji" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "Organizacja odpowiedzialna za tÄ™ aplikacjÄ™" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 msgid "URL for the homepage of the organization" msgstr "Adres URL strony domowej organizacji" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "Adres URL do przekierowania po uwierzytelnieniu" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "PrzeglÄ…darka" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "Pulpit" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "Typ aplikacji, przeglÄ…darka lub pulpit" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "Tylko do odczytu" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "Odczyt i zapis" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" "DomyÅ›lny dostÄ™p do tej aplikacji: tylko do odczytu lub do odczytu i zapisu" @@ -5777,15 +5773,15 @@ msgstr "w rozmowie" msgid "Repeated by" msgstr "Powtórzone przez" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "Odpowiedz na ten wpis" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "Odpowiedz" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 msgid "Notice repeated" msgstr "Powtórzono wpis" diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index 86e7899ee..2a804d1e4 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:59:37+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:05:18+0000\n" "Language-Team: Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: out-statusnet\n" @@ -64,7 +64,7 @@ msgstr "Impossibilitar registos novos." #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "Gravar" @@ -183,7 +183,7 @@ msgstr "Actualizações de %1$s e amigos no %2$s!" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -360,11 +360,11 @@ msgstr "Não pode deixar de seguir-se a si próprio." msgid "Two user ids or screen_names must be supplied." msgstr "Devem ser fornecidos dois nomes de utilizador ou utilizadors." -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 msgid "Could not determine source user." msgstr "Não foi possível determinar o utilizador de origem." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 msgid "Could not find target user." msgstr "Não foi possível encontrar o utilizador de destino." @@ -506,12 +506,12 @@ msgstr "Nome de utilizador ou senha inválidos." #: actions/apioauthauthorize.php:170 #, fuzzy -msgid "DB error deleting OAuth app user." +msgid "Database error deleting OAuth application user." msgstr "Erro ao configurar utilizador." #: actions/apioauthauthorize.php:196 #, fuzzy -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "Erro na base de dados ao inserir a marca: %s" #: actions/apioauthauthorize.php:231 @@ -543,13 +543,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Conta" @@ -746,7 +739,7 @@ msgid "Preview" msgstr "Antevisão" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "Apagar" @@ -946,7 +939,7 @@ msgstr "Tem a certeza de que quer apagar esta nota?" msgid "Do not delete this notice" msgstr "Não apagar esta nota" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "Apagar esta nota" @@ -1245,8 +1238,8 @@ msgstr "" "na caixa de spam!) uma mensagem com mais instruções." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "Cancelar" @@ -2655,7 +2648,7 @@ msgid "Full name" msgstr "Nome completo" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "Página pessoal" @@ -3196,7 +3189,7 @@ msgstr "Não pode repetir a sua própria nota." msgid "You already repeated that notice." msgstr "Já repetiu essa nota." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 msgid "Repeated" msgstr "Repetida" @@ -3280,22 +3273,22 @@ msgstr "Precisa de iniciar uma sessão para deixar um grupo." msgid "Application profile" msgstr "Nota não tem perfil" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 msgid "Name" msgstr "Nome" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Paginação" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Descrição" @@ -3612,7 +3605,7 @@ msgstr "" "(http://en.wikipedia.org/wiki/Micro-blogging) baseado no programa de " "Software Livre [StatusNet](http://status.net/). " -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, php-format msgid "Repeat of %s" msgstr "Repetência de %s" @@ -4742,68 +4735,77 @@ msgstr "Configuração do estilo" msgid "Paths configuration" msgstr "Configuração das localizações" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, fuzzy, php-format msgid "Describe your application in %d characters" msgstr "Descreva o grupo ou o assunto em %d caracteres" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 #, fuzzy msgid "Describe your application" msgstr "Descreva o grupo ou assunto" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 #, fuzzy msgid "Source URL" msgstr "Código" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 #, fuzzy msgid "URL of the homepage of this application" msgstr "URL da página ou do blogue, deste grupo ou assunto" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 #, fuzzy msgid "URL for the homepage of the organization" msgstr "URL da página ou do blogue, deste grupo ou assunto" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5806,15 +5808,15 @@ msgstr "no contexto" msgid "Repeated by" msgstr "Repetida por" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "Responder a esta nota" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "Responder" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 msgid "Notice repeated" msgstr "Nota repetida" diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index c3502658a..bc6bb997f 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:59:40+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:05:21+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" @@ -65,7 +65,7 @@ msgstr "Desabilita novos registros." #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "Salvar" @@ -186,7 +186,7 @@ msgstr "Atualizações de %1$s e amigos no %2$s!" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -364,11 +364,11 @@ msgstr "Você não pode deixar de seguir você mesmo!" msgid "Two user ids or screen_names must be supplied." msgstr "Duas IDs de usuário ou screen_names devem ser informados." -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 msgid "Could not determine source user." msgstr "Não foi possível determinar o usuário de origem." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 msgid "Could not find target user." msgstr "Não foi possível encontrar usuário de destino." @@ -511,12 +511,14 @@ msgid "Invalid nickname / password!" msgstr "Nome de usuário e/ou senha inválido(s)!" #: actions/apioauthauthorize.php:170 -msgid "DB error deleting OAuth app user." +#, fuzzy +msgid "Database error deleting OAuth application user." msgstr "" "Erro no banco de dados durante a exclusão do aplicativo OAuth do usuário." #: actions/apioauthauthorize.php:196 -msgid "DB error inserting OAuth app user." +#, fuzzy +msgid "Database error inserting OAuth application user." msgstr "" "Erro no banco de dados durante a inserção do aplicativo OAuth do usuário." @@ -551,13 +553,6 @@ msgstr "Uma aplicação gostaria de se conectar à sua conta" msgid "Allow or deny access" msgstr "Permitir ou negar o acesso" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Conta" @@ -753,7 +748,7 @@ msgid "Preview" msgstr "Visualização" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "Excluir" @@ -953,7 +948,7 @@ msgstr "Tem certeza que deseja excluir esta mensagem?" msgid "Do not delete this notice" msgstr "Não excluir esta mensagem." -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "Excluir esta mensagem" @@ -1241,8 +1236,8 @@ msgstr "" "de spam!) por uma mensagem com mais instruções." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "Cancelar" @@ -2652,7 +2647,7 @@ msgid "Full name" msgstr "Nome completo" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "Site" @@ -3194,7 +3189,7 @@ msgstr "Você não pode repetir sua própria mensagem." msgid "You already repeated that notice." msgstr "Você já repetiu essa mensagem." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 msgid "Repeated" msgstr "Repetida" @@ -3277,21 +3272,21 @@ msgstr "Você deve estar autenticado para visualizar uma aplicação." msgid "Application profile" msgstr "Perfil da aplicação" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "Ãcone" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 msgid "Name" msgstr "Nome" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 msgid "Organization" msgstr "Organização" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Descrição" @@ -3611,7 +3606,7 @@ msgstr "" "pt.wikipedia.org/wiki/Micro-blogging) baseado no software livre [StatusNet]" "(http://status.net/). " -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, php-format msgid "Repeat of %s" msgstr "Repetição de %s" @@ -4741,64 +4736,73 @@ msgstr "Configuração da aparência" msgid "Paths configuration" msgstr "Configuração dos caminhos" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "Editar a aplicação" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "Ãcone para esta aplicação" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, php-format msgid "Describe your application in %d characters" msgstr "Descreva a sua aplicação em %d caracteres" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 msgid "Describe your application" msgstr "Descreva sua aplicação" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 msgid "Source URL" msgstr "URL da fonte" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 msgid "URL of the homepage of this application" msgstr "URL do site desta aplicação" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "Organização responsável por esta aplicação" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 msgid "URL for the homepage of the organization" msgstr "URL para o site da organização" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "URL para o redirecionamento após a autenticação" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "Navegador" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "Desktop" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "Tipo de aplicação: navegador ou desktop" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "Somente leitura" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "Leitura e escrita" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" "Acesso padrão para esta aplicação: somente leitura ou leitura e escrita" @@ -5806,15 +5810,15 @@ msgstr "no contexto" msgid "Repeated by" msgstr "Repetida por" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "Responder a esta mensagem" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "Responder" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 msgid "Notice repeated" msgstr "Mensagem repetida" diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index cd58abacb..4d84af8fd 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:59:43+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:05:24+0000\n" "Language-Team: Russian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: out-statusnet\n" @@ -28,12 +28,10 @@ msgid "Access" msgstr "ПринÑÑ‚ÑŒ" #: actions/accessadminpanel.php:65 -#, fuzzy msgid "Site access settings" -msgstr "Сохранить наÑтройки Ñайта" +msgstr "ÐаÑтройки доÑтупа к Ñайту" #: actions/accessadminpanel.php:158 -#, fuzzy msgid "Registration" msgstr "РегиÑтрациÑ" @@ -68,15 +66,14 @@ msgstr "Отключить новые региÑтрации." #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "Сохранить" #: actions/accessadminpanel.php:189 -#, fuzzy msgid "Save access settings" -msgstr "Сохранить наÑтройки Ñайта" +msgstr "Сохранить наÑтройки доÑтупа" #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 @@ -187,7 +184,7 @@ msgstr "Обновлено от %1$s и его друзей на %2$s!" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -367,11 +364,11 @@ msgstr "Ð’Ñ‹ не можете переÑтать Ñледовать за Ñоб msgid "Two user ids or screen_names must be supplied." msgstr "Ðадо предÑтавить два имени Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð¸Ð»Ð¸ кода." -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 msgid "Could not determine source user." msgstr "Ðе удаётÑÑ Ð¾Ð¿Ñ€ÐµÐ´ÐµÐ»Ð¸Ñ‚ÑŒ иÑходного пользователÑ." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 msgid "Could not find target user." msgstr "Ðе удаётÑÑ Ð½Ð°Ð¹Ñ‚Ð¸ целевого пользователÑ." @@ -512,11 +509,13 @@ msgid "Invalid nickname / password!" msgstr "Ðеверное Ð¸Ð¼Ñ Ð¸Ð»Ð¸ пароль." #: actions/apioauthauthorize.php:170 -msgid "DB error deleting OAuth app user." +#, fuzzy +msgid "Database error deleting OAuth application user." msgstr "Ошибка базы данных при удалении Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð¿Ñ€Ð¸Ð»Ð¾Ð¶ÐµÐ½Ð¸Ñ OAuth." #: actions/apioauthauthorize.php:196 -msgid "DB error inserting OAuth app user." +#, fuzzy +msgid "Database error inserting OAuth application user." msgstr "Ошибка базы данных при добавлении Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð¿Ñ€Ð¸Ð»Ð¾Ð¶ÐµÐ½Ð¸Ñ OAuth." #: actions/apioauthauthorize.php:231 @@ -549,13 +548,6 @@ msgstr "Приложение хочет ÑоединитьÑÑ Ñ Ð²Ð°ÑˆÐµÐ¹ у msgid "Allow or deny access" msgstr "Разрешить или запретить доÑтуп" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "ÐаÑтройки" @@ -751,7 +743,7 @@ msgid "Preview" msgstr "ПроÑмотр" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "Удалить" @@ -950,7 +942,7 @@ msgstr "Ð’Ñ‹ уверены, что хотите удалить Ñту запи msgid "Do not delete this notice" msgstr "Ðе удалÑÑ‚ÑŒ Ñту запиÑÑŒ" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "Удалить Ñту запиÑÑŒ" @@ -1095,12 +1087,11 @@ msgid "Add to favorites" msgstr "Добавить в любимые" #: actions/doc.php:155 -#, fuzzy, php-format +#, php-format msgid "No such document \"%s\"" -msgstr "Ðет такого документа." +msgstr "Ðет такого документа «%s»" #: actions/editapplication.php:54 -#, fuzzy msgid "Edit Application" msgstr "Изменить приложение" @@ -1238,8 +1229,8 @@ msgstr "" "Ð´Ð»Ñ Ñпама!), там будут дальнейшие инÑтрукции." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "Отменить" @@ -1847,9 +1838,9 @@ msgid "That is not your Jabber ID." msgstr "Это не Ваш Jabber ID." #: actions/inbox.php:59 -#, fuzzy, php-format +#, php-format msgid "Inbox for %1$s - page %2$d" -msgstr "ВходÑщие Ð´Ð»Ñ %s" +msgstr "ВходÑщие Ð´Ð»Ñ %1$s — Ñтраница %2$d" #: actions/inbox.php:62 #, php-format @@ -2098,7 +2089,6 @@ msgid "No current status" msgstr "Ðет текущего ÑтатуÑа" #: actions/newapplication.php:52 -#, fuzzy msgid "New Application" msgstr "Ðовое приложение" @@ -2355,9 +2345,9 @@ msgid "Login token expired." msgstr "Срок дейÑÑ‚Ð²Ð¸Ñ ÐºÐ»ÑŽÑ‡Ð° Ð´Ð»Ñ Ð²Ñ…Ð¾Ð´Ð° иÑтёк." #: actions/outbox.php:58 -#, fuzzy, php-format +#, php-format msgid "Outbox for %1$s - page %2$d" -msgstr "ИÑходÑщие Ð´Ð»Ñ %s" +msgstr "ИÑходÑщие Ð´Ð»Ñ %s — Ñтраница %2$d" #: actions/outbox.php:61 #, php-format @@ -2642,7 +2632,7 @@ msgid "Full name" msgstr "Полное имÑ" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "ГлавнаÑ" @@ -3179,7 +3169,7 @@ msgstr "Ð’Ñ‹ не можете повторить ÑобÑтвенную зап msgid "You already repeated that notice." msgstr "Ð’Ñ‹ уже повторили Ñту запиÑÑŒ." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 msgid "Repeated" msgstr "Повторено" @@ -3194,9 +3184,9 @@ msgid "Replies to %s" msgstr "Ответы Ð´Ð»Ñ %s" #: actions/replies.php:127 -#, fuzzy, php-format +#, php-format msgid "Replies to %1$s, page %2$d" -msgstr "Ответы на запиÑи %1$s на %2$s!" +msgstr "Ответы Ð´Ð»Ñ %1$s, Ñтраница %2$d" #: actions/replies.php:144 #, php-format @@ -3262,21 +3252,21 @@ msgstr "Ð’Ñ‹ должны авторизоватьÑÑ, чтобы проÑма msgid "Application profile" msgstr "Профиль приложениÑ" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "Иконка" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 msgid "Name" msgstr "ИмÑ" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 msgid "Organization" msgstr "ОрганизациÑ" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "ОпиÑание" @@ -3331,9 +3321,9 @@ msgstr "" "подпиÑи открытым текÑтом." #: actions/showfavorites.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s's favorite notices, page %2$d" -msgstr "Любимые запиÑи %s" +msgstr "Любимые запиÑи %1$s, Ñтраница %2$d" #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." @@ -3392,9 +3382,9 @@ msgid "%s group" msgstr "Группа %s" #: actions/showgroup.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s group, page %2$d" -msgstr "УчаÑтники группы %1$s, Ñтраница %2$d" +msgstr "Группа %1$s, Ñтраница %2$d" #: actions/showgroup.php:218 msgid "Group profile" @@ -3517,9 +3507,9 @@ msgid " tagged %s" msgstr " Ñ Ñ‚ÐµÐ³Ð¾Ð¼ %s" #: actions/showstream.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s, page %2$d" -msgstr "%1$s и друзьÑ, Ñтраница %2$d" +msgstr "%1$s, Ñтраница %2$d" #: actions/showstream.php:122 #, php-format @@ -3596,7 +3586,7 @@ msgstr "" "иÑпользованием Ñвободного программного обеÑÐ¿ÐµÑ‡ÐµÐ½Ð¸Ñ [StatusNet](http://status." "net/)." -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, php-format msgid "Repeat of %s" msgstr "Повтор за %s" @@ -3964,9 +3954,9 @@ msgid "SMS" msgstr "СМС" #: actions/tag.php:68 -#, fuzzy, php-format +#, php-format msgid "Notices tagged with %1$s, page %2$d" -msgstr "Пользователи, уÑтановившие Ñебе тег %1$s — Ñтраница %2$d" +msgstr "ЗапиÑи Ñ Ñ‚ÐµÐ³Ð¾Ð¼ %1$s, Ñтраница %2$d" #: actions/tag.php:86 #, php-format @@ -4268,9 +4258,9 @@ msgid "Enjoy your hotdog!" msgstr "ПриÑтного аппетита!" #: actions/usergroups.php:64 -#, fuzzy, php-format +#, php-format msgid "%1$s groups, page %2$d" -msgstr "УчаÑтники группы %1$s, Ñтраница %2$d" +msgstr "Группы %1$s, Ñтраница %2$d" #: actions/usergroups.php:130 msgid "Search for more groups" @@ -4439,9 +4429,8 @@ msgid "Problem saving notice." msgstr "Проблемы Ñ Ñохранением запиÑи." #: classes/Notice.php:790 -#, fuzzy msgid "Problem saving group inbox." -msgstr "Проблемы Ñ Ñохранением запиÑи." +msgstr "Проблемы Ñ Ñохранением входÑщих Ñообщений группы." #: classes/Notice.php:850 #, php-format @@ -4716,77 +4705,84 @@ msgid "Design configuration" msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¾Ñ„Ð¾Ñ€Ð¼Ð»ÐµÐ½Ð¸Ñ" #: lib/adminpanelaction.php:322 -#, fuzzy msgid "User configuration" -msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¿ÑƒÑ‚ÐµÐ¹" +msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ" #: lib/adminpanelaction.php:327 -#, fuzzy msgid "Access configuration" -msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¾Ñ„Ð¾Ñ€Ð¼Ð»ÐµÐ½Ð¸Ñ" +msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð´Ð¾Ñтупа" #: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¿ÑƒÑ‚ÐµÐ¹" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "Изменить приложение" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "Иконка Ð´Ð»Ñ Ñтого приложениÑ" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, php-format msgid "Describe your application in %d characters" msgstr "Опишите ваше приложение при помощи %d Ñимволов" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 msgid "Describe your application" msgstr "Опишите ваше приложение" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 msgid "Source URL" msgstr "URL иÑточника" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 msgid "URL of the homepage of this application" msgstr "URL-Ð°Ð´Ñ€ÐµÑ Ð´Ð¾Ð¼Ð°ÑˆÐ½ÐµÐ¹ Ñтраницы Ñтого приложениÑ" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "ОрганизациÑ, ответÑÑ‚Ð²ÐµÐ½Ð½Ð°Ñ Ð·Ð° Ñто приложение" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 msgid "URL for the homepage of the organization" msgstr "URL-Ð°Ð´Ñ€ÐµÑ Ð´Ð¾Ð¼Ð°ÑˆÐ½ÐµÐ¹ Ñтраницы организации" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "URL Ð´Ð»Ñ Ð¿ÐµÑ€ÐµÐ½Ð°Ð¿Ñ€Ð°Ð²Ð»ÐµÐ½Ð¸Ñ Ð¿Ð¾Ñле проверки подлинноÑти" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "Браузер" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "ÐžÐ¿ÐµÑ€Ð°Ñ†Ð¸Ð¾Ð½Ð½Ð°Ñ ÑиÑтема" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "Среда Ð²Ñ‹Ð¿Ð¾Ð»Ð½ÐµÐ½Ð¸Ñ Ð¿Ñ€Ð¸Ð»Ð¾Ð¶ÐµÐ½Ð¸Ñ: браузер или Ð¾Ð¿ÐµÑ€Ð°Ñ†Ð¸Ð¾Ð½Ð½Ð°Ñ ÑиÑтема" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "Только чтение" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "Чтение и запиÑÑŒ" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" "ДоÑтуп по умолчанию Ð´Ð»Ñ Ñтого приложениÑ: только чтение или чтение и запиÑÑŒ" @@ -5790,15 +5786,15 @@ msgstr "в контекÑте" msgid "Repeated by" msgstr "Повторено" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "Ответить на Ñту запиÑÑŒ" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "Ответить" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 msgid "Notice repeated" msgstr "ЗапиÑÑŒ повторена" diff --git a/locale/statusnet.po b/locale/statusnet.po index 799511534..0d7fd8425 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -59,7 +59,7 @@ msgstr "" #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "" @@ -170,7 +170,7 @@ msgstr "" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -342,11 +342,11 @@ msgstr "" msgid "Two user ids or screen_names must be supplied." msgstr "" -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 msgid "Could not determine source user." msgstr "" -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 msgid "Could not find target user." msgstr "" @@ -486,11 +486,11 @@ msgid "Invalid nickname / password!" msgstr "" #: actions/apioauthauthorize.php:170 -msgid "DB error deleting OAuth app user." +msgid "Database error deleting OAuth application user." msgstr "" #: actions/apioauthauthorize.php:196 -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "" #: actions/apioauthauthorize.php:231 @@ -522,13 +522,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "" @@ -723,7 +716,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "" @@ -917,7 +910,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "" @@ -1198,8 +1191,8 @@ msgid "" msgstr "" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "" @@ -2500,7 +2493,7 @@ msgid "Full name" msgstr "" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "" @@ -2991,7 +2984,7 @@ msgstr "" msgid "You already repeated that notice." msgstr "" -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 msgid "Repeated" msgstr "" @@ -3067,21 +3060,21 @@ msgstr "" msgid "Application profile" msgstr "" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 msgid "Name" msgstr "" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 msgid "Organization" msgstr "" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "" @@ -3367,7 +3360,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, php-format msgid "Repeat of %s" msgstr "" @@ -4431,64 +4424,73 @@ msgstr "" msgid "Paths configuration" msgstr "" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, php-format msgid "Describe your application in %d characters" msgstr "" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 msgid "Describe your application" msgstr "" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 msgid "Source URL" msgstr "" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 msgid "URL of the homepage of this application" msgstr "" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 msgid "URL for the homepage of the organization" msgstr "" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5353,15 +5355,15 @@ msgstr "" msgid "Repeated by" msgstr "" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 msgid "Notice repeated" msgstr "" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index 6731f7dfc..21beffe86 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:59:47+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:05:27+0000\n" "Language-Team: Swedish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: out-statusnet\n" @@ -65,7 +65,7 @@ msgstr "Inaktivera nya registreringar." #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "Spara" @@ -184,7 +184,7 @@ msgstr "Uppdateringar frÃ¥n %1$s och vänner pÃ¥ %2$s!" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -358,11 +358,11 @@ msgstr "Du kan inte sluta följa dig själv." msgid "Two user ids or screen_names must be supplied." msgstr "TvÃ¥ användar-ID:n eller screen_names mÃ¥ste tillhandahÃ¥llas." -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 msgid "Could not determine source user." msgstr "Kunde inte fastställa användare hos källan." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 msgid "Could not find target user." msgstr "Kunde inte hitta mÃ¥lanvändare." @@ -503,11 +503,13 @@ msgid "Invalid nickname / password!" msgstr "Ogiltigt smeknamn / lösenord!" #: actions/apioauthauthorize.php:170 -msgid "DB error deleting OAuth app user." +#, fuzzy +msgid "Database error deleting OAuth application user." msgstr "Databasfel vid borttagning av OAuth-applikationsanvändare." #: actions/apioauthauthorize.php:196 -msgid "DB error inserting OAuth app user." +#, fuzzy +msgid "Database error inserting OAuth application user." msgstr "Databasfel vid infogning av OAuth-applikationsanvändare." #: actions/apioauthauthorize.php:231 @@ -539,13 +541,6 @@ msgstr "En applikation skulle vilja ansluta till ditt konto" msgid "Allow or deny access" msgstr "TillÃ¥t eller neka Ã¥tkomst" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Konto" @@ -741,7 +736,7 @@ msgid "Preview" msgstr "Förhandsgranska" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "Ta bort" @@ -941,7 +936,7 @@ msgstr "Är du säker pÃ¥ att du vill ta bort denna notis?" msgid "Do not delete this notice" msgstr "Ta inte bort denna notis" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "Ta bort denna notis" @@ -1229,8 +1224,8 @@ msgstr "" "skräppostkorg!) efter ett meddelande med vidare instruktioner." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "Avbryt" @@ -2597,7 +2592,7 @@ msgid "Full name" msgstr "Fullständigt namn" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "Hemsida" @@ -3126,7 +3121,7 @@ msgstr "Du kan inte upprepa din egna notis." msgid "You already repeated that notice." msgstr "Du har redan upprepat denna notis." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 msgid "Repeated" msgstr "Upprepad" @@ -3208,21 +3203,21 @@ msgstr "Du mÃ¥ste vara inloggad för att se en applikation." msgid "Application profile" msgstr "Applikationsprofil" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "Ikon" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 msgid "Name" msgstr "Namn" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 msgid "Organization" msgstr "Organisation" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Beskrivning" @@ -3538,7 +3533,7 @@ msgstr "" "wikipedia.org/wiki/Micro-blogging)tjänst baserad pÃ¥ den fria programvaran " "[StatusNet](http://status.net/). " -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, php-format msgid "Repeat of %s" msgstr "Upprepning av %s" @@ -4666,64 +4661,73 @@ msgstr "Konfiguration av utseende" msgid "Paths configuration" msgstr "Konfiguration av sökvägar" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "Redigera applikation" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "Ikon för denna applikation" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, php-format msgid "Describe your application in %d characters" msgstr "Beskriv din applikation med högst %d tecken" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 msgid "Describe your application" msgstr "Beskriv din applikation" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 msgid "Source URL" msgstr "URL för källa" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 msgid "URL of the homepage of this application" msgstr "URL till hemsidan för denna applikation" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "Organisation som ansvarar för denna applikation" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 msgid "URL for the homepage of the organization" msgstr "URL till organisationens hemsidan" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "URL att omdirigera till efter autentisering" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "Webbläsare" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "Skrivbord" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "Typ av applikation, webbläsare eller skrivbord" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "Skrivskyddad" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "Läs och skriv" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" "StandardÃ¥tkomst för denna applikation: skrivskyddad, eller läs och skriv" @@ -5612,15 +5616,15 @@ msgstr "i sammanhang" msgid "Repeated by" msgstr "Upprepad av" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "Svara pÃ¥ denna notis" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "Svara" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 msgid "Notice repeated" msgstr "Notis upprepad" diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index 54579428c..229a5c0c2 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:59:50+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:05:30+0000\n" "Language-Team: Telugu\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: out-statusnet\n" @@ -65,7 +65,7 @@ msgstr "కొతà±à°¤ నమోదà±à°²à°¨à± అచేతనంచేయి. #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "à°­à°¦à±à°°à°ªà°°à°šà±" @@ -177,7 +177,7 @@ msgstr "" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -355,12 +355,12 @@ msgstr "మిమà±à°®à°²à±à°¨à°¿ మీరే నిరోధించà±à°• msgid "Two user ids or screen_names must be supplied." msgstr "" -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 #, fuzzy msgid "Could not determine source user." msgstr "వాడà±à°•à°°à°¿à°¨à°¿ తాజాకరించలేకà±à°¨à±à°¨à°¾à°‚." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 msgid "Could not find target user." msgstr "లకà±à°·à±à°¯à°¿à°¤ వాడà±à°•à°°à°¿à°¨à°¿ à°•à°¨à±à°—ొనలేకపోయాం." @@ -500,12 +500,13 @@ msgid "Invalid nickname / password!" msgstr "తపà±à°ªà±à°¡à± పేరౠ/ సంకేతపదం!" #: actions/apioauthauthorize.php:170 -msgid "DB error deleting OAuth app user." -msgstr "" +#, fuzzy +msgid "Database error deleting OAuth application user." +msgstr "అవతారానà±à°¨à°¿ పెటà±à°Ÿà°¡à°‚లో పొరపాటà±" #: actions/apioauthauthorize.php:196 #, fuzzy -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "అవతారానà±à°¨à°¿ పెటà±à°Ÿà°¡à°‚లో పొరపాటà±" #: actions/apioauthauthorize.php:231 @@ -537,13 +538,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "ఖాతా" @@ -741,7 +735,7 @@ msgid "Preview" msgstr "à°®à±à°¨à±à°œà±‚à°ªà±" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "తొలగించà±" @@ -937,7 +931,7 @@ msgstr "మీరౠనిజంగానే à°ˆ నోటీసà±à°¨à°¿ à°¤ msgid "Do not delete this notice" msgstr "à°ˆ నోటీసà±à°¨à°¿ తొలగించకà±" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "à°ˆ నోటీసà±à°¨à°¿ తొలగించà±" @@ -1223,8 +1217,8 @@ msgid "" msgstr "" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "à°°à°¦à±à°¦à±à°šà±‡à°¯à°¿" @@ -2558,7 +2552,7 @@ msgid "Full name" msgstr "పూరà±à°¤à°¿ పేరà±" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "హోమౠపేజీ" @@ -3073,7 +3067,7 @@ msgstr "à°ˆ లైసెనà±à°¸à±à°•à°¿ అంగీకరించకపో msgid "You already repeated that notice." msgstr "మీరౠఇపà±à°ªà°Ÿà°¿à°•à±‡ à°† వాడà±à°•à°°à°¿à°¨à°¿ నిరోధించారà±." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 #, fuzzy msgid "Repeated" msgstr "సృషà±à°Ÿà°¿à°¤à°‚" @@ -3154,21 +3148,21 @@ msgstr "à°—à±à°‚à°ªà±à°¨à°¿ వదిలివెళà±à°³à°¡à°¾à°¨à°¿à°•à°¿ msgid "Application profile" msgstr "" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "à°ªà±à°°à°¤à±€à°•à°‚" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 msgid "Name" msgstr "పేరà±" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 msgid "Organization" msgstr "సంసà±à°§" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "వివరణ" @@ -3455,7 +3449,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, php-format msgid "Repeat of %s" msgstr "%s యొకà±à°• à°ªà±à°¨à°°à°¾à°µà±ƒà°¤à°‚" @@ -4547,66 +4541,75 @@ msgstr "SMS నిరà±à°§à°¾à°°à°£" msgid "Paths configuration" msgstr "SMS నిరà±à°§à°¾à°°à°£" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "ఉపకరణానà±à°¨à°¿ మారà±à°šà±" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "à°ˆ ఉపకరణానికి à°ªà±à°°à°¤à±€à°•à°‚" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, php-format msgid "Describe your application in %d characters" msgstr "మీ ఉపకరణం à°—à±à°°à°¿à°‚à°šà°¿ %d à°…à°•à±à°·à°°à°¾à°²à±à°²à±‹ వివరించండి" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 msgid "Describe your application" msgstr "మీ ఉపకరణానà±à°¨à°¿ వివరించండి" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 #, fuzzy msgid "Source URL" msgstr "మూలమà±" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 msgid "URL of the homepage of this application" msgstr "à°ˆ ఉపకరణం యొకà±à°• హోమà±‌పేజీ à°šà°¿à°°à±à°¨à°¾à°®à°¾" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "à°ˆ ఉపకరణానికి బాధà±à°¯à°¤à°¾à°¯à±à°¤à°®à±ˆà°¨ సంసà±à°¥" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 #, fuzzy msgid "URL for the homepage of the organization" msgstr "మీ హోమౠపేజీ, à°¬à±à°²à°¾à°—à±, లేదా వేరే సేటà±à°²à±‹à°¨à°¿ మీ à°ªà±à°°à±Šà°«à±ˆà°²à± యొకà±à°• à°šà°¿à°°à±à°¨à°¾à°®à°¾" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "విహారిణి" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5504,15 +5507,15 @@ msgstr "సందరà±à°­à°‚లో" msgid "Repeated by" msgstr "సృషà±à°Ÿà°¿à°¤à°‚" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "à°ˆ నోటీసà±à°ªà±ˆ à°¸à±à°ªà°‚దించండి" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "à°¸à±à°ªà°‚దించండి" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 #, fuzzy msgid "Notice repeated" msgstr "నోటీసà±à°¨à°¿ తొలగించాం." diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index 5b620f24d..77371e634 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:59:53+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:05:32+0000\n" "Language-Team: Turkish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: out-statusnet\n" @@ -67,7 +67,7 @@ msgstr "" #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "Kaydet" @@ -181,7 +181,7 @@ msgstr "" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -362,12 +362,12 @@ msgstr "Kullanıcı güncellenemedi." msgid "Two user ids or screen_names must be supplied." msgstr "" -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 #, fuzzy msgid "Could not determine source user." msgstr "Kullanıcı güncellenemedi." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 #, fuzzy msgid "Could not find target user." msgstr "Kullanıcı güncellenemedi." @@ -515,12 +515,12 @@ msgstr "Geçersiz kullanıcı adı veya parola." #: actions/apioauthauthorize.php:170 #, fuzzy -msgid "DB error deleting OAuth app user." +msgid "Database error deleting OAuth application user." msgstr "Kullanıcı ayarlamada hata oluÅŸtu." #: actions/apioauthauthorize.php:196 #, fuzzy -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "Cevap eklenirken veritabanı hatası: %s" #: actions/apioauthauthorize.php:231 @@ -552,13 +552,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 #, fuzzy msgid "Account" @@ -762,7 +755,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "" @@ -967,7 +960,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "Böyle bir durum mesajı yok." -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "" @@ -1273,8 +1266,8 @@ msgid "" msgstr "" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "Ä°ptal et" @@ -2657,7 +2650,7 @@ msgid "Full name" msgstr "Tam Ä°sim" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "BaÅŸlangıç Sayfası" @@ -3168,7 +3161,7 @@ msgstr "EÄŸer lisansı kabul etmezseniz kayıt olamazsınız." msgid "You already repeated that notice." msgstr "Zaten giriÅŸ yapmış durumdasıznız!" -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 #, fuzzy msgid "Repeated" msgstr "Yarat" @@ -3249,23 +3242,23 @@ msgstr "" msgid "Application profile" msgstr "Bu durum mesajının ait oldugu kullanıcı profili yok" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "Takma ad" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Yer" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 #, fuzzy msgid "Description" msgstr "Abonelikler" @@ -3557,7 +3550,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, fuzzy, php-format msgid "Repeat of %s" msgstr "%s için cevaplar" @@ -4686,70 +4679,79 @@ msgstr "Eposta adresi onayı" msgid "Paths configuration" msgstr "Eposta adresi onayı" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, fuzzy, php-format msgid "Describe your application in %d characters" msgstr "Kendinizi ve ilgi alanlarınızı 140 karakter ile anlatın" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 #, fuzzy msgid "Describe your application" msgstr "Kendinizi ve ilgi alanlarınızı 140 karakter ile anlatın" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 #, fuzzy msgid "Source URL" msgstr "Kaynak" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 #, fuzzy msgid "URL of the homepage of this application" msgstr "" "Web Sitenizin, blogunuzun ya da varsa baÅŸka bir sitedeki profilinizin adresi" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 #, fuzzy msgid "URL for the homepage of the organization" msgstr "" "Web Sitenizin, blogunuzun ya da varsa baÅŸka bir sitedeki profilinizin adresi" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5655,16 +5657,16 @@ msgstr "İçerik yok!" msgid "Repeated by" msgstr "Yarat" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 #, fuzzy msgid "Reply" msgstr "cevapla" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 #, fuzzy msgid "Notice repeated" msgstr "Durum mesajları" diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index c5ea85a8a..21aa77c47 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:59:56+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:05:35+0000\n" "Language-Team: Ukrainian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: out-statusnet\n" @@ -27,12 +27,10 @@ msgid "Access" msgstr "ПогодитиÑÑŒ" #: actions/accessadminpanel.php:65 -#, fuzzy msgid "Site access settings" -msgstr "Зберегти Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ñайту" +msgstr "Параметри доÑтупу на Ñайт" #: actions/accessadminpanel.php:158 -#, fuzzy msgid "Registration" msgstr "РеєÑтраціÑ" @@ -68,15 +66,14 @@ msgstr "СкаÑувати подальшу регіÑтрацію." #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "Зберегти" #: actions/accessadminpanel.php:189 -#, fuzzy msgid "Save access settings" -msgstr "Зберегти Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ñайту" +msgstr "Зберегти параметри доÑтупу" #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 @@ -186,7 +183,7 @@ msgstr "ÐžÐ½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð²Ñ–Ð´ %1$s та друзів на %2$s!" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -362,11 +359,11 @@ msgstr "Ви не можете відпиÑатиÑÑŒ від Ñамого Ñеб msgid "Two user ids or screen_names must be supplied." msgstr "Два ID або імені_у_мережі повинні підтримуватиÑÑŒ." -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 msgid "Could not determine source user." msgstr "Ðе вдалоÑÑŒ вÑтановити джерело кориÑтувача." -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 msgid "Could not find target user." msgstr "Ðе вдалоÑÑ Ð·Ð½Ð°Ð¹Ñ‚Ð¸ цільового кориÑтувача." @@ -509,11 +506,13 @@ msgid "Invalid nickname / password!" msgstr "ÐедійÑне Ñ–Ð¼â€™Ñ / пароль!" #: actions/apioauthauthorize.php:170 -msgid "DB error deleting OAuth app user." +#, fuzzy +msgid "Database error deleting OAuth application user." msgstr "Помилка бази даних при видаленні OAuth кориÑтувача." #: actions/apioauthauthorize.php:196 -msgid "DB error inserting OAuth app user." +#, fuzzy +msgid "Database error inserting OAuth application user." msgstr "Помилка бази даних при додаванні OAuth кориÑтувача." #: actions/apioauthauthorize.php:231 @@ -547,13 +546,6 @@ msgstr "Запит на дозвіл під’єднатиÑÑ Ð´Ð¾ Вашого msgid "Allow or deny access" msgstr "Дозволити або заборонити доÑтуп" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "Ðкаунт" @@ -750,7 +742,7 @@ msgid "Preview" msgstr "ПереглÑд" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "Видалити" @@ -947,7 +939,7 @@ msgstr "Ви впевненні, що бажаєте видалити цей д msgid "Do not delete this notice" msgstr "Ðе видалÑти цей допиÑ" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "Видалити допиÑ" @@ -1092,12 +1084,11 @@ msgid "Add to favorites" msgstr "Додати до обраних" #: actions/doc.php:155 -#, fuzzy, php-format +#, php-format msgid "No such document \"%s\"" -msgstr "Такого документа немає." +msgstr "Ðемає такого документа «%s»" #: actions/editapplication.php:54 -#, fuzzy msgid "Edit Application" msgstr "Керувати додатками" @@ -1235,8 +1226,8 @@ msgstr "" "Ñпамом також!), там має бути Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ð· подальшими інÑтрукціÑми." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "СкаÑувати" @@ -1834,9 +1825,9 @@ msgid "That is not your Jabber ID." msgstr "Це не Ваш Jabber ID." #: actions/inbox.php:59 -#, fuzzy, php-format +#, php-format msgid "Inbox for %1$s - page %2$d" -msgstr "Вхідні Ð´Ð»Ñ %s" +msgstr "Вхідні Ð´Ð»Ñ %1$s — Ñторінка %2$d" #: actions/inbox.php:62 #, php-format @@ -2086,7 +2077,6 @@ msgid "No current status" msgstr "ÐÑ–Ñкого поточного ÑтатуÑу" #: actions/newapplication.php:52 -#, fuzzy msgid "New Application" msgstr "Ðовий додаток" @@ -2345,9 +2335,9 @@ msgid "Login token expired." msgstr "Токен Ð´Ð»Ñ Ð²Ñ…Ð¾Ð´Ñƒ втратив чинніÑÑ‚ÑŒ." #: actions/outbox.php:58 -#, fuzzy, php-format +#, php-format msgid "Outbox for %1$s - page %2$d" -msgstr "Вихідні Ð´Ð»Ñ %s" +msgstr "Вихідні Ð´Ð»Ñ %1$s — Ñторінка %2$d" #: actions/outbox.php:61 #, php-format @@ -2633,7 +2623,7 @@ msgid "Full name" msgstr "Повне ім’Ñ" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "Веб-Ñторінка" @@ -3172,7 +3162,7 @@ msgstr "Ви не можете вторувати Ñвоїм влаÑним до msgid "You already repeated that notice." msgstr "Ви вже вторували цьому допиÑу." -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 msgid "Repeated" msgstr "ВторуваннÑ" @@ -3187,9 +3177,9 @@ msgid "Replies to %s" msgstr "Відповіді до %s" #: actions/replies.php:127 -#, fuzzy, php-format +#, php-format msgid "Replies to %1$s, page %2$d" -msgstr "Відповіді до %1$s на %2$s!" +msgstr "Відповіді до %1$s, Ñторінка %2$d" #: actions/replies.php:144 #, php-format @@ -3254,21 +3244,21 @@ msgstr "Ви повинні Ñпочатку увійти, аби Ð¿ÐµÑ€ÐµÐ³Ð»Ñ msgid "Application profile" msgstr "Профіль додатку" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "Іконка" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 msgid "Name" msgstr "Ім’Ñ" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 msgid "Organization" msgstr "ОрганізаціÑ" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "ОпиÑ" @@ -3323,9 +3313,9 @@ msgstr "" "ÑˆÐ¸Ñ„Ñ€ÑƒÐ²Ð°Ð½Ð½Ñ Ð¿Ñ–Ð´Ð¿Ð¸Ñів відкритим текÑтом." #: actions/showfavorites.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s's favorite notices, page %2$d" -msgstr "Обрані допиÑи %s" +msgstr "Обрані допиÑи %1$s, Ñторінка %2$d" #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." @@ -3385,9 +3375,9 @@ msgid "%s group" msgstr "Група %s" #: actions/showgroup.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s group, page %2$d" -msgstr "УчаÑники групи %1$s, Ñторінка %2$d" +msgstr "Група %1$s, Ñторінка %2$d" #: actions/showgroup.php:218 msgid "Group profile" @@ -3509,9 +3499,9 @@ msgid " tagged %s" msgstr " позначено з %s" #: actions/showstream.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s, page %2$d" -msgstr "%1$s та друзі, Ñторінка %2$d" +msgstr "%1$s, Ñторінка %2$d" #: actions/showstream.php:122 #, php-format @@ -3585,7 +3575,7 @@ msgstr "" "(http://uk.wikipedia.org/wiki/Мікроблоґ), Ñкий працює на вільному " "програмному забезпеченні [StatusNet](http://status.net/). " -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, php-format msgid "Repeat of %s" msgstr "Ð’Ñ‚Ð¾Ñ€ÑƒÐ²Ð°Ð½Ð½Ñ %s" @@ -3952,9 +3942,9 @@ msgid "SMS" msgstr "СМС" #: actions/tag.php:68 -#, fuzzy, php-format +#, php-format msgid "Notices tagged with %1$s, page %2$d" -msgstr "КориÑтувачі з оÑобиÑтим теґом %1$s — Ñторінка %2$d" +msgstr "ДопиÑи з теґом %1$s, Ñторінка %2$d" #: actions/tag.php:86 #, php-format @@ -4256,9 +4246,9 @@ msgid "Enjoy your hotdog!" msgstr "ПолаÑуйте бутербродом!" #: actions/usergroups.php:64 -#, fuzzy, php-format +#, php-format msgid "%1$s groups, page %2$d" -msgstr "УчаÑники групи %1$s, Ñторінка %2$d" +msgstr "Групи %1$s, Ñторінка %2$d" #: actions/usergroups.php:130 msgid "Search for more groups" @@ -4427,9 +4417,8 @@ msgid "Problem saving notice." msgstr "Проблема при збереженні допиÑу." #: classes/Notice.php:790 -#, fuzzy msgid "Problem saving group inbox." -msgstr "Проблема при збереженні допиÑу." +msgstr "Проблема при збереженні вхідних допиÑів Ð´Ð»Ñ Ð³Ñ€ÑƒÐ¿Ð¸." #: classes/Notice.php:850 #, php-format @@ -4701,77 +4690,84 @@ msgid "Design configuration" msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ Ð´Ð¸Ð·Ð°Ð¹Ð½Ñƒ" #: lib/adminpanelaction.php:322 -#, fuzzy msgid "User configuration" -msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÑˆÐ»Ñху" +msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÐºÐ¾Ñ€Ð¸Ñтувача" #: lib/adminpanelaction.php:327 -#, fuzzy msgid "Access configuration" -msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ Ð´Ð¸Ð·Ð°Ð¹Ð½Ñƒ" +msgstr "ПрийнÑти конфігурацію" #: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÑˆÐ»Ñху" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "Керувати додатками" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "Іконка Ð´Ð»Ñ Ñ†ÑŒÐ¾Ð³Ð¾ додатку" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, php-format msgid "Describe your application in %d characters" msgstr "Опишіть додаток, вкладаючиÑÑŒ у %d знаків" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 msgid "Describe your application" msgstr "Опишіть Ваш додаток" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 msgid "Source URL" msgstr "URL-адреÑа" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 msgid "URL of the homepage of this application" msgstr "URL-адреÑа веб-Ñторінки цього додатку" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "ОрганізаціÑ, відповідальна за цей додаток" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 msgid "URL for the homepage of the organization" msgstr "URL-адреÑа веб-Ñторінки організації" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "URL-адреÑа, на Ñку перенаправлÑти піÑÐ»Ñ Ð°Ð²Ñ‚ÐµÐ½Ñ‚Ð¸Ñ„Ñ–ÐºÐ°Ñ†Ñ–Ñ—" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "Браузер" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "ДеÑктоп" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "Тип додатку, браузер або деÑктоп" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "Лише читаннÑ" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "Читати-пиÑати" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" "Дозвіл за замовчуваннÑм Ð´Ð»Ñ Ñ†ÑŒÐ¾Ð³Ð¾ додатку: лише Ñ‡Ð¸Ñ‚Ð°Ð½Ð½Ñ Ð°Ð±Ð¾ читати-пиÑати" @@ -5773,15 +5769,15 @@ msgstr "в контекÑÑ‚Ñ–" msgid "Repeated by" msgstr "Вторуванні" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "ВідповіÑти на цей допиÑ" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "ВідповіÑти" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 msgid "Notice repeated" msgstr "Ð”Ð¾Ð¿Ð¸Ñ Ð²Ñ‚Ð¾Ñ€ÑƒÐ²Ð°Ð»Ð¸" diff --git a/locale/vi/LC_MESSAGES/statusnet.po b/locale/vi/LC_MESSAGES/statusnet.po index 741589cff..a58bc7093 100644 --- a/locale/vi/LC_MESSAGES/statusnet.po +++ b/locale/vi/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-27 23:59:59+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:05:38+0000\n" "Language-Team: Vietnamese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: vi\n" "X-Message-Group: out-statusnet\n" @@ -66,7 +66,7 @@ msgstr "" #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "LÆ°u" @@ -180,7 +180,7 @@ msgstr "" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -366,12 +366,12 @@ msgstr "Không thể cập nhật thành viên." msgid "Two user ids or screen_names must be supplied." msgstr "" -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 #, fuzzy msgid "Could not determine source user." msgstr "Không thể lấy lại các tin nhắn Æ°a thích" -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 #, fuzzy msgid "Could not find target user." msgstr "Không tìm thấy bất kỳ trạng thái nào." @@ -517,12 +517,12 @@ msgstr "Tên đăng nhập hoặc mật khẩu không hợp lệ." #: actions/apioauthauthorize.php:170 #, fuzzy -msgid "DB error deleting OAuth app user." +msgid "Database error deleting OAuth application user." msgstr "Lá»—i xảy ra khi tạo thành viên." #: actions/apioauthauthorize.php:196 #, fuzzy -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "Lá»—i cÆ¡ sở dữ liệu khi chèn trả lá»i: %s" #: actions/apioauthauthorize.php:231 @@ -554,13 +554,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 #, fuzzy msgid "Account" @@ -765,7 +758,7 @@ msgid "Preview" msgstr "Xem trÆ°á»›c" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 #, fuzzy msgid "Delete" msgstr "Xóa tin nhắn" @@ -972,7 +965,7 @@ msgstr "Bạn có chắc chắn là muốn xóa tin nhắn này không?" msgid "Do not delete this notice" msgstr "Không thể xóa tin nhắn này." -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 #, fuzzy msgid "Delete this notice" msgstr "Xóa tin nhắn" @@ -1294,8 +1287,8 @@ msgstr "" "để nhận tin nhắn và lá»i hÆ°á»›ng dẫn." #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "Hủy" @@ -2754,7 +2747,7 @@ msgid "Full name" msgstr "Tên đầy đủ" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "Trang chủ hoặc Blog" @@ -3287,7 +3280,7 @@ msgstr "Bạn không thể đăng ký nếu không đồng ý các Ä‘iá»u kho msgid "You already repeated that notice." msgstr "Bạn đã theo những ngÆ°á»i này:" -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 #, fuzzy msgid "Repeated" msgstr "Tạo" @@ -3369,23 +3362,23 @@ msgstr "Bạn phải đăng nhập vào má»›i có thể gá»­i thÆ° má»i những msgid "Application profile" msgstr "Tin nhắn không có hồ sÆ¡ cá nhân" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "Biệt danh" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "ThÆ° má»i đã gá»­i" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Mô tả" @@ -3678,7 +3671,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Trả lá»i cho %s" @@ -4845,68 +4838,77 @@ msgstr "Xác nhận SMS" msgid "Paths configuration" msgstr "Xác nhận SMS" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, fuzzy, php-format msgid "Describe your application in %d characters" msgstr "Nói vá» những sở thích của nhóm trong vòng 140 ký tá»±" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 #, fuzzy msgid "Describe your application" msgstr "Nói vá» những sở thích của nhóm trong vòng 140 ký tá»±" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 #, fuzzy msgid "Source URL" msgstr "Nguồn" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 #, fuzzy msgid "URL of the homepage of this application" msgstr "URL vá» Trang chính, Blog, hoặc hồ sÆ¡ cá nhân của bạn trên " -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 #, fuzzy msgid "URL for the homepage of the organization" msgstr "URL vá» Trang chính, Blog, hoặc hồ sÆ¡ cá nhân của bạn trên " -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5880,16 +5882,16 @@ msgstr "Không có ná»™i dung!" msgid "Repeated by" msgstr "Tạo" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 #, fuzzy msgid "Reply to this notice" msgstr "Trả lá»i tin nhắn này" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "Trả lá»i" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 #, fuzzy msgid "Notice repeated" msgstr "Tin đã gá»­i" diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index 1cd332a8b..3a785ae3e 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-28 00:00:04+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:05:43+0000\n" "Language-Team: Simplified Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: out-statusnet\n" @@ -69,7 +69,7 @@ msgstr "" #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "ä¿å­˜" @@ -182,7 +182,7 @@ msgstr "æ¥è‡ª%2$s 上 %1$s 和好å‹çš„æ›´æ–°ï¼" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -364,12 +364,12 @@ msgstr "无法更新用户。" msgid "Two user ids or screen_names must be supplied." msgstr "å¿…é¡»æ供两个用户å¸å·æˆ–昵称。" -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 #, fuzzy msgid "Could not determine source user." msgstr "无法获å–收è—的通告。" -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 #, fuzzy msgid "Could not find target user." msgstr "找ä¸åˆ°ä»»ä½•ä¿¡æ¯ã€‚" @@ -515,12 +515,12 @@ msgstr "用户å或密ç ä¸æ­£ç¡®ã€‚" #: actions/apioauthauthorize.php:170 #, fuzzy -msgid "DB error deleting OAuth app user." +msgid "Database error deleting OAuth application user." msgstr "ä¿å­˜ç”¨æˆ·è®¾ç½®æ—¶å‡ºé”™ã€‚" #: actions/apioauthauthorize.php:196 #, fuzzy -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "添加标签时数æ®åº“出错:%s" #: actions/apioauthauthorize.php:231 @@ -552,13 +552,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" msgstr "å¸å·" @@ -760,7 +753,7 @@ msgid "Preview" msgstr "预览" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 #, fuzzy msgid "Delete" msgstr "删除" @@ -968,7 +961,7 @@ msgstr "确定è¦åˆ é™¤è¿™æ¡æ¶ˆæ¯å—?" msgid "Do not delete this notice" msgstr "无法删除通告。" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 #, fuzzy msgid "Delete this notice" msgstr "删除通告" @@ -1281,8 +1274,8 @@ msgstr "" "指示。" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "å–消" @@ -2695,7 +2688,7 @@ msgid "Full name" msgstr "å…¨å" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "主页" @@ -3221,7 +3214,7 @@ msgstr "您必须åŒæ„此授æƒæ–¹å¯æ³¨å†Œã€‚" msgid "You already repeated that notice." msgstr "您已æˆåŠŸé˜»æ­¢è¯¥ç”¨æˆ·ï¼š" -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 #, fuzzy msgid "Repeated" msgstr "创建" @@ -3303,23 +3296,23 @@ msgstr "您必须登录æ‰èƒ½é‚€è¯·å…¶ä»–人使用 %s" msgid "Application profile" msgstr "通告没有关è”个人信æ¯" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "昵称" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "分页" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 #, fuzzy msgid "Description" msgstr "æè¿°" @@ -3616,7 +3609,7 @@ msgstr "" "**%s** 有一个å¸å·åœ¨ %%%%site.name%%%%, 一个微åšå®¢æœåŠ¡ [micro-blogging]" "(http://en.wikipedia.org/wiki/Micro-blogging)" -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, fuzzy, php-format msgid "Repeat of %s" msgstr "%s 的回å¤" @@ -4768,68 +4761,77 @@ msgstr "SMS短信确认" msgid "Paths configuration" msgstr "SMS短信确认" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, fuzzy, php-format msgid "Describe your application in %d characters" msgstr "用ä¸è¶…过140个字符æ述您自己和您的爱好" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 #, fuzzy msgid "Describe your application" msgstr "用ä¸è¶…过140个字符æ述您自己和您的爱好" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 #, fuzzy msgid "Source URL" msgstr "æ¥æº" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 #, fuzzy msgid "URL of the homepage of this application" msgstr "您的主页ã€åšå®¢æˆ–在其他站点的URL" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 #, fuzzy msgid "URL for the homepage of the organization" msgstr "您的主页ã€åšå®¢æˆ–在其他站点的URL" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5747,17 +5749,17 @@ msgstr "没有内容ï¼" msgid "Repeated by" msgstr "创建" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 #, fuzzy msgid "Reply to this notice" msgstr "无法删除通告。" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 #, fuzzy msgid "Reply" msgstr "回å¤" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 #, fuzzy msgid "Notice repeated" msgstr "消æ¯å·²å‘布。" diff --git a/locale/zh_TW/LC_MESSAGES/statusnet.po b/locale/zh_TW/LC_MESSAGES/statusnet.po index e01caa3c3..827bc07ff 100644 --- a/locale/zh_TW/LC_MESSAGES/statusnet.po +++ b/locale/zh_TW/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-27 23:58+0000\n" -"PO-Revision-Date: 2010-01-28 00:00:08+0000\n" +"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"PO-Revision-Date: 2010-01-28 23:05:46+0000\n" "Language-Team: Traditional Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61595); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hant\n" "X-Message-Group: out-statusnet\n" @@ -64,7 +64,7 @@ msgstr "" #: actions/profilesettings.php:174 actions/siteadminpanel.php:336 #: actions/smssettings.php:181 actions/subscriptions.php:203 #: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:335 lib/applicationeditform.php:336 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 msgid "Save" msgstr "" @@ -178,7 +178,7 @@ msgstr "" #: actions/apiaccountupdateprofilecolors.php:118 #: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 #: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:129 +#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 #: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 #: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 #: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 @@ -357,12 +357,12 @@ msgstr "無法更新使用者" msgid "Two user ids or screen_names must be supplied." msgstr "" -#: actions/apifriendshipsshow.php:135 +#: actions/apifriendshipsshow.php:134 #, fuzzy msgid "Could not determine source user." msgstr "無法更新使用者" -#: actions/apifriendshipsshow.php:143 +#: actions/apifriendshipsshow.php:142 #, fuzzy msgid "Could not find target user." msgstr "無法更新使用者" @@ -507,12 +507,12 @@ msgstr "使用者å稱或密碼無效" #: actions/apioauthauthorize.php:170 #, fuzzy -msgid "DB error deleting OAuth app user." +msgid "Database error deleting OAuth application user." msgstr "使用者設定發生錯誤" #: actions/apioauthauthorize.php:196 #, fuzzy -msgid "DB error inserting OAuth app user." +msgid "Database error inserting OAuth application user." msgstr "增加回覆時,資料庫發生錯誤: %s" #: actions/apioauthauthorize.php:231 @@ -544,13 +544,6 @@ msgstr "" msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:306 -#, php-format -msgid "" -"The application %s by %s would like the " -"ability to %s your account data." -msgstr "" - #: actions/apioauthauthorize.php:320 lib/action.php:441 #, fuzzy msgid "Account" @@ -752,7 +745,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:611 +#: lib/noticelist.php:608 msgid "Delete" msgstr "" @@ -957,7 +950,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "無此通知" -#: actions/deletenotice.php:146 lib/noticelist.php:611 +#: actions/deletenotice.php:146 lib/noticelist.php:608 msgid "Delete this notice" msgstr "" @@ -1260,8 +1253,8 @@ msgid "" msgstr "" #: actions/emailsettings.php:117 actions/imsettings.php:120 -#: actions/smssettings.php:126 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 msgid "Cancel" msgstr "å–消" @@ -2604,7 +2597,7 @@ msgid "Full name" msgstr "å…¨å" #: actions/profilesettings.php:115 actions/register.php:453 -#: lib/applicationeditform.php:230 lib/groupeditform.php:161 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 msgid "Homepage" msgstr "個人首é " @@ -3104,7 +3097,7 @@ msgstr "" msgid "You already repeated that notice." msgstr "無此使用者" -#: actions/repeat.php:114 lib/noticelist.php:629 +#: actions/repeat.php:114 lib/noticelist.php:626 #, fuzzy msgid "Repeated" msgstr "新增" @@ -3183,23 +3176,23 @@ msgstr "" msgid "Application profile" msgstr "" -#: actions/showapplication.php:160 lib/applicationeditform.php:182 +#: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" msgstr "" #: actions/showapplication.php:170 actions/version.php:195 -#: lib/applicationeditform.php:197 +#: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "暱稱" -#: actions/showapplication.php:179 lib/applicationeditform.php:224 +#: actions/showapplication.php:179 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "地點" #: actions/showapplication.php:188 actions/version.php:198 -#: lib/applicationeditform.php:211 lib/groupeditform.php:172 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 #, fuzzy msgid "Description" msgstr "所有訂閱" @@ -3490,7 +3483,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:313 +#: actions/showstream.php:296 #, php-format msgid "Repeat of %s" msgstr "" @@ -4602,65 +4595,74 @@ msgstr "確èªä¿¡ç®±" msgid "Paths configuration" msgstr "確èªä¿¡ç®±" +#: lib/apiauth.php:103 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:257 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + #: lib/applicationeditform.php:136 msgid "Edit application" msgstr "" -#: lib/applicationeditform.php:186 +#: lib/applicationeditform.php:184 msgid "Icon for this application" msgstr "" -#: lib/applicationeditform.php:206 +#: lib/applicationeditform.php:204 #, fuzzy, php-format msgid "Describe your application in %d characters" msgstr "請在140個字以內æ述你自己與你的興趣" -#: lib/applicationeditform.php:209 +#: lib/applicationeditform.php:207 #, fuzzy msgid "Describe your application" msgstr "請在140個字以內æ述你自己與你的興趣" -#: lib/applicationeditform.php:218 +#: lib/applicationeditform.php:216 msgid "Source URL" msgstr "" -#: lib/applicationeditform.php:220 +#: lib/applicationeditform.php:218 msgid "URL of the homepage of this application" msgstr "" -#: lib/applicationeditform.php:226 +#: lib/applicationeditform.php:224 msgid "Organization responsible for this application" msgstr "" -#: lib/applicationeditform.php:232 +#: lib/applicationeditform.php:230 msgid "URL for the homepage of the organization" msgstr "" -#: lib/applicationeditform.php:238 +#: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" msgstr "" -#: lib/applicationeditform.php:260 +#: lib/applicationeditform.php:258 msgid "Browser" msgstr "" -#: lib/applicationeditform.php:276 +#: lib/applicationeditform.php:274 msgid "Desktop" msgstr "" -#: lib/applicationeditform.php:277 +#: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" msgstr "" -#: lib/applicationeditform.php:299 +#: lib/applicationeditform.php:297 msgid "Read-only" msgstr "" -#: lib/applicationeditform.php:317 +#: lib/applicationeditform.php:315 msgid "Read-write" msgstr "" -#: lib/applicationeditform.php:318 +#: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" @@ -5555,15 +5557,15 @@ msgstr "無內容" msgid "Repeated by" msgstr "新增" -#: lib/noticelist.php:585 +#: lib/noticelist.php:582 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:586 +#: lib/noticelist.php:583 msgid "Reply" msgstr "" -#: lib/noticelist.php:628 +#: lib/noticelist.php:625 #, fuzzy msgid "Notice repeated" msgstr "更新個人圖åƒ" -- cgit v1.2.3-54-g00ecf From d70be6d2ad5a3a9e49a5cc7fa73b01311732e9b5 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 29 Jan 2010 01:49:38 +0000 Subject: Adjust API authentication to also check for OAuth protocol params in the HTTP Authorization header, as defined in OAuth HTTP Authorization Scheme. --- lib/apiauth.php | 84 ++++++++++++++++++++++++++++++++++++--------------------- 1 file changed, 53 insertions(+), 31 deletions(-) diff --git a/lib/apiauth.php b/lib/apiauth.php index d441014ad..262f4b966 100644 --- a/lib/apiauth.php +++ b/lib/apiauth.php @@ -55,11 +55,10 @@ class ApiAuthAction extends ApiAction { var $auth_user_nickname = null; var $auth_user_password = null; - var $access_token = null; - var $oauth_source = null; /** - * Take arguments for running, and output basic auth header if needed + * Take arguments for running, looks for an OAuth request, + * and outputs basic auth header if needed * * @param array $args $_REQUEST args * @@ -71,26 +70,23 @@ class ApiAuthAction extends ApiAction { parent::prepare($args); - $this->consumer_key = $this->arg('oauth_consumer_key'); - $this->access_token = $this->arg('oauth_token'); - // NOTE: $this->auth_user has to get set in prepare(), not handle(), // because subclasses do stuff with it in their prepares. if ($this->requiresAuth()) { - if (!empty($this->access_token)) { - $this->checkOAuthRequest(); - } else { + + $oauthReq = $this->getOAuthRequest(); + + if (!$oauthReq) { $this->checkBasicAuthUser(true); + } else { + $this->checkOAuthRequest($oauthReq); } } else { // Check to see if a basic auth user is there even // if one's not required - - if (empty($this->access_token)) { - $this->checkBasicAuthUser(false); - } + $this->checkBasicAuthUser(false); } // Reject API calls with the wrong access level @@ -110,12 +106,44 @@ class ApiAuthAction extends ApiAction return true; } - function handle($args) + /** + * Determine whether the request is an OAuth request. + * This is to avoid doign any unnecessary DB lookups. + * + * @return mixed the OAuthRequest or false + * + */ + + function getOAuthRequest() { - parent::handle($args); + ApiOauthAction::cleanRequest(); + + $req = OAuthRequest::from_request(); + + $consumer = $req->get_parameter('oauth_consumer_key'); + $accessToken = $req->get_parameter('oauth_token'); + + // XXX: Is it good enough to assume it's not meant to be an + // OAuth request if there is no consumer or token? --Z + + if (empty($consumer) || empty($accessToken)) { + return false; + } + + return $req; } - function checkOAuthRequest() + /** + * Verifies the OAuth request signature, sets the auth user + * and access type (read-only or read-write) + * + * @param OAuthRequest $request the OAuth Request + * + * @return nothing + * + */ + + function checkOAuthRequest($request) { $datastore = new ApiStatusNetOAuthDataStore(); $server = new OAuthServer($datastore); @@ -123,22 +151,19 @@ class ApiAuthAction extends ApiAction $server->add_signature_method($hmac_method); - ApiOauthAction::cleanRequest(); - try { - $req = OAuthRequest::from_request(); - $server->verify_request($req); + $server->verify_request($request); - $app = Oauth_application::getByConsumerKey($this->consumer_key); + $consumer = $request->get_parameter('oauth_consumer_key'); + $access_token = $request->get_parameter('oauth_token'); - if (empty($app)) { + $app = Oauth_application::getByConsumerKey($consumer); - // this should probably not happen + if (empty($app)) { common_log(LOG_WARNING, 'Couldn\'t find the OAuth app for consumer key: ' . - $this->consumer_key); - + $consumer); throw new OAuthException('No application for that consumer key.'); } @@ -146,11 +171,7 @@ class ApiAuthAction extends ApiAction $this->oauth_source = $app->name; - $appUser = Oauth_application_user::staticGet('token', - $this->access_token); - - // XXX: Check that app->id and appUser->application_id and consumer all - // match? + $appUser = Oauth_application_user::staticGet('token', $access_token); if (!empty($appUser)) { @@ -164,6 +185,8 @@ class ApiAuthAction extends ApiAction $this->access = ($appUser->access_type & Oauth_application::$writeAccess) ? self::READ_WRITE : self::READ_ONLY; + // Set the auth user + if (Event::handle('StartSetApiUser', array(&$user))) { $this->auth_user = User::staticGet('id', $appUser->profile_id); Event::handle('EndSetApiUser', array($user)); @@ -180,7 +203,6 @@ class ApiAuthAction extends ApiAction ($this->access = self::READ_WRITE) ? 'read-write' : 'read-only' )); - return; } else { throw new OAuthException('Bad access token.'); } -- cgit v1.2.3-54-g00ecf From 58685117169ba81fcd62474d21b0387635873136 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Thu, 28 Jan 2010 22:04:14 -0800 Subject: Move sessions settings to its own panel --- actions/sessionsadminpanel.php | 201 +++++++++++++++++++++++++++++++++++++++++ actions/useradminpanel.php | 20 ---- lib/adminpanelaction.php | 11 ++- lib/default.php | 2 +- lib/router.php | 3 +- 5 files changed, 212 insertions(+), 25 deletions(-) create mode 100644 actions/sessionsadminpanel.php diff --git a/actions/sessionsadminpanel.php b/actions/sessionsadminpanel.php new file mode 100644 index 000000000..4386ef844 --- /dev/null +++ b/actions/sessionsadminpanel.php @@ -0,0 +1,201 @@ +. + * + * @category Settings + * @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); +} + +/** + * Admin site sessions + * + * @category Admin + * @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 SessionsadminpanelAction extends AdminPanelAction +{ + /** + * Returns the page title + * + * @return string page title + */ + + function title() + { + return _('Sessions'); + } + + /** + * Instructions for using this form. + * + * @return string instructions + */ + + function getInstructions() + { + return _('Session settings for this StatusNet site.'); + } + + /** + * Show the site admin panel form + * + * @return void + */ + + function showForm() + { + $form = new SessionsAdminPanelForm($this); + $form->show(); + return; + } + + /** + * Save settings from the form + * + * @return void + */ + + function saveSettings() + { + static $booleans = array('sessions' => array('handle', 'debug')); + + $values = array(); + + foreach ($booleans as $section => $parts) { + foreach ($parts as $setting) { + $values[$section][$setting] = ($this->boolean($setting)) ? 1 : 0; + } + } + + // This throws an exception on validation errors + + $this->validate($values); + + // assert(all values are valid); + + $config = new Config(); + + $config->query('BEGIN'); + + foreach ($booleans as $section => $parts) { + foreach ($parts as $setting) { + Config::save($section, $setting, $values[$section][$setting]); + } + } + + $config->query('COMMIT'); + + return; + } + + function validate(&$values) + { + // stub + } +} + +class SessionsAdminPanelForm extends AdminForm +{ + /** + * ID of the form + * + * @return int ID of the form + */ + + function id() + { + return 'sessionsadminpanel'; + } + + /** + * class of the form + * + * @return string class of the form + */ + + function formClass() + { + return 'form_settings'; + } + + /** + * Action of the form + * + * @return string URL of the action + */ + + function action() + { + return common_local_url('sessionsadminpanel'); + } + + /** + * Data elements of the form + * + * @return void + */ + + function formData() + { + $this->out->elementStart('fieldset', array('id' => 'settings_user_sessions')); + $this->out->element('legend', null, _('Sessions')); + + $this->out->elementStart('ul', 'form_data'); + + $this->li(); + $this->out->checkbox('handle', _('Handle sessions'), + (bool) $this->value('handle', 'sessions'), + _('Whether to handle sessions ourselves.')); + $this->unli(); + + $this->li(); + $this->out->checkbox('debug', _('Session debugging'), + (bool) $this->value('debug', 'sessions'), + _('Turn on debugging output for sessions.')); + $this->unli(); + + $this->out->elementEnd('ul'); + + $this->out->elementEnd('fieldset'); + } + + /** + * Action elements + * + * @return void + */ + + function formActions() + { + $this->out->submit('submit', _('Save'), 'submit', null, _('Save site settings')); + } +} diff --git a/actions/useradminpanel.php b/actions/useradminpanel.php index 5de2db5ff..6813222f5 100644 --- a/actions/useradminpanel.php +++ b/actions/useradminpanel.php @@ -96,7 +96,6 @@ class UseradminpanelAction extends AdminPanelAction ); static $booleans = array( - 'sessions' => array('handle', 'debug'), 'invite' => array('enabled') ); @@ -261,26 +260,7 @@ class UserAdminPanelForm extends AdminForm $this->out->elementEnd('ul'); $this->out->elementEnd('fieldset'); - $this->out->elementStart('fieldset', array('id' => 'settings_user_sessions')); - $this->out->element('legend', null, _('Sessions')); - $this->out->elementStart('ul', 'form_data'); - - $this->li(); - $this->out->checkbox('sessions-handle', _('Handle sessions'), - (bool) $this->value('handle', 'sessions'), - _('Whether to handle sessions ourselves.')); - $this->unli(); - - $this->li(); - $this->out->checkbox('sessions-debug', _('Session debugging'), - (bool) $this->value('debug', 'sessions'), - _('Turn on debugging output for sessions.')); - $this->unli(); - - $this->out->elementEnd('ul'); - - $this->out->elementEnd('fieldset'); } diff --git a/lib/adminpanelaction.php b/lib/adminpanelaction.php index f62bfa458..f05627b31 100644 --- a/lib/adminpanelaction.php +++ b/lib/adminpanelaction.php @@ -327,9 +327,14 @@ class AdminPanelNav extends Widget _('Access configuration'), $action_name == 'accessadminpanel', 'nav_design_admin_panel'); } - if ($this->canAdmin('paths')) { - $this->out->menuItem(common_local_url('pathsadminpanel'), _('Paths'), - _('Paths configuration'), $action_name == 'pathsadminpanel', 'nav_design_admin_panel'); + if ($this->canAdmin('paths')) { + $this->out->menuItem(common_local_url('pathsadminpanel'), _('Paths'), + _('Paths configuration'), $action_name == 'pathsadminpanel', 'nav_design_admin_panel'); + } + + if ($this->canAdmin('sessions')) { + $this->out->menuItem(common_local_url('sessionsadminpanel'), _('Sessions'), + _('Sessions configuration'), $action_name == 'sessionsadminpanel', 'nav_design_admin_panel'); } Event::handle('EndAdminPanelNav', array($this)); diff --git a/lib/default.php b/lib/default.php index a6b9919b2..64fb7a786 100644 --- a/lib/default.php +++ b/lib/default.php @@ -265,7 +265,7 @@ $default = 'OpenID' => null), ), 'admin' => - array('panels' => array('design', 'site', 'user', 'paths', 'access')), + array('panels' => array('design', 'site', 'user', 'paths', 'access', 'sessions')), 'singleuser' => array('enabled' => false, 'nickname' => null), diff --git a/lib/router.php b/lib/router.php index 03765b39d..be9cfac0c 100644 --- a/lib/router.php +++ b/lib/router.php @@ -637,8 +637,9 @@ class Router $m->connect('admin/site', array('action' => 'siteadminpanel')); $m->connect('admin/design', array('action' => 'designadminpanel')); $m->connect('admin/user', array('action' => 'useradminpanel')); - $m->connect('admin/access', array('action' => 'accessadminpanel')); + $m->connect('admin/access', array('action' => 'accessadminpanel')); $m->connect('admin/paths', array('action' => 'pathsadminpanel')); + $m->connect('admin/sessions', array('action' => 'sessionsadminpanel')); $m->connect('getfile/:filename', array('action' => 'getfile'), -- cgit v1.2.3-54-g00ecf From acd0c0732a0f328548e744bdb05bf11acf9d87e0 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Fri, 29 Jan 2010 15:20:14 +0000 Subject: Hides .author from XHR response in showstream --- theme/base/css/display.css | 3 +++ 1 file changed, 3 insertions(+) diff --git a/theme/base/css/display.css b/theme/base/css/display.css index 65dd15990..b109706a1 100644 --- a/theme/base/css/display.css +++ b/theme/base/css/display.css @@ -995,6 +995,9 @@ padding-left:28px; .notice .author { margin-right:11px; } +#showstream #content .notice .author { +display:none; +} .fn { overflow:hidden; -- cgit v1.2.3-54-g00ecf From edf99dc45bcb28f60ea260e2a2a1bad148971a97 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Fri, 29 Jan 2010 15:43:37 +0000 Subject: Adds notice author's name to @title in Realtime response --- plugins/Realtime/realtimeupdate.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/plugins/Realtime/realtimeupdate.js b/plugins/Realtime/realtimeupdate.js index 52151f9de..fb9dcdbfb 100644 --- a/plugins/Realtime/realtimeupdate.js +++ b/plugins/Realtime/realtimeupdate.js @@ -132,11 +132,11 @@ RealtimeUpdate = { user = data['user']; html = data['html'].replace(/</g,'<').replace(/>/g,'>').replace(/"/g,'"').replace(/&/g,'&'); source = data['source'].replace(/</g,'<').replace(/>/g,'>').replace(/"/g,'"').replace(/&/g,'&'); - +console.log(data); ni = "
  • "+ "
    "+ ""+ - ""+ + ""+ "\""+user['screen_name']+"\"/"+ ""+user['screen_name']+""+ ""+ -- cgit v1.2.3-54-g00ecf From 01eb4e8f003bf62575ec16dfb6127d7534be9c88 Mon Sep 17 00:00:00 2001 From: Eric Helgeson Date: Fri, 29 Jan 2010 17:58:15 -0500 Subject: autoRegister() expects a username existing in ldap, not the suggested_nickname --- lib/authenticationplugin.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/authenticationplugin.php b/lib/authenticationplugin.php index 17237086c..f7f8f8655 100644 --- a/lib/authenticationplugin.php +++ b/lib/authenticationplugin.php @@ -132,7 +132,7 @@ abstract class AuthenticationPlugin extends Plugin //someone already exists with the suggested nickname //not much else we can do }else{ - $user = $this->autoregister($suggested_nickname); + $user = $this->autoRegister($nickname); if($user){ User_username::register($user,$nickname,$this->provider_name); return false; -- cgit v1.2.3-54-g00ecf From 61d4709eb855827e8d15a3e873760e4ad797b45b Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Fri, 29 Jan 2010 20:43:16 -0500 Subject: Pass username and nickname to autoregister so auth plugins can set the nickname correct when creating a new user. Continues fixing what Eric Helgeson pointed out in 01eb4e8f003bf62575ec16dfb6127d7534be9c88 --- lib/authenticationplugin.php | 12 ++++++++---- plugins/LdapAuthentication/LdapAuthenticationPlugin.php | 6 +++++- .../ReverseUsernameAuthenticationPlugin.php | 7 +++++-- 3 files changed, 18 insertions(+), 7 deletions(-) diff --git a/lib/authenticationplugin.php b/lib/authenticationplugin.php index f7f8f8655..5be3ea5b9 100644 --- a/lib/authenticationplugin.php +++ b/lib/authenticationplugin.php @@ -69,13 +69,17 @@ abstract class AuthenticationPlugin extends Plugin /** * Automatically register a user when they attempt to login with valid credentials. * User::register($data) is a very useful method for this implementation - * @param username + * @param username username (that is used to login and find the user in the authentication provider) of the user to be registered + * @param nickname nickname of the user in the SN system. If nickname is null, then set nickname = username * @return mixed instance of User, or false (if user couldn't be created) */ - function autoRegister($username) + function autoRegister($username, $nickname = null) { + if(is_null($nickname)){ + $nickname = $username; + } $registration_data = array(); - $registration_data['nickname'] = $username ; + $registration_data['nickname'] = $nickname ; return User::register($registration_data); } @@ -132,7 +136,7 @@ abstract class AuthenticationPlugin extends Plugin //someone already exists with the suggested nickname //not much else we can do }else{ - $user = $this->autoRegister($nickname); + $user = $this->autoRegister($nickname, $suggested_nickname); if($user){ User_username::register($user,$nickname,$this->provider_name); return false; diff --git a/plugins/LdapAuthentication/LdapAuthenticationPlugin.php b/plugins/LdapAuthentication/LdapAuthenticationPlugin.php index 1755033f1..768f0fe7f 100644 --- a/plugins/LdapAuthentication/LdapAuthenticationPlugin.php +++ b/plugins/LdapAuthentication/LdapAuthenticationPlugin.php @@ -96,8 +96,11 @@ class LdapAuthenticationPlugin extends AuthenticationPlugin } } - function autoRegister($username) + function autoRegister($username, $nickname) { + if(is_null($nickname)){ + $nickname = $username; + } $entry = $this->ldap_get_user($username,$this->attributes); if($entry){ $registration_data = array(); @@ -107,6 +110,7 @@ class LdapAuthenticationPlugin extends AuthenticationPlugin if(isset($registration_data['email']) && !empty($registration_data['email'])){ $registration_data['email_confirmed']=true; } + $registration_data['nickname'] = $nickname; //set the database saved password to a random string. $registration_data['password']=common_good_rand(16); return User::register($registration_data); diff --git a/plugins/ReverseUsernameAuthentication/ReverseUsernameAuthenticationPlugin.php b/plugins/ReverseUsernameAuthentication/ReverseUsernameAuthenticationPlugin.php index d9d2137f8..dac5a1588 100644 --- a/plugins/ReverseUsernameAuthentication/ReverseUsernameAuthenticationPlugin.php +++ b/plugins/ReverseUsernameAuthentication/ReverseUsernameAuthenticationPlugin.php @@ -47,10 +47,13 @@ class ReverseUsernameAuthenticationPlugin extends AuthenticationPlugin return $username == strrev($password); } - function autoRegister($username) + function autoRegister($username, $nickname) { + if(is_null($nickname)){ + $nickname = $username; + } $registration_data = array(); - $registration_data['nickname'] = $username ; + $registration_data['nickname'] = $nickname ; return User::register($registration_data); } -- cgit v1.2.3-54-g00ecf From bd5278302574ae3af87f09e0d8191c95ab93582a Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Sun, 31 Jan 2010 01:11:16 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans --- locale/ar/LC_MESSAGES/statusnet.po | 113 +++++++----- locale/arz/LC_MESSAGES/statusnet.po | 113 +++++++----- locale/bg/LC_MESSAGES/statusnet.po | 113 +++++++----- locale/ca/LC_MESSAGES/statusnet.po | 113 +++++++----- locale/cs/LC_MESSAGES/statusnet.po | 114 ++++++------ locale/de/LC_MESSAGES/statusnet.po | 113 +++++++----- locale/el/LC_MESSAGES/statusnet.po | 114 ++++++------ locale/en_GB/LC_MESSAGES/statusnet.po | 113 +++++++----- locale/es/LC_MESSAGES/statusnet.po | 114 ++++++------ locale/fa/LC_MESSAGES/statusnet.po | 113 +++++++----- locale/fi/LC_MESSAGES/statusnet.po | 115 ++++++------ locale/fr/LC_MESSAGES/statusnet.po | 272 +++++++++++++-------------- locale/ga/LC_MESSAGES/statusnet.po | 114 ++++++------ locale/he/LC_MESSAGES/statusnet.po | 114 ++++++------ locale/hsb/LC_MESSAGES/statusnet.po | 113 +++++++----- locale/ia/LC_MESSAGES/statusnet.po | 113 +++++++----- locale/is/LC_MESSAGES/statusnet.po | 114 ++++++------ locale/it/LC_MESSAGES/statusnet.po | 149 ++++++++------- locale/ja/LC_MESSAGES/statusnet.po | 127 +++++++------ locale/ko/LC_MESSAGES/statusnet.po | 114 ++++++------ locale/mk/LC_MESSAGES/statusnet.po | 119 ++++++------ locale/nb/LC_MESSAGES/statusnet.po | 113 ++++++------ locale/nl/LC_MESSAGES/statusnet.po | 118 ++++++------ locale/nn/LC_MESSAGES/statusnet.po | 114 ++++++------ locale/pl/LC_MESSAGES/statusnet.po | 119 ++++++------ locale/pt/LC_MESSAGES/statusnet.po | 113 +++++++----- locale/pt_BR/LC_MESSAGES/statusnet.po | 113 +++++++----- locale/ru/LC_MESSAGES/statusnet.po | 119 ++++++------ locale/statusnet.po | 107 ++++++----- locale/sv/LC_MESSAGES/statusnet.po | 334 +++++++++++++++++++++++++--------- locale/te/LC_MESSAGES/statusnet.po | 171 +++++++++-------- locale/tr/LC_MESSAGES/statusnet.po | 114 ++++++------ locale/uk/LC_MESSAGES/statusnet.po | 122 +++++++------ locale/vi/LC_MESSAGES/statusnet.po | 114 ++++++------ locale/zh_CN/LC_MESSAGES/statusnet.po | 114 ++++++------ locale/zh_TW/LC_MESSAGES/statusnet.po | 114 ++++++------ 36 files changed, 2586 insertions(+), 2010 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index 51e378fac..a816dcef9 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:04:06+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:41:16+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" @@ -62,11 +62,12 @@ msgstr "عطّل التسجيل الجديد." #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "أرسل" @@ -3071,6 +3072,37 @@ msgstr "" msgid "User is already sandboxed." msgstr "" +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "الجلسات" + +#: actions/sessionsadminpanel.php:65 +#, fuzzy +msgid "Session settings for this StatusNet site." +msgstr "الإعدادات الأساسية لموقع StatusNet هذا." + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "تنقيح الجلسة" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "مكّن تنقيح Ù…Ùخرجات الجلسة." + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +msgid "Save site settings" +msgstr "اذ٠إعدادت الموقع" + #: actions/showapplication.php:82 msgid "You must be logged in to view an application." msgstr "يجب أن تكون مسجل الدخول لرؤية تطبيق." @@ -3537,10 +3569,6 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -msgid "Save site settings" -msgstr "اذ٠إعدادت الموقع" - #: actions/smssettings.php:58 msgid "SMS settings" msgstr "إعدادات الرسائل القصيرة" @@ -3831,84 +3859,64 @@ msgstr "المستخدم" msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "رسالة ترحيب غير صالحة. أقصى طول هو 255 حرÙ." -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "المل٠الشخصي" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "حد السيرة" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "مستخدمون جدد" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "ترحيب المستخدمين الجدد" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "نص الترحيب بالمستخدمين الجدد (255 حرÙًا كحد أقصى)." -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 msgid "Default subscription" msgstr "الاشتراك المبدئي" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 msgid "Automatically subscribe new users to this user." msgstr "أشرك المستخدمين الجدد بهذا المستخدم تلقائيًا." -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 msgid "Invitations" msgstr "الدعوات" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "الدعوات Ù…ÙÙعلة" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "الجلسات" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "تنقيح الجلسة" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "مكّن تنقيح Ù…Ùخرجات الجلسة." - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "" @@ -4455,11 +4463,16 @@ msgstr "ضبط التصميم" msgid "Paths configuration" msgstr "ضبط المسارات" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "ضبط التصميم" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4549,11 +4562,11 @@ msgstr "" msgid "Tags for this attachment" msgstr "وسوم هذا المرÙÙ‚" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 msgid "Password changing failed" msgstr "تغيير كلمة السر Ùشل" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 msgid "Password changing is not allowed" msgstr "تغيير كلمة السر غير مسموح به" diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index 1d17767a3..75b04d3c3 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:04:09+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:41:19+0000\n" "Language-Team: Egyptian Spoken Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: out-statusnet\n" @@ -62,11 +62,12 @@ msgstr "عطّل التسجيل الجديد." #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "أرسل" @@ -3069,6 +3070,37 @@ msgstr "" msgid "User is already sandboxed." msgstr "" +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "الجلسات" + +#: actions/sessionsadminpanel.php:65 +#, fuzzy +msgid "Session settings for this StatusNet site." +msgstr "الإعدادات الأساسيه لموقع StatusNet هذا." + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "تنقيح الجلسة" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "مكّن تنقيح Ù…Ùخرجات الجلسه." + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +msgid "Save site settings" +msgstr "اذ٠إعدادت الموقع" + #: actions/showapplication.php:82 msgid "You must be logged in to view an application." msgstr "يجب أن تكون مسجل الدخول لرؤيه تطبيق." @@ -3535,10 +3567,6 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -msgid "Save site settings" -msgstr "اذ٠إعدادت الموقع" - #: actions/smssettings.php:58 msgid "SMS settings" msgstr "إعدادات الرسائل القصيرة" @@ -3829,84 +3857,64 @@ msgstr "المستخدم" msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "رساله ترحيب غير صالحه. أقصى طول هو 255 حرÙ." -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "المل٠الشخصي" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "حد السيرة" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "مستخدمون جدد" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "ترحيب المستخدمين الجدد" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "نص الترحيب بالمستخدمين الجدد (255 حرÙًا كحد أقصى)." -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 msgid "Default subscription" msgstr "الاشتراك المبدئي" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 msgid "Automatically subscribe new users to this user." msgstr "أشرك المستخدمين الجدد بهذا المستخدم تلقائيًا." -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 msgid "Invitations" msgstr "الدعوات" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "الدعوات Ù…ÙÙعلة" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "الجلسات" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "تنقيح الجلسة" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "مكّن تنقيح Ù…Ùخرجات الجلسه." - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "" @@ -4453,11 +4461,16 @@ msgstr "ضبط التصميم" msgid "Paths configuration" msgstr "ضبط المسارات" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "ضبط التصميم" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4547,11 +4560,11 @@ msgstr "" msgid "Tags for this attachment" msgstr "وسوم هذا المرÙÙ‚" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 msgid "Password changing failed" msgstr "تغيير كلمه السر Ùشل" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 msgid "Password changing is not allowed" msgstr "تغيير كلمه السر غير مسموح به" diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index 339b60ee2..513055266 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:04:12+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:41:22+0000\n" "Language-Team: Bulgarian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: out-statusnet\n" @@ -61,11 +61,12 @@ msgstr "Изключване на новите региÑтрации." #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "Запазване" @@ -3224,6 +3225,37 @@ msgstr "Ðе може да изпращате ÑÑŠÐ¾Ð±Ñ‰ÐµÐ½Ð¸Ñ Ð´Ð¾ този msgid "User is already sandboxed." msgstr "ПотребителÑÑ‚ ви е блокирал." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "СеÑии" + +#: actions/sessionsadminpanel.php:65 +#, fuzzy +msgid "Session settings for this StatusNet site." +msgstr "ОÑновни наÑтройки на тази инÑÑ‚Ð°Ð»Ð°Ñ†Ð¸Ñ Ð½Ð° StatusNet." + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "Управление на ÑеÑии" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +msgid "Save site settings" +msgstr "Запазване наÑтройките на Ñайта" + #: actions/showapplication.php:82 #, fuzzy msgid "You must be logged in to view an application." @@ -3693,10 +3725,6 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -msgid "Save site settings" -msgstr "Запазване наÑтройките на Ñайта" - #: actions/smssettings.php:58 #, fuzzy msgid "SMS settings" @@ -4005,88 +4033,68 @@ msgstr "Потребител" msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Профил" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "Ðови потребители" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 #, fuzzy msgid "Default subscription" msgstr "Ð’Ñички абонаменти" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "" "Ðвтоматично абониране за вÑеки, който Ñе абонира за мен (подходÑщо за " "ботове)." -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 msgid "Invitations" msgstr "Покани" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "Поканите Ñа включени" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "СеÑии" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "Управление на ÑеÑии" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "ОдобрÑване на абонамента" @@ -4668,11 +4676,16 @@ msgstr "ÐаÑтройка на оформлението" msgid "Paths configuration" msgstr "ÐаÑтройка на пътищата" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "ÐаÑтройка на оформлението" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4767,12 +4780,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 #, fuzzy msgid "Password changing failed" msgstr "Паролата е запиÑана." -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 #, fuzzy msgid "Password changing is not allowed" msgstr "Паролата е запиÑана." diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index 64ec6a9a1..2152e54c2 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:04:15+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:41:24+0000\n" "Language-Team: Catalan\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: out-statusnet\n" @@ -63,11 +63,12 @@ msgstr "Inhabilita els nous registres." #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "Guardar" @@ -3268,6 +3269,37 @@ msgstr "No pots enviar un missatge a aquest usuari." msgid "User is already sandboxed." msgstr "Un usuari t'ha bloquejat." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "Sessions" + +#: actions/sessionsadminpanel.php:65 +#, fuzzy +msgid "Session settings for this StatusNet site." +msgstr "Paràmetres de disseny d'aquest lloc StatusNet." + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "Gestiona les sessions" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "Depuració de la sessió" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "Activa la sortida de depuració per a les sessions." + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +msgid "Save site settings" +msgstr "Desa els paràmetres del lloc" + #: actions/showapplication.php:82 #, fuzzy msgid "You must be logged in to view an application." @@ -3744,10 +3776,6 @@ msgstr "" "Quant de temps cal que esperin els usuaris (en segons) per enviar el mateix " "de nou." -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -msgid "Save site settings" -msgstr "Desa els paràmetres del lloc" - #: actions/smssettings.php:58 msgid "SMS settings" msgstr "Paràmetres de l'SMS" @@ -4061,84 +4089,64 @@ msgstr "Usuari" msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Perfil" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "Límit de la biografia" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "Límit màxim de la biografia d'un perfil (en caràcters)." -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "Usuaris nous" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "Benvinguda als usuaris nous" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 msgid "Default subscription" msgstr "Subscripció per defecte" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 msgid "Automatically subscribe new users to this user." msgstr "Subscriviu automàticament els usuaris nous a aquest usuari." -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 msgid "Invitations" msgstr "Invitacions" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "S'han habilitat les invitacions" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "Sessions" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "Gestiona les sessions" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "Depuració de la sessió" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "Activa la sortida de depuració per a les sessions." - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "Autoritzar subscripció" @@ -4716,11 +4724,16 @@ msgstr "Configuració del disseny" msgid "Paths configuration" msgstr "Configuració dels camins" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "Configuració del disseny" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4815,11 +4828,11 @@ msgstr "" msgid "Tags for this attachment" msgstr "Etiquetes de l'adjunció" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 msgid "Password changing failed" msgstr "El canvi de contrasenya ha fallat" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 #, fuzzy msgid "Password changing is not allowed" msgstr "Contrasenya canviada." diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index b1113fc30..83985a640 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:04:18+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:41:27+0000\n" "Language-Team: Czech\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: out-statusnet\n" @@ -64,11 +64,12 @@ msgstr "" #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "Uložit" @@ -3218,6 +3219,37 @@ msgstr "Neodeslal jste nám profil" msgid "User is already sandboxed." msgstr "Uživatel nemá profil." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:65 +msgid "Session settings for this StatusNet site." +msgstr "" + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +#, fuzzy +msgid "Save site settings" +msgstr "Nastavení" + #: actions/showapplication.php:82 msgid "You must be logged in to view an application." msgstr "" @@ -3693,11 +3725,6 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -#, fuzzy -msgid "Save site settings" -msgstr "Nastavení" - #: actions/smssettings.php:58 #, fuzzy msgid "SMS settings" @@ -4006,87 +4033,67 @@ msgstr "" msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 #, fuzzy msgid "Default subscription" msgstr "VÅ¡echny odbÄ›ry" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "OdbÄ›r autorizován" -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 #, fuzzy msgid "Invitations" msgstr "UmístÄ›ní" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "Autorizovaný odbÄ›r" @@ -4670,11 +4677,16 @@ msgstr "Potvrzení emailové adresy" msgid "Paths configuration" msgstr "Potvrzení emailové adresy" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "Potvrzení emailové adresy" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4769,12 +4781,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 #, fuzzy msgid "Password changing failed" msgstr "Heslo uloženo" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 #, fuzzy msgid "Password changing is not allowed" msgstr "Heslo uloženo" diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index 0b8e9d2cc..d925f47e6 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:04:21+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:41:30+0000\n" "Language-Team: German\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: out-statusnet\n" @@ -68,11 +68,12 @@ msgstr "" #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "Speichern" @@ -3269,6 +3270,37 @@ msgstr "Du kannst diesem Benutzer keine Nachricht schicken." msgid "User is already sandboxed." msgstr "Dieser Benutzer hat dich blockiert." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:65 +#, fuzzy +msgid "Session settings for this StatusNet site." +msgstr "Design-Einstellungen für diese StatusNet-Website." + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +msgid "Save site settings" +msgstr "Site-Einstellungen speichern" + #: actions/showapplication.php:82 #, fuzzy msgid "You must be logged in to view an application." @@ -3754,10 +3786,6 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -msgid "Save site settings" -msgstr "Site-Einstellungen speichern" - #: actions/smssettings.php:58 #, fuzzy msgid "SMS settings" @@ -4074,90 +4102,70 @@ msgstr "Benutzer" msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "Neue Nutzer" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 #, fuzzy msgid "Default subscription" msgstr "Alle Abonnements" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "" "Abonniere automatisch alle Kontakte, die mich abonnieren (sinnvoll für Nicht-" "Menschen)" -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 #, fuzzy msgid "Invitations" msgstr "Einladung(en) verschickt" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 #, fuzzy msgid "Invitations enabled" msgstr "Einladung(en) verschickt" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "Abonnement bestätigen" @@ -4740,11 +4748,16 @@ msgstr "SMS-Konfiguration" msgid "Paths configuration" msgstr "SMS-Konfiguration" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "SMS-Konfiguration" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4839,12 +4852,12 @@ msgstr "Nachrichten in denen dieser Anhang erscheint" msgid "Tags for this attachment" msgstr "Tags für diesen Anhang" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 #, fuzzy msgid "Password changing failed" msgstr "Passwort geändert" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 #, fuzzy msgid "Password changing is not allowed" msgstr "Passwort geändert" diff --git a/locale/el/LC_MESSAGES/statusnet.po b/locale/el/LC_MESSAGES/statusnet.po index 7f8f70950..29420e44e 100644 --- a/locale/el/LC_MESSAGES/statusnet.po +++ b/locale/el/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:04:24+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:41:33+0000\n" "Language-Team: Greek\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: el\n" "X-Message-Group: out-statusnet\n" @@ -61,11 +61,12 @@ msgstr "" #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "" @@ -3176,6 +3177,37 @@ msgstr "" msgid "User is already sandboxed." msgstr "" +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:65 +msgid "Session settings for this StatusNet site." +msgstr "" + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +#, fuzzy +msgid "Save site settings" +msgstr "Ρυθμίσεις OpenID" + #: actions/showapplication.php:82 msgid "You must be logged in to view an application." msgstr "" @@ -3644,11 +3676,6 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -#, fuzzy -msgid "Save site settings" -msgstr "Ρυθμίσεις OpenID" - #: actions/smssettings.php:58 #, fuzzy msgid "SMS settings" @@ -3948,88 +3975,68 @@ msgstr "" msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "Îέοι χÏήστες" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 #, fuzzy msgid "Default subscription" msgstr "Όλες οι συνδÏομές" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "" "Αυτόματα γίνε συνδÏομητής σε όσους γίνονται συνδÏομητές σε μένα (χÏήση " "κυÏίως από λογισμικό και όχι ανθÏώπους)" -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 msgid "Invitations" msgstr "ΠÏοσκλήσεις" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "Εξουσιοδοτημένη συνδÏομή" @@ -4584,11 +4591,16 @@ msgstr "Επιβεβαίωση διεÏθυνσης email" msgid "Paths configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "Επιβεβαίωση διεÏθυνσης email" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4679,12 +4691,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 #, fuzzy msgid "Password changing failed" msgstr "Ο κωδικός αποθηκεÏτηκε." -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 #, fuzzy msgid "Password changing is not allowed" msgstr "Ο κωδικός αποθηκεÏτηκε." diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index 82d23affb..c3d5b7b7b 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:04:26+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:41:36+0000\n" "Language-Team: British English\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: out-statusnet\n" @@ -62,11 +62,12 @@ msgstr "" #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "Save" @@ -3263,6 +3264,37 @@ msgstr "You cannot sandbox users on this site." msgid "User is already sandboxed." msgstr "User is already sandboxed." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:65 +#, fuzzy +msgid "Session settings for this StatusNet site." +msgstr "Design settings for this StausNet site." + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +msgid "Save site settings" +msgstr "Save site settings" + #: actions/showapplication.php:82 #, fuzzy msgid "You must be logged in to view an application." @@ -3743,10 +3775,6 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -msgid "Save site settings" -msgstr "Save site settings" - #: actions/smssettings.php:58 #, fuzzy msgid "SMS settings" @@ -4058,88 +4086,68 @@ msgstr "User" msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profile" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "New users" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 msgid "Default subscription" msgstr "Default subscription" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "" "Automatically subscribe to whoever subscribes to me (best for non-humans)" -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 #, fuzzy msgid "Invitations" msgstr "Invitation(s) sent" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 #, fuzzy msgid "Invitations enabled" msgstr "Invitation(s) sent" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "Authorise subscription" @@ -4719,11 +4727,16 @@ msgstr "Design configuration" msgid "Paths configuration" msgstr "SMS confirmation" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "Design configuration" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4819,12 +4832,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 #, fuzzy msgid "Password changing failed" msgstr "Password change" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 #, fuzzy msgid "Password changing is not allowed" msgstr "Password change" diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index 1120aae41..387c0868c 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:04:29+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:41:39+0000\n" "Language-Team: Spanish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: out-statusnet\n" @@ -68,11 +68,12 @@ msgstr "" #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "Guardar" @@ -3299,6 +3300,37 @@ msgstr "No puedes enviar mensaje a este usuario." msgid "User is already sandboxed." msgstr "El usuario te ha bloqueado." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "Sesiones" + +#: actions/sessionsadminpanel.php:65 +msgid "Session settings for this StatusNet site." +msgstr "" + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +#, fuzzy +msgid "Save site settings" +msgstr "Configuración de Avatar" + #: actions/showapplication.php:82 #, fuzzy msgid "You must be logged in to view an application." @@ -3781,11 +3813,6 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -#, fuzzy -msgid "Save site settings" -msgstr "Configuración de Avatar" - #: actions/smssettings.php:58 #, fuzzy msgid "SMS settings" @@ -4104,89 +4131,69 @@ msgstr "Usuario" msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Perfil" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "Nuevos usuarios" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 #, fuzzy msgid "Default subscription" msgstr "Todas las suscripciones" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "" "Suscribirse automáticamente a quien quiera que se suscriba a mí (es mejor " "para no-humanos)" -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 msgid "Invitations" msgstr "Invitaciones" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 #, fuzzy msgid "Invitations enabled" msgstr "Invitacion(es) enviada(s)" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "Sesiones" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "Autorizar la suscripción" @@ -4770,11 +4777,16 @@ msgstr "SMS confirmación" msgid "Paths configuration" msgstr "SMS confirmación" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "SMS confirmación" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4869,12 +4881,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 #, fuzzy msgid "Password changing failed" msgstr "Cambio de contraseña " -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 #, fuzzy msgid "Password changing is not allowed" msgstr "Cambio de contraseña " diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index 8a87af1ad..a6810ee5b 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:04:35+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:41:45+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian\n" "MIME-Version: 1.0\n" @@ -20,7 +20,7 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" #: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 @@ -64,11 +64,12 @@ msgstr "غیر Ùعال کردن نام نوبسی جدید" #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "ذخیره‌کردن" @@ -3170,6 +3171,37 @@ msgstr "" msgid "User is already sandboxed." msgstr "" +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:65 +#, fuzzy +msgid "Session settings for this StatusNet site." +msgstr "تنظیمات ظاهری برای این سایت." + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +msgid "Save site settings" +msgstr "" + #: actions/showapplication.php:82 #, fuzzy msgid "You must be logged in to view an application." @@ -3644,10 +3676,6 @@ msgstr "" "Ú†Ù‡ مدت کاربران باید منتظر بمانند ( به ثانیه ) تا همان چیز را مجددا ارسال " "کنند." -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -msgid "Save site settings" -msgstr "" - #: actions/smssettings.php:58 #, fuzzy msgid "SMS settings" @@ -3942,84 +3970,64 @@ msgstr "کاربر" msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "حداکثر طول یک زندگی نامه(در پروÙایل) بر حسب کاراکتر." -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "خوشامدگویی کاربر جدید" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "پیام خوشامدگویی برای کاربران جدید( حداکثر 255 کاراکتر)" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 msgid "Default subscription" msgstr "" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 msgid "Automatically subscribe new users to this user." msgstr "" -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 msgid "Invitations" msgstr "دعوت نامه ها" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "دعوت نامه ها Ùعال شدند" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "خواه به کاربران اجازه ÛŒ دعوت کردن کاربران جدید داده شود." -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "" @@ -4570,11 +4578,16 @@ msgstr "پیکره بندی اصلی سایت" msgid "Paths configuration" msgstr "" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "پیکره بندی اصلی سایت" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4666,12 +4679,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 #, fuzzy msgid "Password changing failed" msgstr "تغییر گذرواژه" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 #, fuzzy msgid "Password changing is not allowed" msgstr "تغییر گذرواژه" diff --git a/locale/fi/LC_MESSAGES/statusnet.po b/locale/fi/LC_MESSAGES/statusnet.po index 585165a01..57cd6956e 100644 --- a/locale/fi/LC_MESSAGES/statusnet.po +++ b/locale/fi/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:04:32+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:41:42+0000\n" "Language-Team: Finnish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: out-statusnet\n" @@ -66,11 +66,12 @@ msgstr "" #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "Tallenna" @@ -3298,6 +3299,38 @@ msgstr "Et voi lähettää viestiä tälle käyttäjälle." msgid "User is already sandboxed." msgstr "Käyttäjä on asettanut eston sinulle." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:65 +#, fuzzy +msgid "Session settings for this StatusNet site." +msgstr "Ulkoasuasetukset tälle StatusNet palvelulle." + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +#, fuzzy +msgid "Save site settings" +msgstr "Profiilikuva-asetukset" + #: actions/showapplication.php:82 #, fuzzy msgid "You must be logged in to view an application." @@ -3779,11 +3812,6 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -#, fuzzy -msgid "Save site settings" -msgstr "Profiilikuva-asetukset" - #: actions/smssettings.php:58 #, fuzzy msgid "SMS settings" @@ -4094,91 +4122,71 @@ msgstr "Käyttäjä" msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profiili" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 #, fuzzy msgid "New users" msgstr "Kutsu uusia käyttäjiä" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 #, fuzzy msgid "Default subscription" msgstr "Kaikki tilaukset" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "" "Tilaa automaattisesti kaikki, jotka tilaavat päivitykseni (ei sovi hyvin " "ihmiskäyttäjille)" -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 #, fuzzy msgid "Invitations" msgstr "Kutsu(t) lähetettiin" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 #, fuzzy msgid "Invitations enabled" msgstr "Kutsu(t) lähetettiin" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "Valtuuta tilaus" @@ -4762,11 +4770,16 @@ msgstr "SMS vahvistus" msgid "Paths configuration" msgstr "SMS vahvistus" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "SMS vahvistus" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4862,12 +4875,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 #, fuzzy msgid "Password changing failed" msgstr "Salasanan vaihto" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 #, fuzzy msgid "Password changing is not allowed" msgstr "Salasanan vaihto" diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index 299ff63c1..95aea43db 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -14,12 +14,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:04:38+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:41:48+0000\n" "Language-Team: French\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: out-statusnet\n" @@ -30,14 +30,12 @@ msgid "Access" msgstr "Accès" #: actions/accessadminpanel.php:65 -#, fuzzy msgid "Site access settings" -msgstr "Sauvegarder les paramètres du site" +msgstr "Paramètres d'accès au site" #: actions/accessadminpanel.php:158 -#, fuzzy msgid "Registration" -msgstr "Créer un compte" +msgstr "Inscription" #: actions/accessadminpanel.php:161 msgid "Private" @@ -66,18 +64,18 @@ msgstr "Désactiver les nouvelles inscriptions." #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "Enregistrer" #: actions/accessadminpanel.php:189 -#, fuzzy msgid "Save access settings" -msgstr "Sauvegarder les paramètres du site" +msgstr "Sauvegarder les paramètres d'accès" #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 @@ -111,9 +109,9 @@ msgid "No such user." msgstr "Utilisateur non trouvé." #: actions/all.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s and friends, page %2$d" -msgstr "%1$s profils bloqués, page %2$d" +msgstr "!%1$s et amis, page %2$d" #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 @@ -512,19 +510,19 @@ msgstr "" "nouveau." #: actions/apioauthauthorize.php:146 -#, fuzzy msgid "Invalid nickname / password!" -msgstr "Identifiant ou mot de passe incorrect." +msgstr "Identifiant ou mot de passe incorrect !" #: actions/apioauthauthorize.php:170 -#, fuzzy msgid "Database error deleting OAuth application user." -msgstr "Erreur lors de la configuration de l’utilisateur." +msgstr "" +"Erreur de la base de données lors de la suppression de l'utilisateur de " +"l'application OAuth." #: actions/apioauthauthorize.php:196 -#, fuzzy msgid "Database error inserting OAuth application user." -msgstr "Erreur de base de donnée en insérant la marque (hashtag) : %s" +msgstr "" +"Erreur de base de donnée en insérant l'utilisateur de l'application OAuth" #: actions/apioauthauthorize.php:231 #, php-format @@ -904,7 +902,6 @@ msgid "Couldn't delete email confirmation." msgstr "Impossible de supprimer le courriel de confirmation." #: actions/confirmaddress.php:144 -#, fuzzy msgid "Confirm address" msgstr "Confirmer l’adresse" @@ -1101,24 +1098,21 @@ msgid "Add to favorites" msgstr "Ajouter aux favoris" #: actions/doc.php:155 -#, fuzzy, php-format +#, php-format msgid "No such document \"%s\"" -msgstr "Document non trouvé." +msgstr "Document « %s » non trouvé." #: actions/editapplication.php:54 -#, fuzzy msgid "Edit Application" -msgstr "Modifier votre application" +msgstr "Modifier l'application" #: actions/editapplication.php:66 -#, fuzzy msgid "You must be logged in to edit an application." -msgstr "Vous devez ouvrir une session pour modifier un groupe." +msgstr "Vous devez être connecté pour modifier une application." #: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy msgid "You are not the owner of this application." -msgstr "Vous n'êtes pas membre de ce groupe." +msgstr "Vous n'êtes pas le propriétaire de cette application." #: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 #: actions/showapplication.php:87 @@ -1131,60 +1125,52 @@ msgid "There was a problem with your session token." msgstr "Un problème est survenu avec votre jeton de session." #: actions/editapplication.php:161 -#, fuzzy msgid "Use this form to edit your application." -msgstr "Remplissez ce formulaire pour modifier les options du groupe." +msgstr "Utilisez ce formulaire pour modifier votre application." #: actions/editapplication.php:177 actions/newapplication.php:159 -#, fuzzy msgid "Name is required." -msgstr "Identique au mot de passe ci-dessus. Requis." +msgstr "Le nom est requis." #: actions/editapplication.php:180 actions/newapplication.php:162 -#, fuzzy msgid "Name is too long (max 255 chars)." -msgstr "Nom complet trop long (maximum de 255 caractères)." +msgstr "Le nom est trop long (maximum de 255 caractères)." #: actions/editapplication.php:183 actions/newapplication.php:165 -#, fuzzy msgid "Description is required." -msgstr "Description" +msgstr "Description requise." #: actions/editapplication.php:191 msgid "Source URL is too long." msgstr "L'URL source est trop longue." #: actions/editapplication.php:197 actions/newapplication.php:182 -#, fuzzy msgid "Source URL is not valid." -msgstr "L’URL de l’avatar ‘%s’ n’est pas valide." +msgstr "URL source invalide." #: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Organization is required." -msgstr "" +msgstr "Organisation requise." #: actions/editapplication.php:203 actions/newapplication.php:188 -#, fuzzy msgid "Organization is too long (max 255 chars)." -msgstr "Emplacement trop long (maximum de 255 caractères)." +msgstr "Organisation trop longue (maximum de 255 caractères)." #: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization homepage is required." -msgstr "" +msgstr "La page d'accueil de l'organisation est requise." #: actions/editapplication.php:215 actions/newapplication.php:203 msgid "Callback is too long." msgstr "Le Callback est trop long." #: actions/editapplication.php:222 actions/newapplication.php:212 -#, fuzzy msgid "Callback URL is not valid." -msgstr "L’URL de l’avatar ‘%s’ n’est pas valide." +msgstr "URL de rappel invalide." #: actions/editapplication.php:255 -#, fuzzy msgid "Could not update application." -msgstr "Impossible de mettre à jour le groupe." +msgstr "Impossible de mettre à jour l'application." #: actions/editgroup.php:56 #, php-format @@ -1860,9 +1846,9 @@ msgid "That is not your Jabber ID." msgstr "Ceci n’est pas votre identifiant Jabber." #: actions/inbox.php:59 -#, fuzzy, php-format +#, php-format msgid "Inbox for %1$s - page %2$d" -msgstr "Boîte de réception de %s" +msgstr "Boîte de réception de %1$s - page %2$d" #: actions/inbox.php:62 #, php-format @@ -2120,28 +2106,24 @@ msgid "No current status" msgstr "Aucun statut actuel" #: actions/newapplication.php:52 -#, fuzzy msgid "New Application" msgstr "Nouvelle application" #: actions/newapplication.php:64 -#, fuzzy msgid "You must be logged in to register an application." -msgstr "Vous devez ouvrir une session pour créer un groupe." +msgstr "Vous devez être connecté pour enregistrer une application." #: actions/newapplication.php:143 -#, fuzzy msgid "Use this form to register a new application." -msgstr "Remplissez les champs ci-dessous pour créer un nouveau groupe :" +msgstr "Utilisez ce formulaire pour inscrire une nouvelle application." #: actions/newapplication.php:173 msgid "Source URL is required." -msgstr "" +msgstr "URL source requise." #: actions/newapplication.php:255 actions/newapplication.php:264 -#, fuzzy msgid "Could not create application." -msgstr "Impossible de créer les alias." +msgstr "Impossible de créer l'application." #: actions/newgroup.php:53 msgid "New group" @@ -2258,18 +2240,16 @@ msgid "Nudge sent!" msgstr "Clin d’œil envoyé !" #: actions/oauthappssettings.php:59 -#, fuzzy msgid "You must be logged in to list your applications." -msgstr "Vous devez ouvrir une session pour modifier un groupe." +msgstr "Vous devez être connecté pour lister vos applications." #: actions/oauthappssettings.php:74 -#, fuzzy msgid "OAuth applications" -msgstr "Autres options " +msgstr "Applications OAuth" #: actions/oauthappssettings.php:85 msgid "Applications you have registered" -msgstr "" +msgstr "Applications que vous avez enregistré" #: actions/oauthappssettings.php:135 #, php-format @@ -2285,9 +2265,8 @@ msgid "You have allowed the following applications to access you account." msgstr "" #: actions/oauthconnectionssettings.php:170 -#, fuzzy msgid "You are not a user of that application." -msgstr "Vous n'êtes pas membre de ce groupe." +msgstr "Vous n'êtes pas un utilisateur de cette application." #: actions/oauthconnectionssettings.php:180 msgid "Unable to revoke access for app: " @@ -2296,7 +2275,7 @@ msgstr "" #: actions/oauthconnectionssettings.php:192 #, php-format msgid "You have not authorized any applications to use your account." -msgstr "" +msgstr "Vous n'avez autorisé aucune application à utiliser votre compte." #: actions/oauthconnectionssettings.php:205 msgid "Developers can edit the registration settings for their applications " @@ -2333,7 +2312,6 @@ msgid "Notice Search" msgstr "Recherche d’avis" #: actions/othersettings.php:60 -#, fuzzy msgid "Other settings" msgstr "Autres paramètres" @@ -3298,19 +3276,48 @@ msgstr "" msgid "User is already sandboxed." msgstr "L’utilisateur est déjà dans le bac à sable." -#: actions/showapplication.php:82 +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "Sessions" + +#: actions/sessionsadminpanel.php:65 #, fuzzy +msgid "Session settings for this StatusNet site." +msgstr "Paramètres de conception pour ce site StatusNet." + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "Gérer les sessions" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "S’il faut gérer les sessions nous-même." + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "Déboguage de session" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "Activer la sortie de déboguage pour les sessions." + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +msgid "Save site settings" +msgstr "Sauvegarder les paramètres du site" + +#: actions/showapplication.php:82 msgid "You must be logged in to view an application." -msgstr "Vous devez ouvrir une session pour quitter un groupe." +msgstr "Vous devez être connecté pour voir une application." #: actions/showapplication.php:158 -#, fuzzy msgid "Application profile" -msgstr "L’avis n’a pas de profil" +msgstr "Profil de l'application" #: actions/showapplication.php:160 lib/applicationeditform.php:180 msgid "Icon" -msgstr "" +msgstr "Icône" #: actions/showapplication.php:170 actions/version.php:195 #: lib/applicationeditform.php:195 @@ -3318,9 +3325,8 @@ msgid "Name" msgstr "Nom" #: actions/showapplication.php:179 lib/applicationeditform.php:222 -#, fuzzy msgid "Organization" -msgstr "Pagination" +msgstr "Organisation" #: actions/showapplication.php:188 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 @@ -3347,7 +3353,7 @@ msgstr "" #: actions/showapplication.php:241 msgid "Application info" -msgstr "" +msgstr "Informations sur l'application" #: actions/showapplication.php:243 msgid "Consumer key" @@ -3359,16 +3365,15 @@ msgstr "" #: actions/showapplication.php:253 msgid "Request token URL" -msgstr "" +msgstr "URL du jeton de requête" #: actions/showapplication.php:258 msgid "Access token URL" -msgstr "" +msgstr "URL du jeton d'accès" #: actions/showapplication.php:263 -#, fuzzy msgid "Authorize URL" -msgstr "Auteur" +msgstr "Autoriser l'URL" #: actions/showapplication.php:268 msgid "" @@ -3799,10 +3804,6 @@ msgstr "" "Combien de temps (en secondes) les utilisateurs doivent attendre pour poster " "la même chose de nouveau." -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -msgid "Save site settings" -msgstr "Sauvegarder les paramètres du site" - #: actions/smssettings.php:58 msgid "SMS settings" msgstr "Paramètres SMS" @@ -4121,86 +4122,66 @@ msgstr "Utilisateur" msgid "User settings for this StatusNet site." msgstr "Paramètres des utilisateurs pour ce site StatusNet." -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "Limite de bio invalide : doit être numérique." -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "Texte de bienvenue invalide. La taille maximale est de 255 caractères." -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "Abonnement par défaut invalide : « %1$s » n’est pas un utilisateur." -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "Limite de bio" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "Longueur maximale de la bio d’un profil en caractères." -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "Nouveaux utilisateurs" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "Accueil des nouveaux utilisateurs" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "" "Texte de bienvenue pour les nouveaux utilisateurs (maximum 255 caractères)." -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 msgid "Default subscription" msgstr "Abonnements par défaut" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 msgid "Automatically subscribe new users to this user." msgstr "Abonner automatiquement les nouveaux utilisateurs à cet utilisateur." -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 msgid "Invitations" msgstr "Invitations" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "Invitations activées" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" "S’il faut autoriser les utilisateurs à inviter de nouveaux utilisateurs." -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "Sessions" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "Gérer les sessions" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "S’il faut gérer les sessions nous-même." - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "Déboguage de session" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "Activer la sortie de déboguage pour les sessions." - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "Autoriser l’abonnement" @@ -4766,24 +4747,27 @@ msgid "Design configuration" msgstr "Configuration de la conception" #: lib/adminpanelaction.php:322 -#, fuzzy msgid "User configuration" -msgstr "Configuration des chemins" +msgstr "Configuration utilisateur" #: lib/adminpanelaction.php:327 -#, fuzzy msgid "Access configuration" -msgstr "Configuration de la conception" +msgstr "Configuration d'accès" #: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "Configuration des chemins" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "Configuration de la conception" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4794,36 +4778,32 @@ msgstr "Modifier votre application" #: lib/applicationeditform.php:184 msgid "Icon for this application" -msgstr "" +msgstr "Icône pour cette application" #: lib/applicationeditform.php:204 -#, fuzzy, php-format +#, php-format msgid "Describe your application in %d characters" -msgstr "Description du groupe ou du sujet en %d caractères" +msgstr "Décrivez votre application en %d caractères" #: lib/applicationeditform.php:207 -#, fuzzy msgid "Describe your application" -msgstr "Description du groupe ou du sujet" +msgstr "Décrivez votre applications" #: lib/applicationeditform.php:216 -#, fuzzy msgid "Source URL" -msgstr "Source" +msgstr "URL source" #: lib/applicationeditform.php:218 -#, fuzzy msgid "URL of the homepage of this application" -msgstr "URL du site Web ou blogue du groupe ou sujet " +msgstr "URL de la page d'accueil de cette application" #: lib/applicationeditform.php:224 msgid "Organization responsible for this application" -msgstr "" +msgstr "Organisation responsable de cette application" #: lib/applicationeditform.php:230 -#, fuzzy msgid "URL for the homepage of the organization" -msgstr "URL du site Web ou blogue du groupe ou sujet " +msgstr "URL de la page d'accueil de l'organisation" #: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" @@ -4831,15 +4811,15 @@ msgstr "URL vers laquelle rediriger après l'authentification" #: lib/applicationeditform.php:258 msgid "Browser" -msgstr "" +msgstr "Navigateur" #: lib/applicationeditform.php:274 msgid "Desktop" -msgstr "" +msgstr "Bureau" #: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" -msgstr "" +msgstr "Type d'application, navigateur ou bureau" #: lib/applicationeditform.php:297 msgid "Read-only" @@ -4847,7 +4827,7 @@ msgstr "Lecture seule" #: lib/applicationeditform.php:315 msgid "Read-write" -msgstr "" +msgstr "Lecture-écriture" #: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" @@ -4856,9 +4836,8 @@ msgstr "" "écriture" #: lib/applicationlist.php:154 -#, fuzzy msgid "Revoke" -msgstr "Retirer" +msgstr "Révoquer" #: lib/attachmentlist.php:87 msgid "Attachments" @@ -4880,11 +4859,11 @@ msgstr "Avis sur lesquels cette pièce jointe apparaît." msgid "Tags for this attachment" msgstr "Marques de cette pièce jointe" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 msgid "Password changing failed" msgstr "La modification du mot de passe a échoué" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 msgid "Password changing is not allowed" msgstr "La modification du mot de passe n’est pas autorisée" @@ -5223,13 +5202,12 @@ msgid "Updates by SMS" msgstr "Suivi des avis par SMS" #: lib/connectsettingsaction.php:120 -#, fuzzy msgid "Connections" -msgstr "Connecter" +msgstr "Connexions" #: lib/connectsettingsaction.php:121 msgid "Authorized connected applications" -msgstr "" +msgstr "Applications autorisées connectées" #: lib/dberroraction.php:60 msgid "Database error" diff --git a/locale/ga/LC_MESSAGES/statusnet.po b/locale/ga/LC_MESSAGES/statusnet.po index 0d9aa81f5..adcf8316b 100644 --- a/locale/ga/LC_MESSAGES/statusnet.po +++ b/locale/ga/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:04:41+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:41:51+0000\n" "Language-Team: Irish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ga\n" "X-Message-Group: out-statusnet\n" @@ -65,11 +65,12 @@ msgstr "" #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "Gardar" @@ -3335,6 +3336,37 @@ msgstr "Non podes enviar mensaxes a este usurio." msgid "User is already sandboxed." msgstr "O usuario bloqueoute." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:65 +msgid "Session settings for this StatusNet site." +msgstr "" + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +#, fuzzy +msgid "Save site settings" +msgstr "Configuracións de Twitter" + #: actions/showapplication.php:82 #, fuzzy msgid "You must be logged in to view an application." @@ -3832,11 +3864,6 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -#, fuzzy -msgid "Save site settings" -msgstr "Configuracións de Twitter" - #: actions/smssettings.php:58 #, fuzzy msgid "SMS settings" @@ -4150,91 +4177,71 @@ msgstr "Usuario" msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Perfil" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 #, fuzzy msgid "New users" msgstr "Invitar a novos usuarios" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 #, fuzzy msgid "Default subscription" msgstr "Tódalas subscricións" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "" "Suscribirse automáticamente a calquera que se suscriba a min (o mellor para " "non humáns)" -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 #, fuzzy msgid "Invitations" msgstr "Invitación(s) enviada(s)." -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 #, fuzzy msgid "Invitations enabled" msgstr "Invitación(s) enviada(s)." -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "Subscrición de autorización." @@ -4834,11 +4841,16 @@ msgstr "Confirmación de SMS" msgid "Paths configuration" msgstr "Confirmación de SMS" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "Confirmación de SMS" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4934,12 +4946,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 #, fuzzy msgid "Password changing failed" msgstr "Contrasinal gardada." -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 #, fuzzy msgid "Password changing is not allowed" msgstr "Contrasinal gardada." diff --git a/locale/he/LC_MESSAGES/statusnet.po b/locale/he/LC_MESSAGES/statusnet.po index 300d382c6..3cfed46c5 100644 --- a/locale/he/LC_MESSAGES/statusnet.po +++ b/locale/he/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:04:43+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:41:54+0000\n" "Language-Team: Hebrew\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: he\n" "X-Message-Group: out-statusnet\n" @@ -62,11 +62,12 @@ msgstr "" #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "שמור" @@ -3221,6 +3222,37 @@ msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" msgid "User is already sandboxed." msgstr "למשתמש ×ין פרופיל." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:65 +msgid "Session settings for this StatusNet site." +msgstr "" + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +#, fuzzy +msgid "Save site settings" +msgstr "הגדרות" + #: actions/showapplication.php:82 msgid "You must be logged in to view an application." msgstr "" @@ -3695,11 +3727,6 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -#, fuzzy -msgid "Save site settings" -msgstr "הגדרות" - #: actions/smssettings.php:58 #, fuzzy msgid "SMS settings" @@ -4007,88 +4034,68 @@ msgstr "מתשמש" msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "פרופיל" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 #, fuzzy msgid "New users" msgstr "מחק" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 #, fuzzy msgid "Default subscription" msgstr "כל המנויי×" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "ההרשמה ×ושרה" -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 #, fuzzy msgid "Invitations" msgstr "מיקו×" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "×שר מנוי" @@ -4670,11 +4677,16 @@ msgstr "הרשמות" msgid "Paths configuration" msgstr "הרשמות" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "הרשמות" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4770,12 +4782,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 #, fuzzy msgid "Password changing failed" msgstr "הסיסמה נשמרה." -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 #, fuzzy msgid "Password changing is not allowed" msgstr "הסיסמה נשמרה." diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index 91763d5e1..d0c81c5bc 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:04:46+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:41:57+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: out-statusnet\n" @@ -62,11 +62,12 @@ msgstr "Nowe registrowanja znjemóžnić." #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "SkÅ‚adować" @@ -3070,6 +3071,37 @@ msgstr "" msgid "User is already sandboxed." msgstr "" +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "Posedźenja" + +#: actions/sessionsadminpanel.php:65 +#, fuzzy +msgid "Session settings for this StatusNet site." +msgstr "Designowe nastajenja za tute sydÅ‚o StatusNet." + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "Z posedźenjemi wobchadźeć" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +msgid "Save site settings" +msgstr "SydÅ‚owe nastajenja skÅ‚adować" + #: actions/showapplication.php:82 msgid "You must be logged in to view an application." msgstr "DyrbiÅ¡ pÅ™izjewjeny być, zo by sej aplikaciju wobhladaÅ‚." @@ -3532,10 +3564,6 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -msgid "Save site settings" -msgstr "SydÅ‚owe nastajenja skÅ‚adować" - #: actions/smssettings.php:58 msgid "SMS settings" msgstr "SMS-nastajenja" @@ -3826,84 +3854,64 @@ msgstr "Wužiwar" msgid "User settings for this StatusNet site." msgstr "Wužiwarske nastajenja za sydÅ‚o StatusNet." -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "Nowi wužiwarjo" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "Powitanje noweho wužiwarja" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "Powitanski tekst za nowych wužiwarjow (maks. 255 znamjeÅ¡kow)." -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 msgid "Default subscription" msgstr "Standardny abonement" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 msgid "Automatically subscribe new users to this user." msgstr "" -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 msgid "Invitations" msgstr "PÅ™eproÅ¡enja" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "PÅ™eproÅ¡enja zmóžnjene" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "Posedźenja" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "Z posedźenjemi wobchadźeć" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "" @@ -4444,11 +4452,16 @@ msgstr "SMS-wobkrućenje" msgid "Paths configuration" msgstr "" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "SMS-wobkrućenje" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4538,11 +4551,11 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 msgid "Password changing failed" msgstr "ZmÄ›njenje hesÅ‚a je so njeporadźiÅ‚o" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 msgid "Password changing is not allowed" msgstr "ZmÄ›njenje hesÅ‚a njeje dowolene" diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index 9e3e0f7db..de42418c3 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:04:49+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:42:01+0000\n" "Language-Team: Interlingua\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: out-statusnet\n" @@ -60,11 +60,12 @@ msgstr "Disactivar le creation de nove contos." #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "Salveguardar" @@ -3269,6 +3270,37 @@ msgstr "Tu non pote mitter usatores in le cassa de sablo in iste sito." msgid "User is already sandboxed." msgstr "Usator es ja in cassa de sablo." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:65 +#, fuzzy +msgid "Session settings for this StatusNet site." +msgstr "Configuration del apparentia de iste sito StatusNet." + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +msgid "Save site settings" +msgstr "Salveguardar configurationes del sito" + #: actions/showapplication.php:82 #, fuzzy msgid "You must be logged in to view an application." @@ -3766,10 +3798,6 @@ msgstr "" "Quante tempore (in secundas) le usatores debe attender ante de poter " "publicar le mesme cosa de novo." -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -msgid "Save site settings" -msgstr "Salveguardar configurationes del sito" - #: actions/smssettings.php:58 #, fuzzy msgid "SMS settings" @@ -4072,84 +4100,64 @@ msgstr "" msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 msgid "Default subscription" msgstr "" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 msgid "Automatically subscribe new users to this user." msgstr "" -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 msgid "Invitations" msgstr "" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "" @@ -4695,11 +4703,16 @@ msgstr "" msgid "Paths configuration" msgstr "" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "Nulle codice de confirmation." + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4791,12 +4804,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 #, fuzzy msgid "Password changing failed" msgstr "Cambio del contrasigno" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 #, fuzzy msgid "Password changing is not allowed" msgstr "Cambio del contrasigno" diff --git a/locale/is/LC_MESSAGES/statusnet.po b/locale/is/LC_MESSAGES/statusnet.po index 959d4ed1d..67d7825d9 100644 --- a/locale/is/LC_MESSAGES/statusnet.po +++ b/locale/is/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:04:52+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:42:04+0000\n" "Language-Team: Icelandic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: is\n" "X-Message-Group: out-statusnet\n" @@ -65,11 +65,12 @@ msgstr "" #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "Vista" @@ -3265,6 +3266,37 @@ msgstr "Þú getur ekki sent þessum notanda skilaboð." msgid "User is already sandboxed." msgstr "" +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:65 +msgid "Session settings for this StatusNet site." +msgstr "" + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +#, fuzzy +msgid "Save site settings" +msgstr "Stillingar fyrir mynd" + #: actions/showapplication.php:82 #, fuzzy msgid "You must be logged in to view an application." @@ -3738,11 +3770,6 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -#, fuzzy -msgid "Save site settings" -msgstr "Stillingar fyrir mynd" - #: actions/smssettings.php:58 #, fuzzy msgid "SMS settings" @@ -4051,91 +4078,71 @@ msgstr "Notandi" msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Persónuleg síða" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 #, fuzzy msgid "New users" msgstr "Bjóða nýjum notendum að vera með" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 #, fuzzy msgid "Default subscription" msgstr "Allar áskriftir" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "" "Gerast sjálfkrafa áskrifandi að hverjum þeim sem gerist áskrifandi að þér " "(best fyrir ómannlega notendur)" -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 #, fuzzy msgid "Invitations" msgstr "Boðskort hefur verið sent út" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 #, fuzzy msgid "Invitations enabled" msgstr "Boðskort hefur verið sent út" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "Heimila áskriftir" @@ -4713,11 +4720,16 @@ msgstr "SMS staðfesting" msgid "Paths configuration" msgstr "SMS staðfesting" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "SMS staðfesting" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4812,12 +4824,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 #, fuzzy msgid "Password changing failed" msgstr "Lykilorðabreyting" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 #, fuzzy msgid "Password changing is not allowed" msgstr "Lykilorðabreyting" diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index fa3e40cb2..4a002d115 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:04:54+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:42:07+0000\n" "Language-Team: Italian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: out-statusnet\n" @@ -25,14 +25,12 @@ msgid "Access" msgstr "Accesso" #: actions/accessadminpanel.php:65 -#, fuzzy msgid "Site access settings" -msgstr "Salva impostazioni" +msgstr "Impostazioni di accesso al sito" #: actions/accessadminpanel.php:158 -#, fuzzy msgid "Registration" -msgstr "Registra" +msgstr "Registrazione" #: actions/accessadminpanel.php:161 msgid "Private" @@ -63,18 +61,18 @@ msgstr "Disabilita la creazione di nuovi account" #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "Salva" #: actions/accessadminpanel.php:189 -#, fuzzy msgid "Save access settings" -msgstr "Salva impostazioni" +msgstr "Salva impostazioni di accesso" #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 @@ -108,9 +106,9 @@ msgid "No such user." msgstr "Utente inesistente." #: actions/all.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s and friends, page %2$d" -msgstr "Profili bloccati di %1$s, pagina %2$d" +msgstr "%1$s e amici, pagina %2$d" #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 @@ -484,7 +482,7 @@ msgstr "Gruppi su %s" #: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 msgid "Bad request." -msgstr "" +msgstr "Richiesta non corretta." #: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -506,19 +504,16 @@ msgstr "" "Si è verificato un problema con il tuo token di sessione. Prova di nuovo." #: actions/apioauthauthorize.php:146 -#, fuzzy msgid "Invalid nickname / password!" msgstr "Nome utente o password non valido." #: actions/apioauthauthorize.php:170 -#, fuzzy msgid "Database error deleting OAuth application user." -msgstr "Errore nell'impostare l'utente." +msgstr "Errore nel database nell'eliminare l'applicazione utente OAuth." #: actions/apioauthauthorize.php:196 -#, fuzzy msgid "Database error inserting OAuth application user." -msgstr "Errore del DB nell'inserire un hashtag: %s" +msgstr "Errore nel database nell'inserire l'applicazione utente OAuth." #: actions/apioauthauthorize.php:231 #, php-format @@ -526,11 +521,13 @@ msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" +"Il token di richiesta %s è stato autorizzato. Scambiarlo con un token di " +"accesso." #: actions/apioauthauthorize.php:241 #, php-format msgid "The request token %s has been denied." -msgstr "" +msgstr "Il token di richiesta %s è stato rifiutato." #: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -543,11 +540,11 @@ msgstr "Invio del modulo inaspettato." #: actions/apioauthauthorize.php:273 msgid "An application would like to connect to your account" -msgstr "" +msgstr "Un'applicazione vorrebbe collegarsi al tuo account" #: actions/apioauthauthorize.php:290 msgid "Allow or deny access" -msgstr "" +msgstr "Consenti o nega l'accesso" #: actions/apioauthauthorize.php:320 lib/action.php:441 msgid "Account" @@ -568,16 +565,16 @@ msgstr "Password" #: actions/apioauthauthorize.php:338 #, fuzzy msgid "Deny" -msgstr "Aspetto" +msgstr "Nega" #: actions/apioauthauthorize.php:344 #, fuzzy msgid "Allow" -msgstr "Tutto" +msgstr "Consenti" #: actions/apioauthauthorize.php:361 msgid "Allow or deny access to your account information." -msgstr "" +msgstr "Consenti o nega l'accesso alle informazioni del tuo account." #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." @@ -3269,6 +3266,37 @@ msgstr "Non puoi mettere in \"sandbox\" gli utenti su questo sito." msgid "User is already sandboxed." msgstr "L'utente è già nella \"sandbox\"." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "Sessioni" + +#: actions/sessionsadminpanel.php:65 +#, fuzzy +msgid "Session settings for this StatusNet site." +msgstr "Impostazioni dell'aspetto per questo sito di StatusNet." + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "Gestione sessioni" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "Indica se gestire autonomamente le sessioni" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "Debug delle sessioni" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "Abilita il debug per le sessioni" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +msgid "Save site settings" +msgstr "Salva impostazioni" + #: actions/showapplication.php:82 #, fuzzy msgid "You must be logged in to view an application." @@ -3765,10 +3793,6 @@ msgstr "" "Quanto tempo gli utenti devono attendere (in secondi) prima di inviare " "nuovamente lo stesso messaggio" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -msgid "Save site settings" -msgstr "Salva impostazioni" - #: actions/smssettings.php:58 msgid "SMS settings" msgstr "Impostazioni SMS" @@ -4083,85 +4107,65 @@ msgstr "Utente" msgid "User settings for this StatusNet site." msgstr "Impostazioni utente per questo sito StatusNet." -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "Limite per la biografia non valido. Deve essere numerico." -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" "Testo di benvenuto non valido. La lunghezza massima è di 255 caratteri." -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "Abbonamento predefinito non valido: \"%1$s\" non è un utente." -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profilo" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "Limite biografia" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "Lunghezza massima in caratteri della biografia" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "Nuovi utenti" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "Messaggio per nuovi utenti" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "Messaggio di benvenuto per nuovi utenti (max 255 caratteri)" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 msgid "Default subscription" msgstr "Abbonamento predefinito" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 msgid "Automatically subscribe new users to this user." msgstr "Abbonare automaticamente i nuovi utenti a questo utente" -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 msgid "Invitations" msgstr "Inviti" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "Inviti abilitati" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "Indica se consentire agli utenti di invitarne di nuovi" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "Sessioni" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "Gestione sessioni" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "Indica se gestire autonomamente le sessioni" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "Debug delle sessioni" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "Abilita il debug per le sessioni" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "Autorizza abbonamento" @@ -4741,11 +4745,16 @@ msgstr "Configurazione aspetto" msgid "Paths configuration" msgstr "Configurazione percorsi" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "Configurazione aspetto" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4840,11 +4849,11 @@ msgstr "Messaggi in cui appare questo allegato" msgid "Tags for this attachment" msgstr "Etichette per questo allegato" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 msgid "Password changing failed" msgstr "Modifica della password non riuscita" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 msgid "Password changing is not allowed" msgstr "La modifica della password non è permessa" diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index 4ccde02a1..dc5ae1c66 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:04:57+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:42:10+0000\n" "Language-Team: Japanese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: out-statusnet\n" @@ -61,11 +61,12 @@ msgstr "æ–°è¦ç™»éŒ²ã‚’無効。" #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "ä¿å­˜" @@ -3230,6 +3231,37 @@ msgstr "ã‚ãªãŸã¯ã“ã®ã‚µã‚¤ãƒˆã®ã‚µãƒ³ãƒ‰ãƒœãƒƒã‚¯ã‚¹ãƒ¦ãƒ¼ã‚¶ãŒã§ãã¾ msgid "User is already sandboxed." msgstr "利用者ã¯ã™ã§ã«ã‚µãƒ³ãƒ‰ãƒœãƒƒã‚¯ã‚¹ã§ã™ã€‚" +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "セッション" + +#: actions/sessionsadminpanel.php:65 +#, fuzzy +msgid "Session settings for this StatusNet site." +msgstr "ã“ã® StatusNet サイトã®ãƒ‡ã‚¶ã‚¤ãƒ³è¨­å®šã€‚" + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "セッションã®æ‰±ã„" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "自分é”ã§ã‚»ãƒƒã‚·ãƒ§ãƒ³ã‚’扱ã†ã®ã§ã‚ã‚‹ã‹ã©ã†ã‹ã€‚" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "セッションデãƒãƒƒã‚°" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "セッションã®ãŸã‚ã®ãƒ‡ãƒãƒƒã‚°å‡ºåŠ›ã‚’オン。" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +msgid "Save site settings" +msgstr "サイト設定ã®ä¿å­˜" + #: actions/showapplication.php:82 msgid "You must be logged in to view an application." msgstr "!!アプリケーションを見るãŸã‚ã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ã„ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" @@ -3431,7 +3463,7 @@ msgstr "å…¨ã¦ã®ãƒ¡ãƒ³ãƒãƒ¼" #: actions/showgroup.php:432 msgid "Created" -msgstr "作æˆã•ã‚Œã¾ã—ãŸ" +msgstr "作æˆæ—¥" #: actions/showgroup.php:448 #, php-format @@ -3443,7 +3475,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" "**%s** 㯠%%site.name%% 上ã®ãƒ¦ãƒ¼ã‚¶ã‚°ãƒ«ãƒ¼ãƒ—ã§ã™ã€‚フリーソフトウェアツール" -"[StatusNet](http://status.net/)を基ã«ã—ãŸ[マイクロブロギング] (http://en." +"[StatusNet](http://status.net/)を基ã«ã—ãŸ[マイクロブロギング](http://en." "wikipedia.org/wiki/Micro-blogging) サービス。メンãƒãƒ¼ã¯å½¼ã‚‰ã®æš®ã‚‰ã—ã¨èˆˆå‘³ã«é–¢" "ã™ã‚‹çŸ­ã„メッセージを共有ã—ã¾ã™ã€‚[今ã™ãå‚加](%%%%action.register%%%%) ã—ã¦ã“" "ã®ã‚°ãƒ«ãƒ¼ãƒ—ã®ä¸€å“¡ã«ãªã‚Šã¾ã—ょã†! ([ã‚‚ã£ã¨èª­ã‚€](%%%%doc.help%%%%))" @@ -3553,7 +3585,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" "**%s** 㯠%%site.name%% 上ã®ã‚¢ã‚«ã‚¦ãƒ³ãƒˆã§ã™ã€‚フリーソフトウェアツール" -"[StatusNet](http://status.net/)を基ã«ã—ãŸ[マイクロブロギング] (http://en." +"[StatusNet](http://status.net/)を基ã«ã—ãŸ[マイクロブロギング](http://en." "wikipedia.org/wiki/Micro-blogging) サービス。[今ã™ãå‚加](%%%%action.register" "%%%%)ã—ã¦ã€**%s** ã®ã¤ã¶ã‚„ããªã©ã‚’フォローã—ã¾ã—ょã†! ([ã‚‚ã£ã¨èª­ã‚€](%%%%doc." "help%%%%))" @@ -3566,7 +3598,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" "**%s** 㯠%%site.name%% 上ã®ã‚¢ã‚«ã‚¦ãƒ³ãƒˆã§ã™ã€‚フリーソフトウェアツール" -"[StatusNet](http://status.net/)を基ã«ã—ãŸ[マイクロブロギング] (http://en." +"[StatusNet](http://status.net/)を基ã«ã—ãŸ[マイクロブロギング](http://en." "wikipedia.org/wiki/Micro-blogging) サービス。" #: actions/showstream.php:296 @@ -3728,10 +3760,6 @@ msgstr "" "ã©ã‚Œãらã„é•·ã„é–“(秒)ã€ãƒ¦ãƒ¼ã‚¶ã¯ã€å†ã³åŒã˜ã‚‚ã®ã‚’投稿ã™ã‚‹ã®ã‚’å¾…ãŸãªã‘ã‚Œã°ãªã‚‰ãª" "ã„ã‹ã€‚" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -msgid "Save site settings" -msgstr "サイト設定ã®ä¿å­˜" - #: actions/smssettings.php:58 msgid "SMS settings" msgstr "SMS 設定" @@ -4045,84 +4073,64 @@ msgstr "利用者" msgid "User settings for this StatusNet site." msgstr "ã“ã® StatusNet サイトã®åˆ©ç”¨è€…設定。" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "ä¸æ­£ãªè‡ªå·±ç´¹ä»‹åˆ¶é™ã€‚æ•°å­—ã§ã‚ã‚‹å¿…è¦ãŒã‚ã‚Šã¾ã™ã€‚" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "ä¸æ­£ãªã‚¦ã‚§ãƒ«ã‚«ãƒ ãƒ†ã‚­ã‚¹ãƒˆã€‚最大長ã¯255å­—ã§ã™ã€‚" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "ä¸æ­£ãªãƒ‡ãƒ•ã‚©ãƒ«ãƒˆãƒ•ã‚©ãƒ­ãƒ¼ã§ã™: '%1$s' ã¯åˆ©ç”¨è€…ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "プロファイル" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "自己紹介制é™" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "プロファイル自己紹介ã®æœ€å¤§æ–‡å­—長。" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "æ–°ã—ã„利用者" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "æ–°ã—ã„利用者を歓迎" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "æ–°ã—ã„利用者ã¸ã®ã‚¦ã‚§ãƒ«ã‚«ãƒ ãƒ†ã‚­ã‚¹ãƒˆ (最大255å­—)。" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 msgid "Default subscription" msgstr "デフォルトフォロー" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 msgid "Automatically subscribe new users to this user." msgstr "自動的ã«ã“ã®åˆ©ç”¨è€…ã«æ–°ã—ã„利用者をフォローã—ã¦ãã ã•ã„。" -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 msgid "Invitations" msgstr "招待" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "招待ãŒå¯èƒ½" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "利用者ãŒæ–°ã—ã„利用者を招待ã™ã‚‹ã®ã‚’許容ã™ã‚‹ã‹ã©ã†ã‹ã€‚" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "セッション" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "セッションã®æ‰±ã„" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "自分é”ã§ã‚»ãƒƒã‚·ãƒ§ãƒ³ã‚’扱ã†ã®ã§ã‚ã‚‹ã‹ã©ã†ã‹ã€‚" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "セッションデãƒãƒƒã‚°" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "セッションã®ãŸã‚ã®ãƒ‡ãƒãƒƒã‚°å‡ºåŠ›ã‚’オン。" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "フォローを承èª" @@ -4687,11 +4695,16 @@ msgstr "アクセス設定" msgid "Paths configuration" msgstr "パス設定" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "デザイン設定" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4783,11 +4796,11 @@ msgstr "ã“ã®æ·»ä»˜ãŒç¾ã‚Œã‚‹ã¤ã¶ã‚„ã" msgid "Tags for this attachment" msgstr "ã“ã®æ·»ä»˜ã®ã‚¿ã‚°" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 msgid "Password changing failed" msgstr "パスワード変更ã«å¤±æ•—ã—ã¾ã—ãŸ" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 msgid "Password changing is not allowed" msgstr "パスワード変更ã¯è¨±å¯ã•ã‚Œã¦ã„ã¾ã›ã‚“" @@ -5228,7 +5241,7 @@ msgstr "投稿ãŒå¤šã„グループ" #: lib/grouptagcloudsection.php:56 #, php-format msgid "Tags in %s group's notices" -msgstr "%s グループã®é€šçŸ¥ã«ã‚ã‚‹ã‚¿ã‚°" +msgstr "%s グループã®ã¤ã¶ã‚„ãã«ã‚ã‚‹ã‚¿ã‚°" #: lib/htmloutputter.php:103 msgid "This page is not available in a media type you accept" @@ -5828,7 +5841,7 @@ msgstr "利用者ID" #: lib/profileaction.php:183 msgid "Member since" -msgstr "ã‹ã‚‰ã®ãƒ¡ãƒ³ãƒãƒ¼" +msgstr "利用開始日" #: lib/profileaction.php:245 msgid "All groups" @@ -6001,7 +6014,7 @@ msgstr "ã“ã®åˆ©ç”¨è€…をアンサイレンス" #: lib/unsubscribeform.php:113 lib/unsubscribeform.php:137 msgid "Unsubscribe from this user" -msgstr "ã“ã®ãƒ¦ãƒ¼ã‚¶ã‹ã‚‰ã®ãƒ•ã‚©ãƒ­ãƒ¼ã‚’解除ã™ã‚‹" +msgstr "ã“ã®åˆ©ç”¨è€…ã‹ã‚‰ã®ãƒ•ã‚©ãƒ­ãƒ¼ã‚’解除ã™ã‚‹" #: lib/unsubscribeform.php:137 msgid "Unsubscribe" diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index 10febefa1..9b939636a 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:05:00+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:42:13+0000\n" "Language-Team: Korean\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: out-statusnet\n" @@ -63,11 +63,12 @@ msgstr "" #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "저장" @@ -3281,6 +3282,37 @@ msgstr "ë‹¹ì‹ ì€ ì´ ì‚¬ìš©ìžì—게 메시지를 보낼 수 없습니다." msgid "User is already sandboxed." msgstr "회ì›ì´ ë‹¹ì‹ ì„ ì°¨ë‹¨í•´ì™”ìŠµë‹ˆë‹¤." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:65 +msgid "Session settings for this StatusNet site." +msgstr "" + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +#, fuzzy +msgid "Save site settings" +msgstr "아바타 설정" + #: actions/showapplication.php:82 #, fuzzy msgid "You must be logged in to view an application." @@ -3761,11 +3793,6 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -#, fuzzy -msgid "Save site settings" -msgstr "아바타 설정" - #: actions/smssettings.php:58 #, fuzzy msgid "SMS settings" @@ -4072,89 +4099,69 @@ msgstr "ì´ìš©ìž" msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "프로필" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 #, fuzzy msgid "New users" msgstr "새 사용ìžë¥¼ 초대" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 #, fuzzy msgid "Default subscription" msgstr "모든 예약 구ë…" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "나ì—게 구ë…하는 사람ì—게 ìžë™ êµ¬ë… ì‹ ì²­" -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 #, fuzzy msgid "Invitations" msgstr "ì´ˆëŒ€ê¶Œì„ ë³´ëƒˆìŠµë‹ˆë‹¤" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 #, fuzzy msgid "Invitations enabled" msgstr "ì´ˆëŒ€ê¶Œì„ ë³´ëƒˆìŠµë‹ˆë‹¤" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "구ë…ì„ í—ˆê°€" @@ -4739,11 +4746,16 @@ msgstr "SMS ì¸ì¦" msgid "Paths configuration" msgstr "SMS ì¸ì¦" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "SMS ì¸ì¦" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4839,12 +4851,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 #, fuzzy msgid "Password changing failed" msgstr "비밀번호 변경" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 #, fuzzy msgid "Password changing is not allowed" msgstr "비밀번호 변경" diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index e0b3f2b2b..acd8005c5 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:05:04+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:42:17+0000\n" "Language-Team: Macedonian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: out-statusnet\n" @@ -61,11 +61,12 @@ msgstr "Оневозможи нови региÑтрации." #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "Зачувај" @@ -507,12 +508,10 @@ msgid "Invalid nickname / password!" msgstr "Погрешен прекар / лозинка!" #: actions/apioauthauthorize.php:170 -#, fuzzy msgid "Database error deleting OAuth application user." msgstr "Грешка при бришењето на кориÑникот на OAuth-програмот." #: actions/apioauthauthorize.php:196 -#, fuzzy msgid "Database error inserting OAuth application user." msgstr "" "Грешка во базата на податоци при вметнувањето на кориÑникот на OAuth-" @@ -3254,6 +3253,37 @@ msgstr "Ðе можете да Ñтавате кориÑници во пеÑоч msgid "User is already sandboxed." msgstr "КориÑникот е веќе во пеÑочен режим." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "СеÑии" + +#: actions/sessionsadminpanel.php:65 +#, fuzzy +msgid "Session settings for this StatusNet site." +msgstr "Ðагодувања на изгледот на оваа StatusNet веб-Ñтраница." + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "Раководење Ñо ÑеÑии" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "Дали Ñамите да Ñи раководиме Ñо ÑеÑиите." + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "Поправка на грешки во ÑеÑија" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "Вклучи извод од поправка на грешки за ÑеÑии." + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +msgid "Save site settings" +msgstr "Зачувај нагодувања на веб-Ñтраницата" + #: actions/showapplication.php:82 msgid "You must be logged in to view an application." msgstr "Мора да Ñте најавени за да можете да го видите програмот." @@ -3754,10 +3784,6 @@ msgstr "" "Колку долго треба да почекаат кориÑниците (во Ñекунди) за да можат повторно " "да го објават иÑтото." -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -msgid "Save site settings" -msgstr "Зачувај нагодувања на веб-Ñтраницата" - #: actions/smssettings.php:58 msgid "SMS settings" msgstr "Ðагодувања за СМС" @@ -4070,84 +4096,64 @@ msgstr "КориÑник" msgid "User settings for this StatusNet site." msgstr "КориÑнички нагодувања за оваа StatusNet веб-Ñтраница." -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "Ðеважечко ограничување за биографијата. Мора да е бројчено." -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "ÐЕважечки текÑÑ‚ за добредојде. Дозволени Ñе највеќе 255 знаци." -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "Ðеважечки Ð¾Ð¿Ð¸Ñ Ð¿Ð¾ оÑновно: „%1$s“ не е кориÑник." -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Профил" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "Ограничување за биографијата" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "МакÑимална големина на профилната биографија во знаци." -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "Ðови кориÑници" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "Добредојде за нов кориÑник" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "ТекÑÑ‚ за добредојде на нови кориÑници (највеќе до 255 знаци)." -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 msgid "Default subscription" msgstr "ОÑновно-зададена претплата" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 msgid "Automatically subscribe new users to this user." msgstr "ÐвтоматÑки претплатувај нови кориÑници на овој кориÑник." -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 msgid "Invitations" msgstr "Покани" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "Поканите Ñе овозможени" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "Дали да им е дозволено на кориÑниците да канат други кориÑници." -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "СеÑии" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "Раководење Ñо ÑеÑии" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "Дали Ñамите да Ñи раководиме Ñо ÑеÑиите." - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "Поправка на грешки во ÑеÑија" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "Вклучи извод од поправка на грешки за ÑеÑии." - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "Одобрете ја претплатата" @@ -4727,14 +4733,21 @@ msgstr "Конфигурација на приÑтапот" msgid "Paths configuration" msgstr "Конфигурација на патеки" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "Конфигурација на изгледот" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" +"API-реÑурÑот бара да може и да чита и да запишува, а вие можете Ñамо да " +"читате." -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" -msgstr "" +msgstr "ÐеуÑпешен обид за API-заверка, прекар = %1$s, прокÑи = %2$s, IP = %3$s" #: lib/applicationeditform.php:136 msgid "Edit application" @@ -4822,11 +4835,11 @@ msgstr "Забелешки кадешто Ñе јавува овој прило msgid "Tags for this attachment" msgstr "Ознаки за овој прилог" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 msgid "Password changing failed" msgstr "Менувањето на лозинката не уÑпеа" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 msgid "Password changing is not allowed" msgstr "Менувањето на лозинка не е дозволено" diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index c0be6a5cd..ef35a39b1 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:05:07+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:42:20+0000\n" "Language-Team: Norwegian (bokmÃ¥l)‬\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: out-statusnet\n" @@ -61,11 +61,12 @@ msgstr "" #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "Lagre" @@ -3214,6 +3215,37 @@ msgstr "Du er allerede logget inn!" msgid "User is already sandboxed." msgstr "Du er allerede logget inn!" +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:65 +msgid "Session settings for this StatusNet site." +msgstr "" + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +#, fuzzy +msgid "Save site settings" +msgstr "Innstillinger for IM" + #: actions/showapplication.php:82 msgid "You must be logged in to view an application." msgstr "" @@ -3687,11 +3719,6 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -#, fuzzy -msgid "Save site settings" -msgstr "Innstillinger for IM" - #: actions/smssettings.php:58 #, fuzzy msgid "SMS settings" @@ -3994,89 +4021,69 @@ msgstr "" msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 #, fuzzy msgid "New users" msgstr "slett" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 #, fuzzy msgid "Default subscription" msgstr "Alle abonnementer" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "" "Abonner automatisk pÃ¥ de som abonnerer pÃ¥ meg (best for ikke-mennesker)" -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 #, fuzzy msgid "Invitations" msgstr "Bekreftelseskode" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "Autoriser abonnementet" @@ -4630,11 +4637,15 @@ msgstr "" msgid "Paths configuration" msgstr "" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +msgid "Sessions configuration" +msgstr "" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4730,12 +4741,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 #, fuzzy msgid "Password changing failed" msgstr "Passordet ble lagret" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 #, fuzzy msgid "Password changing is not allowed" msgstr "Passordet ble lagret" diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index 9594c08b5..9de175f9a 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:05:12+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:42:26+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: out-statusnet\n" @@ -60,11 +60,12 @@ msgstr "Nieuwe registraties uitschakelen." #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "Opslaan" @@ -513,14 +514,12 @@ msgid "Invalid nickname / password!" msgstr "Ongeldige gebruikersnaam of wachtwoord." #: actions/apioauthauthorize.php:170 -#, fuzzy msgid "Database error deleting OAuth application user." msgstr "" "Er is een databasefout opgetreden tijdens het verwijderen van de OAuth " "applicatiegebruiker." #: actions/apioauthauthorize.php:196 -#, fuzzy msgid "Database error inserting OAuth application user." msgstr "" "Er is een databasefout opgetreden tijdens het toevoegen van de OAuth " @@ -3276,6 +3275,37 @@ msgstr "Op deze website kunt u gebruikers niet in de zandbak plaatsen." msgid "User is already sandboxed." msgstr "Deze gebruiker is al in de zandbak geplaatst." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "Sessies" + +#: actions/sessionsadminpanel.php:65 +#, fuzzy +msgid "Session settings for this StatusNet site." +msgstr "Instellingen voor de vormgeving van deze StatusNet-website." + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "Sessieafhandeling" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "Of sessies door de software zelf afgehandeld moeten worden." + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "Sessies debuggen" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "Debuguitvoer voor sessies inschakelen." + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +msgid "Save site settings" +msgstr "Websiteinstellingen opslaan" + #: actions/showapplication.php:82 msgid "You must be logged in to view an application." msgstr "U moet aangemeld zijn om een applicatie te kunnen bekijken." @@ -3780,10 +3810,6 @@ msgstr "" "Hoe lang gebruikers moeten wachten (in seconden) voor ze hetzelfde kunnen " "zenden." -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -msgid "Save site settings" -msgstr "Websiteinstellingen opslaan" - #: actions/smssettings.php:58 msgid "SMS settings" msgstr "SMS-instellingen" @@ -4099,84 +4125,64 @@ msgstr "Gebruiker" msgid "User settings for this StatusNet site." msgstr "Gebruikersinstellingen voor deze StatusNet-website." -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "Ongeldige beschrijvingslimiet. Het moet een getal zijn." -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "Ongeldige welkomsttekst. De maximale lengte is 255 tekens." -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "Ongeldig standaardabonnement: \"%1$s\" is geen gebruiker." -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profiel" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "Profiellimiet" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "De maximale lengte van de profieltekst in tekens." -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "Nieuwe gebruikers" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "Welkom voor nieuwe gebruikers" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "Welkomsttekst voor nieuwe gebruikers. Maximaal 255 tekens." -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 msgid "Default subscription" msgstr "Standaardabonnement" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 msgid "Automatically subscribe new users to this user." msgstr "Nieuwe gebruikers automatisch op deze gebruiker abonneren" -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 msgid "Invitations" msgstr "Uitnodigingen" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "Uitnodigingen ingeschakeld" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "Of gebruikers nieuwe gebruikers kunnen uitnodigen." -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "Sessies" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "Sessieafhandeling" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "Of sessies door de software zelf afgehandeld moeten worden." - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "Sessies debuggen" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "Debuguitvoer voor sessies inschakelen." - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "Abonneren" @@ -4765,14 +4771,22 @@ msgstr "Toegangsinstellingen" msgid "Paths configuration" msgstr "Padinstellingen" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "Instellingen vormgeving" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" +"Het API-programma heeft lezen-en-schrijventoegang nodig, maar u hebt alleen " +"maar leestoegang." -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" +"De API-authenticatie is mislukt. nickname = %1$s, proxy - %2$s, ip = %3$s" #: lib/applicationeditform.php:136 msgid "Edit application" @@ -4860,11 +4874,11 @@ msgstr "Mededelingen die deze bijlage bevatten" msgid "Tags for this attachment" msgstr "Labels voor deze bijlage" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 msgid "Password changing failed" msgstr "Wachtwoord wijzigen is mislukt" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 msgid "Password changing is not allowed" msgstr "Wachtwoord wijzigen is niet toegestaan" diff --git a/locale/nn/LC_MESSAGES/statusnet.po b/locale/nn/LC_MESSAGES/statusnet.po index c2959eb32..934c0e32d 100644 --- a/locale/nn/LC_MESSAGES/statusnet.po +++ b/locale/nn/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:05:09+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:42:23+0000\n" "Language-Team: Norwegian Nynorsk\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nn\n" "X-Message-Group: out-statusnet\n" @@ -63,11 +63,12 @@ msgstr "" #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "Lagra" @@ -3294,6 +3295,37 @@ msgstr "Du kan ikkje sende melding til denne brukaren." msgid "User is already sandboxed." msgstr "Brukar har blokkert deg." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:65 +msgid "Session settings for this StatusNet site." +msgstr "" + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +#, fuzzy +msgid "Save site settings" +msgstr "Avatar-innstillingar" + #: actions/showapplication.php:82 #, fuzzy msgid "You must be logged in to view an application." @@ -3774,11 +3806,6 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -#, fuzzy -msgid "Save site settings" -msgstr "Avatar-innstillingar" - #: actions/smssettings.php:58 #, fuzzy msgid "SMS settings" @@ -4089,90 +4116,70 @@ msgstr "Brukar" msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 #, fuzzy msgid "New users" msgstr "Invitér nye brukarar" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 #, fuzzy msgid "Default subscription" msgstr "Alle tingingar" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "" "Automatisk ting notisane til dei som tingar mine (best for ikkje-menneskje)" -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 #, fuzzy msgid "Invitations" msgstr "Invitasjon(er) sendt" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 #, fuzzy msgid "Invitations enabled" msgstr "Invitasjon(er) sendt" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "Autoriser tinging" @@ -4756,11 +4763,16 @@ msgstr "SMS bekreftelse" msgid "Paths configuration" msgstr "SMS bekreftelse" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "SMS bekreftelse" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4856,12 +4868,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 #, fuzzy msgid "Password changing failed" msgstr "Endra passord" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 #, fuzzy msgid "Password changing is not allowed" msgstr "Endra passord" diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index a50e63f49..02a3face1 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:05:15+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:42:30+0000\n" "Last-Translator: Piotr DrÄ…g \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -19,7 +19,7 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: out-statusnet\n" @@ -63,11 +63,12 @@ msgstr "WyÅ‚Ä…czenie nowych rejestracji." #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "Zapisz" @@ -508,12 +509,10 @@ msgid "Invalid nickname / password!" msgstr "NieprawidÅ‚owy pseudonim/hasÅ‚o." #: actions/apioauthauthorize.php:170 -#, fuzzy msgid "Database error deleting OAuth application user." msgstr "BÅ‚Ä…d bazy danych podczas usuwania użytkownika aplikacji OAuth." #: actions/apioauthauthorize.php:196 -#, fuzzy msgid "Database error inserting OAuth application user." msgstr "BÅ‚Ä…d bazy danych podczas wprowadzania użytkownika aplikacji OAuth." @@ -3229,6 +3228,37 @@ msgstr "Nie można ograniczać użytkowników na tej stronie." msgid "User is already sandboxed." msgstr "Użytkownik jest już ograniczony." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "Sesje" + +#: actions/sessionsadminpanel.php:65 +#, fuzzy +msgid "Session settings for this StatusNet site." +msgstr "Ustawienia wyglÄ…du tej strony StatusNet." + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "ObsÅ‚uga sesji" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "Czy samodzielnie obsÅ‚ugiwać sesje." + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "Debugowanie sesji" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "WÅ‚Ä…cza wyjÅ›cie debugowania dla sesji." + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +msgid "Save site settings" +msgstr "Zapisz ustawienia strony" + #: actions/showapplication.php:82 msgid "You must be logged in to view an application." msgstr "Musisz być zalogowany, aby wyÅ›wietlić aplikacjÄ™." @@ -3726,10 +3756,6 @@ msgstr "" "Ile czasu użytkownicy muszÄ… czekać (w sekundach), aby ponownie wysÅ‚ać to " "samo." -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -msgid "Save site settings" -msgstr "Zapisz ustawienia strony" - #: actions/smssettings.php:58 msgid "SMS settings" msgstr "Ustawienia SMS" @@ -4044,84 +4070,64 @@ msgstr "Użytkownik" msgid "User settings for this StatusNet site." msgstr "Ustawienia użytkownika dla tej strony StatusNet." -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "NieprawidÅ‚owe ograniczenie informacji o sobie. Musi być liczbowa." -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "NieprawidÅ‚owy tekst powitania. Maksymalna dÅ‚ugość to 255 znaków." -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "NieprawidÅ‚owa domyÅ›lna subskrypcja: \"%1$s\" nie jest użytkownikiem." -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "Ograniczenie informacji o sobie" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "Maksymalna dÅ‚ugość informacji o sobie jako liczba znaków." -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "Nowi użytkownicy" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "Powitanie nowego użytkownika" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "Tekst powitania nowych użytkowników (maksymalnie 255 znaków)." -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 msgid "Default subscription" msgstr "DomyÅ›lna subskrypcja" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 msgid "Automatically subscribe new users to this user." msgstr "Automatyczne subskrybowanie nowych użytkowników do tego użytkownika." -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 msgid "Invitations" msgstr "Zaproszenia" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "Zaproszenia sÄ… wÅ‚Ä…czone" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "Czy zezwolić użytkownikom zapraszanie nowych użytkowników." -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "Sesje" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "ObsÅ‚uga sesji" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "Czy samodzielnie obsÅ‚ugiwać sesje." - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "Debugowanie sesji" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "WÅ‚Ä…cza wyjÅ›cie debugowania dla sesji." - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "Upoważnij subskrypcjÄ™" @@ -4700,14 +4706,23 @@ msgstr "Konfiguracja dostÄ™pu" msgid "Paths configuration" msgstr "Konfiguracja Å›cieżek" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "Konfiguracja wyglÄ…du" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" +"Zasób API wymaga dostÄ™pu do zapisu i do odczytu, ale powiadasz dostÄ™p tylko " +"do odczytu." -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" +"Próba uwierzytelnienia API nie powiodÅ‚a siÄ™, pseudonim = %1$s, poÅ›rednik = %2" +"$s, IP = %3$s" #: lib/applicationeditform.php:136 msgid "Edit application" @@ -4795,11 +4810,11 @@ msgstr "Powiadamia, kiedy pojawia siÄ™ ten zaÅ‚Ä…cznik" msgid "Tags for this attachment" msgstr "Znaczniki dla tego zaÅ‚Ä…cznika" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 msgid "Password changing failed" msgstr "Zmiana hasÅ‚a nie powiodÅ‚a siÄ™" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 msgid "Password changing is not allowed" msgstr "Zmiana hasÅ‚a nie jest dozwolona" diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index 2a804d1e4..178f0c581 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:05:18+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:42:34+0000\n" "Language-Team: Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: out-statusnet\n" @@ -61,11 +61,12 @@ msgstr "Impossibilitar registos novos." #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "Gravar" @@ -3263,6 +3264,37 @@ msgstr "Não pode impedir notas públicas neste site." msgid "User is already sandboxed." msgstr "Utilizador já está impedido de criar notas públicas." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "Sessões" + +#: actions/sessionsadminpanel.php:65 +#, fuzzy +msgid "Session settings for this StatusNet site." +msgstr "Configurações do estilo deste site StatusNet." + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "Gerir sessões" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "Se devemos gerir sessões nós próprios." + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "Depuração de sessões" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "Ligar a impressão de dados de depuração, para sessões." + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +msgid "Save site settings" +msgstr "Gravar configurações do site" + #: actions/showapplication.php:82 #, fuzzy msgid "You must be logged in to view an application." @@ -3761,10 +3793,6 @@ msgstr "" "Quanto tempo os utilizadores terão de esperar (em segundos) para publicar a " "mesma coisa outra vez." -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -msgid "Save site settings" -msgstr "Gravar configurações do site" - #: actions/smssettings.php:58 msgid "SMS settings" msgstr "Configurações de SMS" @@ -4079,84 +4107,64 @@ msgstr "Utilizador" msgid "User settings for this StatusNet site." msgstr "Configurações do utilizador para este site StatusNet." -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "Limite da biografia inválido. Tem de ser numérico." -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "Texto de boas-vindas inválido. Tamanho máx. é 255 caracteres." -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "Subscrição predefinida é inválida: '%1$s' não é utilizador." -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Perfil" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "Limite da Biografia" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "Tamanho máximo de uma biografia em caracteres." -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "Utilizadores novos" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "Boas-vindas a utilizadores novos" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "Texto de boas-vindas a utilizadores novos (máx. 255 caracteres)." -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 msgid "Default subscription" msgstr "Subscrição predefinida" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 msgid "Automatically subscribe new users to this user." msgstr "Novos utilizadores subscrevem automaticamente este utilizador." -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 msgid "Invitations" msgstr "Convites" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "Convites habilitados" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "Permitir, ou não, que utilizadores convidem utilizadores novos." -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "Sessões" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "Gerir sessões" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "Se devemos gerir sessões nós próprios." - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "Depuração de sessões" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "Ligar a impressão de dados de depuração, para sessões." - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "Autorizar subscrição" @@ -4735,11 +4743,16 @@ msgstr "Configuração do estilo" msgid "Paths configuration" msgstr "Configuração das localizações" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "Configuração do estilo" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4834,11 +4847,11 @@ msgstr "Notas em que este anexo aparece" msgid "Tags for this attachment" msgstr "Categorias para este anexo" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 msgid "Password changing failed" msgstr "Não foi possível mudar a palavra-chave" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 msgid "Password changing is not allowed" msgstr "Não é permitido mudar a palavra-chave" diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index bc6bb997f..6d8a577e7 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:05:21+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:42:37+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" @@ -62,11 +62,12 @@ msgstr "Desabilita novos registros." #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "Salvar" @@ -3264,6 +3265,37 @@ msgstr "Você não pode colocar usuários deste site em isolamento." msgid "User is already sandboxed." msgstr "O usuário já está em isolamento." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "Sessões" + +#: actions/sessionsadminpanel.php:65 +#, fuzzy +msgid "Session settings for this StatusNet site." +msgstr "Configurações da aparência deste site StatusNet." + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "Gerenciar sessões" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "Define se nós cuidamos do gerenciamento das sessões." + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "Depuração da sessão" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "Ativa a saída de depuração para as sessões." + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +msgid "Save site settings" +msgstr "Salvar as configurações do site" + #: actions/showapplication.php:82 msgid "You must be logged in to view an application." msgstr "Você deve estar autenticado para visualizar uma aplicação." @@ -3762,10 +3794,6 @@ msgstr "" "Quanto tempo (em segundos) os usuários devem esperar para publicar a mesma " "coisa novamente." -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -msgid "Save site settings" -msgstr "Salvar as configurações do site" - #: actions/smssettings.php:58 msgid "SMS settings" msgstr "Configuração do SMS" @@ -4078,85 +4106,65 @@ msgstr "Usuário" msgid "User settings for this StatusNet site." msgstr "Configurações de usuário para este site StatusNet." -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "Limite da descrição inválido. Seu valor deve ser numérico." -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" "Mensagem de boas vindas inválida. O comprimento máximo é de 255 caracteres." -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "Assinatura padrão inválida: '%1$s' não é um usuário." -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Perfil" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "Limite da descrição" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "Comprimento máximo da descrição do perfil, em caracteres." -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "Novos usuários" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "Boas vindas aos novos usuários" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "Texto de boas vindas para os novos usuários (máx. 255 caracteres)." -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 msgid "Default subscription" msgstr "Assinatura padrão" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 msgid "Automatically subscribe new users to this user." msgstr "Os novos usuários assinam esse usuário automaticamente." -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 msgid "Invitations" msgstr "Convites" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "Convites habilitados" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "Define se os usuários podem ou não convidar novos usuários." -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "Sessões" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "Gerenciar sessões" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "Define se nós cuidamos do gerenciamento das sessões." - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "Depuração da sessão" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "Ativa a saída de depuração para as sessões." - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "Autorizar a assinatura" @@ -4736,11 +4744,16 @@ msgstr "Configuração da aparência" msgid "Paths configuration" msgstr "Configuração dos caminhos" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "Configuração da aparência" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4831,11 +4844,11 @@ msgstr "Mensagens onde este anexo aparece" msgid "Tags for this attachment" msgstr "Etiquetas para este anexo" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 msgid "Password changing failed" msgstr "Não foi possível alterar a senha" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 msgid "Password changing is not allowed" msgstr "Não é permitido alterar a senha" diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index 4d84af8fd..8e501c51c 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:05:24+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:42:40+0000\n" "Language-Team: Russian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: out-statusnet\n" @@ -63,11 +63,12 @@ msgstr "Отключить новые региÑтрации." #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "Сохранить" @@ -509,12 +510,10 @@ msgid "Invalid nickname / password!" msgstr "Ðеверное Ð¸Ð¼Ñ Ð¸Ð»Ð¸ пароль." #: actions/apioauthauthorize.php:170 -#, fuzzy msgid "Database error deleting OAuth application user." msgstr "Ошибка базы данных при удалении Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð¿Ñ€Ð¸Ð»Ð¾Ð¶ÐµÐ½Ð¸Ñ OAuth." #: actions/apioauthauthorize.php:196 -#, fuzzy msgid "Database error inserting OAuth application user." msgstr "Ошибка базы данных при добавлении Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð¿Ñ€Ð¸Ð»Ð¾Ð¶ÐµÐ½Ð¸Ñ OAuth." @@ -3244,6 +3243,37 @@ msgstr "" msgid "User is already sandboxed." msgstr "Пользователь уже в режиме пеÑочницы." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "СеÑÑии" + +#: actions/sessionsadminpanel.php:65 +#, fuzzy +msgid "Session settings for this StatusNet site." +msgstr "ÐаÑтройки Ð¾Ñ„Ð¾Ñ€Ð¼Ð»ÐµÐ½Ð¸Ñ Ð´Ð»Ñ Ñтого Ñайта StatusNet." + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "Управление ÑеÑÑиÑми" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "УправлÑÑ‚ÑŒ ли ÑеÑÑиÑми ÑамоÑтоÑтельно." + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "Отладка ÑеÑÑий" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "Включить отладочный вывод Ð´Ð»Ñ ÑеÑÑий." + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +msgid "Save site settings" +msgstr "Сохранить наÑтройки Ñайта" + #: actions/showapplication.php:82 msgid "You must be logged in to view an application." msgstr "Ð’Ñ‹ должны авторизоватьÑÑ, чтобы проÑматривать приложениÑ." @@ -3743,10 +3773,6 @@ msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Сколько нужно ждать пользователÑм (в Ñекундах) Ð´Ð»Ñ Ð¾Ñ‚Ð¿Ñ€Ð°Ð²ÐºÐ¸ того же ещё раз." -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -msgid "Save site settings" -msgstr "Сохранить наÑтройки Ñайта" - #: actions/smssettings.php:58 msgid "SMS settings" msgstr "УÑтановки СМС" @@ -4062,85 +4088,65 @@ msgstr "Пользователь" msgid "User settings for this StatusNet site." msgstr "ПользовательÑкие наÑтройки Ð´Ð»Ñ Ñтого Ñайта StatusNet." -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "Ðеверное ограничение биографии. Должно быть чиÑлом." -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" "Ðеверный текÑÑ‚ приветÑтвиÑ. МакÑÐ¸Ð¼Ð°Ð»ÑŒÐ½Ð°Ñ Ð´Ð»Ð¸Ð½Ð° ÑоÑтавлÑет 255 Ñимволов." -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "ÐÐµÐ²ÐµÑ€Ð½Ð°Ñ Ð¿Ð¾Ð´Ð¿Ð¸Ñка по умолчанию: «%1$s» не ÑвлÑетÑÑ Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»ÐµÐ¼." -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Профиль" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "Ограничение биографии" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "МакÑÐ¸Ð¼Ð°Ð»ÑŒÐ½Ð°Ñ Ð´Ð»Ð¸Ð½Ð° биографии Ð¿Ñ€Ð¾Ñ„Ð¸Ð»Ñ Ð² Ñимволах." -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "Ðовые пользователи" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "ПриветÑтвие новым пользователÑм" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "ТекÑÑ‚ приветÑÑ‚Ð²Ð¸Ñ Ð´Ð»Ñ Ð½Ð¾Ð²Ñ‹Ñ… пользователей (макÑимум 255 Ñимволов)." -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 msgid "Default subscription" msgstr "ПодпиÑка по умолчанию" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 msgid "Automatically subscribe new users to this user." msgstr "ÐвтоматичеÑки подпиÑывать новых пользователей на Ñтого пользователÑ." -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 msgid "Invitations" msgstr "ПриглашениÑ" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "ÐŸÑ€Ð¸Ð³Ð»Ð°ÑˆÐµÐ½Ð¸Ñ Ð²ÐºÐ»ÑŽÑ‡ÐµÐ½Ñ‹" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "Разрешать ли пользователÑм приглашать новых пользователей." -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "СеÑÑии" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "Управление ÑеÑÑиÑми" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "УправлÑÑ‚ÑŒ ли ÑеÑÑиÑми ÑамоÑтоÑтельно." - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "Отладка ÑеÑÑий" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "Включить отладочный вывод Ð´Ð»Ñ ÑеÑÑий." - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "Ðвторизовать подпиÑку" @@ -4716,14 +4722,23 @@ msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð´Ð¾Ñтупа" msgid "Paths configuration" msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¿ÑƒÑ‚ÐµÐ¹" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¾Ñ„Ð¾Ñ€Ð¼Ð»ÐµÐ½Ð¸Ñ" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" +"API реÑурÑа требует доÑтуп Ð´Ð»Ñ Ñ‡Ñ‚ÐµÐ½Ð¸Ñ Ð¸ запиÑи, но у Ð²Ð°Ñ ÐµÑÑ‚ÑŒ только доÑтуп " +"Ð´Ð»Ñ Ñ‡Ñ‚ÐµÐ½Ð¸Ñ." -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" +"ÐÐµÑƒÐ´Ð°Ñ‡Ð½Ð°Ñ Ð¿Ð¾Ð¿Ñ‹Ñ‚ÐºÐ° авторизации через API, nickname = %1$s, proxy = %2$s, ip = " +"%3$s" #: lib/applicationeditform.php:136 msgid "Edit application" @@ -4811,11 +4826,11 @@ msgstr "Сообщает, где поÑвлÑетÑÑ Ñто вложение" msgid "Tags for this attachment" msgstr "Теги Ð´Ð»Ñ Ñтого вложениÑ" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 msgid "Password changing failed" msgstr "Изменение Ð¿Ð°Ñ€Ð¾Ð»Ñ Ð½Ðµ удалоÑÑŒ" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 msgid "Password changing is not allowed" msgstr "Смена Ð¿Ð°Ñ€Ð¾Ð»Ñ Ð½Ðµ разрешена" diff --git a/locale/statusnet.po b/locale/statusnet.po index 0d7fd8425..6f6f1e58b 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -56,11 +56,12 @@ msgstr "" #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "" @@ -3052,6 +3053,36 @@ msgstr "" msgid "User is already sandboxed." msgstr "" +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:65 +msgid "Session settings for this StatusNet site." +msgstr "" + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +msgid "Save site settings" +msgstr "" + #: actions/showapplication.php:82 msgid "You must be logged in to view an application." msgstr "" @@ -3514,10 +3545,6 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -msgid "Save site settings" -msgstr "" - #: actions/smssettings.php:58 msgid "SMS settings" msgstr "" @@ -3808,84 +3835,64 @@ msgstr "" msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 msgid "Default subscription" msgstr "" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 msgid "Automatically subscribe new users to this user." msgstr "" -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 msgid "Invitations" msgstr "" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "" @@ -4424,11 +4431,15 @@ msgstr "" msgid "Paths configuration" msgstr "" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +msgid "Sessions configuration" +msgstr "" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4518,11 +4529,11 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 msgid "Password changing failed" msgstr "" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 msgid "Password changing is not allowed" msgstr "" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index 21beffe86..de78d46d8 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:05:27+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:42:45+0000\n" "Language-Team: Swedish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: out-statusnet\n" @@ -25,14 +25,12 @@ msgid "Access" msgstr "Ã…tkomst" #: actions/accessadminpanel.php:65 -#, fuzzy msgid "Site access settings" -msgstr "Spara webbplatsinställningar" +msgstr "Inställningar för webbplatsÃ¥tkomst" #: actions/accessadminpanel.php:158 -#, fuzzy msgid "Registration" -msgstr "Registrera" +msgstr "Registrering" #: actions/accessadminpanel.php:161 msgid "Private" @@ -62,18 +60,18 @@ msgstr "Inaktivera nya registreringar." #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "Spara" #: actions/accessadminpanel.php:189 -#, fuzzy msgid "Save access settings" -msgstr "Spara webbplatsinställningar" +msgstr "Spara inställningar för Ã¥tkomst" #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 @@ -503,12 +501,10 @@ msgid "Invalid nickname / password!" msgstr "Ogiltigt smeknamn / lösenord!" #: actions/apioauthauthorize.php:170 -#, fuzzy msgid "Database error deleting OAuth application user." msgstr "Databasfel vid borttagning av OAuth-applikationsanvändare." #: actions/apioauthauthorize.php:196 -#, fuzzy msgid "Database error inserting OAuth application user." msgstr "Databasfel vid infogning av OAuth-applikationsanvändare." @@ -1081,12 +1077,11 @@ msgid "Add to favorites" msgstr "Lägg till i favoriter" #: actions/doc.php:155 -#, fuzzy, php-format +#, php-format msgid "No such document \"%s\"" -msgstr "Inget sÃ¥dant dokument." +msgstr "Inget sÃ¥dant dokument \"%s\"" #: actions/editapplication.php:54 -#, fuzzy msgid "Edit Application" msgstr "Redigera applikation" @@ -1823,9 +1818,9 @@ msgid "That is not your Jabber ID." msgstr "Detta är inte ditt Jabber-ID." #: actions/inbox.php:59 -#, fuzzy, php-format +#, php-format msgid "Inbox for %1$s - page %2$d" -msgstr "Inkorg för %s" +msgstr "Inkorg för %1$s - sida %2$d" #: actions/inbox.php:62 #, php-format @@ -1949,6 +1944,32 @@ msgid "" "\n" "Sincerely, %2$s\n" msgstr "" +"%1$s har bjudit in dig till dem pÃ¥ %2$s (%3$s).\n" +"\n" +"%2$s är en mikrobloggtjänst som lÃ¥ter dig hÃ¥lla dig uppdaterad med folk du " +"känner och folk som intresserar dig . \n" +"\n" +"Du kan ocksÃ¥ dela nyheter om dig själv, dina tankar, eller ditt liv online " +"med folk som känner till dig. Det är ocksÃ¥ bra för att träffa nya människor " +"som delar dina intressen.\n" +"\n" +"%1$s sa:\n" +"\n" +"%4$s\n" +"\n" +"Du kan se %1$ss profilsida pÃ¥ %2$s här: \n" +"\n" +"%5$s\n" +"\n" +"Om du vill prova tjänsten, klicka pÃ¥ länken nedan för att acceptera " +"inbjudan. \n" +"\n" +"%6$s\n" +"\n" +"Om inte, kan du bortse frÃ¥n detta meddelande. Tack för ditt tÃ¥lamod och din " +"tid\n" +"\n" +"Vänliga hälsningar, %2$s\n" #: actions/joingroup.php:60 msgid "You must be logged in to join a group." @@ -2046,7 +2067,6 @@ msgid "No current status" msgstr "Ingen aktuell status" #: actions/newapplication.php:52 -#, fuzzy msgid "New Application" msgstr "Ny applikation" @@ -2306,9 +2326,9 @@ msgid "Login token expired." msgstr "Inloggnings-token förfallen." #: actions/outbox.php:58 -#, fuzzy, php-format +#, php-format msgid "Outbox for %1$s - page %2$d" -msgstr "Utkorg för %s" +msgstr "Utkorg för %1$s - sida %2$d" #: actions/outbox.php:61 #, php-format @@ -3037,6 +3057,20 @@ msgid "" "\n" "Thanks for signing up and we hope you enjoy using this service." msgstr "" +"Grattis, %1$s! Och välkommen till %%%%site.name%%%%. HärifrÃ¥n kan du...\n" +"\n" +"* GÃ¥ till [din profil](%2$s) och skicka ditt första meddelande.\n" +"* Lägg till en [Jabber/GTalk-adress](%%%%action.imsettings%%%%) sÃ¥ att du " +"kan skicka notiser via snabbmeddelanden.\n" +"* [Söka efter personer](%%%%action.peoplesearch%%%%) som du kanske känner " +"eller som delar dina intressen. \n" +"* Uppdatera dina [profilinställningar](%%%%action.profilesettings%%%%) för " +"att berätta mer om dig. \n" +"* Läs igenom [online-dokumentationen](%%%%doc.help%%%%) för funktioner du " +"kan ha missat. \n" +"\n" +"Tack för att du anmält dig och vi hoppas att du kommer tycka om att använda " +"denna tjänst." #: actions/register.php:562 msgid "" @@ -3136,9 +3170,9 @@ msgid "Replies to %s" msgstr "Svarat till %s" #: actions/replies.php:127 -#, fuzzy, php-format +#, php-format msgid "Replies to %1$s, page %2$d" -msgstr "Svar till %1$s pÃ¥ %2$s" +msgstr "Svar till %1$s, sida %2$s" #: actions/replies.php:144 #, php-format @@ -3195,6 +3229,37 @@ msgstr "Du kan inte flytta användare till sandlÃ¥dan pÃ¥ denna webbplats." msgid "User is already sandboxed." msgstr "Användare är redan flyttad till sandlÃ¥dan." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "Sessioner" + +#: actions/sessionsadminpanel.php:65 +#, fuzzy +msgid "Session settings for this StatusNet site." +msgstr "Utseendeinställningar för denna StatusNet-webbplats." + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "Hantera sessioner" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "Hurvida sessioner skall hanteras av oss själva." + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "Sessionsfelsökning" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "Sätt pÃ¥ felsökningsutdata för sessioner." + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +msgid "Save site settings" +msgstr "Spara webbplatsinställningar" + #: actions/showapplication.php:82 msgid "You must be logged in to view an application." msgstr "Du mÃ¥ste vara inloggad för att se en applikation." @@ -3272,9 +3337,9 @@ msgstr "" "klartextsignatur." #: actions/showfavorites.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s's favorite notices, page %2$d" -msgstr "%ss favoritnotiser" +msgstr "%1$ss favoritnotiser, sida %2$d" #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." @@ -3334,9 +3399,9 @@ msgid "%s group" msgstr "%s grupp" #: actions/showgroup.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s group, page %2$d" -msgstr "%1$s gruppmedlemmar, sida %2$d" +msgstr "%1$s grupp, sida %2$d" #: actions/showgroup.php:218 msgid "Group profile" @@ -3458,9 +3523,9 @@ msgid " tagged %s" msgstr "taggade %s" #: actions/showstream.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s, page %2$d" -msgstr "%1$s blockerade profiler, sida %2$d" +msgstr "%1$s, sida %2$d" #: actions/showstream.php:122 #, php-format @@ -3688,10 +3753,6 @@ msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Hur länge användare mÃ¥ste vänta (i sekunder) för att posta samma sak igen." -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -msgid "Save site settings" -msgstr "Spara webbplatsinställningar" - #: actions/smssettings.php:58 msgid "SMS settings" msgstr "Inställningar för SMS" @@ -3897,9 +3958,9 @@ msgid "SMS" msgstr "SMS" #: actions/tag.php:68 -#, fuzzy, php-format +#, php-format msgid "Notices tagged with %1$s, page %2$d" -msgstr "Användare som taggat sig själv med %1$s - sida %2$d" +msgstr "Notiser taggade med %1$s, sida %2$d" #: actions/tag.php:86 #, php-format @@ -4006,86 +4067,66 @@ msgstr "Användare" msgid "User settings for this StatusNet site." msgstr "Användarinställningar för denna StatusNet-webbplats" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "Ogiltig begränsning av biografi. MÃ¥ste vara numerisk." -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "Ogiltig välkomsttext. Maximal längd är 255 tecken." -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "Ogiltig standardprenumeration: '%1$s' är inte användare." -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "Begränsning av biografi" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "Maximal teckenlängd av profilbiografi." -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "Nya användare" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "Välkomnande av ny användare" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "Välkomsttext för nya användare (max 255 tecken)." -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 msgid "Default subscription" msgstr "Standardprenumerationer" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 msgid "Automatically subscribe new users to this user." msgstr "" "Lägg automatiskt till en prenumeration pÃ¥ denna användare för alla nya " "användare." -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 msgid "Invitations" msgstr "Inbjudningar" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "Inbjudningar aktiverade" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "Hurvida användare skall tillÃ¥tas bjuda in nya användare." -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "Sessioner" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "Hantera sessioner" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "Hurvida sessioner skall hanteras av oss själva." - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "Sessionsfelsökning" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "Sätt pÃ¥ felsökningsutdata för sessioner." - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "Godkänn prenumeration" @@ -4204,9 +4245,9 @@ msgid "Enjoy your hotdog!" msgstr "Smaklig mÃ¥ltid!" #: actions/usergroups.php:64 -#, fuzzy, php-format +#, php-format msgid "%1$s groups, page %2$d" -msgstr "%1$s gruppmedlemmar, sida %2$d" +msgstr "%1$s grupper, sida %2$d" #: actions/usergroups.php:130 msgid "Search for more groups" @@ -4375,9 +4416,8 @@ msgid "Problem saving notice." msgstr "Problem med att spara notis." #: classes/Notice.php:790 -#, fuzzy msgid "Problem saving group inbox." -msgstr "Problem med att spara notis." +msgstr "Problem med att spara gruppinkorg." #: classes/Notice.php:850 #, php-format @@ -4568,7 +4608,7 @@ msgstr "" #: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " -msgstr "**%%site.name%%** är en mikrobloggtjänst." +msgstr "**%%site.name%%** är en mikrobloggtjänst. " #: lib/action.php:786 #, php-format @@ -4588,16 +4628,17 @@ msgstr "Licens för webbplatsinnehÃ¥ll" #: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." -msgstr "" +msgstr "InnehÃ¥ll och data av %1$s är privat och konfidensiell." #: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." -msgstr "" +msgstr "InnehÃ¥ll och data copyright av %1$s. Alla rättigheter reserverade." #: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" +"InnehÃ¥ll och data copyright av medarbetare. Alla rättigheter reserverade." #: lib/action.php:826 msgid "All " @@ -4648,27 +4689,33 @@ msgid "Design configuration" msgstr "Konfiguration av utseende" #: lib/adminpanelaction.php:322 -#, fuzzy msgid "User configuration" -msgstr "Konfiguration av sökvägar" +msgstr "Konfiguration av användare" #: lib/adminpanelaction.php:327 -#, fuzzy msgid "Access configuration" -msgstr "Konfiguration av utseende" +msgstr "Konfiguration av Ã¥tkomst" #: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "Konfiguration av sökvägar" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "Konfiguration av utseende" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" +"API-resursen kräver läs- och skrivrättigheter, men du har bara läsrättighet." -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" +"Misslyckat försök till API-autentisering, smeknamn =%1$s, proxy =%2$s, ip =%3" +"$s" #: lib/applicationeditform.php:136 msgid "Edit application" @@ -4756,11 +4803,11 @@ msgstr "Notiser där denna bilaga förekommer" msgid "Tags for this attachment" msgstr "Taggar för denna billaga" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 msgid "Password changing failed" msgstr "Byte av lösenord misslyckades" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 msgid "Password changing is not allowed" msgstr "Byte av lösenord är inte tillÃ¥tet" @@ -5025,6 +5072,43 @@ msgid "" "tracks - not yet implemented.\n" "tracking - not yet implemented.\n" msgstr "" +"Kommandon:\n" +"on - sätt pÃ¥ notifikationer\n" +"off - stäng av notifikationer\n" +"help - visa denna hjälp\n" +"follow - prenumerera pÃ¥ användare\n" +"groups - lista grupperna du tillhör\n" +"subscriptions - lista personerna du följer\n" +"subscribers - lista personerna som följer dig\n" +"leave - avsluta prenumeration pÃ¥ användare\n" +"d - direktmeddelande till användare\n" +"get - hämta senaste notis frÃ¥n användare\n" +"whois - hämta profilinformation om användare\n" +"fav - lägg till användarens senaste notis som favorit\n" +"fav # - lägg till notis med given id som favorit\n" +"repeat # - upprepa en notis med en given id\n" +"repeat - upprepa den senaste notisen frÃ¥n användare\n" +"reply # - svara pÃ¥ notis med en given id\n" +"reply - svara pÃ¥ den senaste notisen frÃ¥n användare\n" +"join - gÃ¥ med i grupp\n" +"login - hämta en länk till webbgränssnittets inloggningssida\n" +"drop - lämna grupp\n" +"stats - hämta din statistik\n" +"stop - samma som 'off'\n" +"quit - samma som 'off'\n" +"sub - samma som 'follow'\n" +"unsub - samma som 'leave'\n" +"last - samma som 'get'\n" +"on - inte implementerat än.\n" +"off - inte implementerat än.\n" +"nudge - pÃ¥minn en användare om att uppdatera\n" +"invite - inte implementerat än.\n" +"track - inte implementerat än.\n" +"untrack - inte implementerat än.\n" +"track off - inte implementerat än.\n" +"untrack all - inte implementerat än.\n" +"tracks - inte implementerat än.\n" +"tracking - inte implementerat än.\n" #: lib/common.php:131 msgid "No configuration file found. " @@ -5044,7 +5128,7 @@ msgstr "GÃ¥ till installeraren." #: lib/connectsettingsaction.php:110 msgid "IM" -msgstr "IM" +msgstr "Snabbmeddelande" #: lib/connectsettingsaction.php:111 msgid "Updates by instant messenger (IM)" @@ -5292,6 +5376,18 @@ msgid "" "Thanks for your time, \n" "%s\n" msgstr "" +"Hej %s!\n" +"\n" +"NÃ¥gon la precis till den här e-postadressen pÃ¥ %s.\n" +"\n" +"Om det var du och du vill bekräfta det, använd webbadressen nedan:\n" +"\n" +"%s\n" +"\n" +"Om inte, ignorera bara det här meddelandet.\n" +"\n" +"Tack för din tid, \n" +"%s\n" #: lib/mail.php:236 #, php-format @@ -5312,6 +5408,16 @@ msgid "" "----\n" "Change your email address or notification options at %8$s\n" msgstr "" +"%1$s lyssnar nu pÃ¥ dina notiser pÃ¥ %2$s.\n" +"\n" +"%3$s\n" +"\n" +"%4$s%5$s%6$s\n" +"Med vänliga hälsningar,\n" +"%7$s.\n" +"\n" +"----\n" +"Ändra din e-postadress eller notiferingsinställningar pÃ¥ %8$s\n" #: lib/mail.php:258 #, php-format @@ -5373,6 +5479,17 @@ msgid "" "With kind regards,\n" "%4$s\n" msgstr "" +"%1$s (%2$s) undrar vad du hÃ¥ller pÃ¥ med nuförtiden och inbjuder dig att " +"lägga upp nÃ¥gra nyheter.\n" +"\n" +"SÃ¥ lÃ¥t oss höra av dig :)\n" +"\n" +"%3$s\n" +"\n" +"Svara inte pÃ¥ det här e-postmeddelandet; det kommer inte komma fram.\n" +"\n" +"Med vänliga hälsningar,\n" +"%4$s\n" #: lib/mail.php:510 #, php-format @@ -5397,6 +5514,20 @@ msgid "" "With kind regards,\n" "%5$s\n" msgstr "" +"%1$s (%2$s) skickade ett privat meddelande till dig:\n" +"\n" +"------------------------------------------------------\n" +"%3$s\n" +"------------------------------------------------------\n" +"\n" +"Du kan svara pÃ¥ meddelandet här:\n" +"\n" +"%4$s\n" +"\n" +"Svara inte pÃ¥ detta e-postmeddelande; det kommer inte komma fram.\n" +"\n" +"Med vänliga hälsningar,\n" +"%5$s\n" #: lib/mail.php:559 #, php-format @@ -5423,6 +5554,22 @@ msgid "" "Faithfully yours,\n" "%6$s\n" msgstr "" +"%1$s (@%7$s) la precis till din notis frÃ¥n %2$s som en av sina favoriter.\n" +"\n" +"Webbadressen för din notis är:\n" +"\n" +"%3$s\n" +"\n" +"Texten i din notis är:\n" +"\n" +"%4$s\n" +"\n" +"Du kan se listan med %1$ss favoriter här:\n" +"\n" +"%5$s\n" +"\n" +"Med vänliga hälsningar,\n" +"%6$s\n" #: lib/mail.php:624 #, php-format @@ -5443,6 +5590,17 @@ msgid "" "\t%4$s\n" "\n" msgstr "" +"%1$s (@%9$s) skickade precis en notis för din uppmärksamhet (ett '@-svar') " +"pÃ¥ %2$s.\n" +"\n" +"Notisen är här:\n" +"\n" +"%3$s\n" +"\n" +"Den lyder:\n" +"\n" +"%4$s\n" +"\n" #: lib/mailbox.php:89 msgid "Only the user can read their own mailboxes." diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index 229a5c0c2..59757cc82 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:05:30+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:42:48+0000\n" "Language-Team: Telugu\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: out-statusnet\n" @@ -25,12 +25,10 @@ msgid "Access" msgstr "అంగీకరించà±" #: actions/accessadminpanel.php:65 -#, fuzzy msgid "Site access settings" -msgstr "సైటౠఅమరికలనౠభదà±à°°à°ªà°°à°šà±" +msgstr "సైటౠఅందà±à°¬à°¾à°Ÿà± అమరికలà±" #: actions/accessadminpanel.php:158 -#, fuzzy msgid "Registration" msgstr "నమోదà±" @@ -62,11 +60,12 @@ msgstr "కొతà±à°¤ నమోదà±à°²à°¨à± అచేతనంచేయి. #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "à°­à°¦à±à°°à°ªà°°à°šà±" @@ -305,7 +304,7 @@ msgstr "చాలా పొడవà±à°‚ది. à°—à°°à°¿à°·à±à°  సందే #: actions/apidirectmessagenew.php:146 msgid "Recipient user not found." -msgstr "" +msgstr "à°…à°‚à°¦à±à°•à±‹à°µà°¾à°²à±à°¸à°¿à°¨ వాడà±à°•à°°à°¿ కనబడలేదà±." #: actions/apidirectmessagenew.php:150 msgid "Can't send direct messages to users who aren't your friend." @@ -334,12 +333,12 @@ msgstr "ఇషà±à°Ÿà°¾à°‚శానà±à°¨à°¿ తొలగించలేకప #: actions/apifriendshipscreate.php:109 msgid "Could not follow user: User not found." -msgstr "" +msgstr "వాడà±à°•à°°à°¿à°¨à°¿ à°…à°¨à±à°¸à°°à°¿à°‚చలేకపోయాం: వాడà±à°•à°°à°¿ కనబడలేదà±." #: actions/apifriendshipscreate.php:118 #, php-format msgid "Could not follow user: %s is already on your list." -msgstr "" +msgstr "వాడà±à°•à°°à°¿à°¨à°¿ à°…à°¨à±à°¸à°°à°¿à°‚చలేకపోయాం: %s ఇపà±à°ªà°Ÿà°¿à°•à±‡ మీ జాబితాలో ఉనà±à°¨à°¾à°°à±." #: actions/apifriendshipsdestroy.php:109 #, fuzzy @@ -656,7 +655,7 @@ msgstr "%s బహిరంగ కాలరేఖ" #: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" -msgstr "" +msgstr "అందరి à°¨à±à°‚à°¡à°¿ %s తాజాకరణలà±!" #: actions/apitimelineretweetedtome.php:111 #, fuzzy, php-format @@ -1424,7 +1423,7 @@ msgstr "విశేష వాడà±à°•à°°à±à°²à±, పేజీ %d" #: actions/featured.php:99 #, php-format msgid "A selection of some great users on %s" -msgstr "" +msgstr "%sలో కొందరౠగొపà±à°ª వాడà±à°•à°°à±à°² యొకà±à°• ఎంపిక" #: actions/file.php:34 #, fuzzy @@ -1461,7 +1460,7 @@ msgstr "à°† వాడà±à°•à°°à°¿ మిమà±à°®à°²à±à°¨à°¿ చందాచే #: actions/finishremotesubscribe.php:110 msgid "You are not authorized." -msgstr "" +msgstr "మీకౠఅధీకరణ లేదà±." #: actions/finishremotesubscribe.php:113 msgid "Could not convert request token to access token." @@ -1523,6 +1522,8 @@ msgid "" "will be removed from the group, unable to post, and unable to subscribe to " "the group in the future." msgstr "" +"నిజంగానే వాడà±à°•à°°à°¿ \"%1$s\"ని \"%2$s\" à°—à±à°‚పౠనà±à°‚à°¡à°¿ నిరోధించాలనà±à°•à±à°‚à°Ÿà±à°¨à±à°¨à°¾à°°à°¾? వారిని à°—à±à°‚పౠనà±à°‚à°¡à°¿ " +"తొలగిసà±à°¤à°¾à°‚, ఇక భవిషà±à°¯à°¤à±à°¤à±à°²à±‹ వారౠగà±à°‚à°ªà±à°²à±‹ à°ªà±à°°à°šà±à°°à°¿à°‚చలేరà±, మరియౠగà±à°‚à°ªà±à°•à°¿ చందాచేరలేరà±." #: actions/groupblock.php:178 msgid "Do not block this user from this group" @@ -1687,6 +1688,8 @@ msgid "" "Why not [register an account](%%action.register%%) and [create the group](%%" "action.newgroup%%) yourself!" msgstr "" +"[à°’à°• ఖాతాని నమోదà±à°šà±‡à°¸à±à°•à±à°¨à°¿](%%action.register%%) మీరే à°Žà°‚à°¦à±à°•à± [à°† à°—à±à°‚à°ªà±à°¨à°¿ సృషà±à°Ÿà°¿à°‚à°š](%%" +"action.newgroup%%)కూడదà±!" #: actions/groupunblock.php:91 msgid "Only an admin can unblock group members." @@ -1847,7 +1850,7 @@ msgstr "" #: actions/invite.php:162 msgid "" "Use this form to invite your friends and colleagues to use this service." -msgstr "" +msgstr "à°ˆ ఫారానà±à°¨à°¿ ఉపయోగించి మీ à°¸à±à°¨à±‡à°¹à°¿à°¤à±à°²à°¨à± మరియౠసహోదà±à°¯à±‹à°—à±à°²à°¨à± à°ˆ సేవనౠవినియోగించà±à°•à±‹à°®à°¨à°¿ ఆహà±à°µà°¾à°¨à°¿à°‚à°šà°‚à°¡à°¿." #: actions/invite.php:187 msgid "Email addresses" @@ -2000,7 +2003,6 @@ msgid "No current status" msgstr "à°ªà±à°°à°¸à±à°¤à±à°¤ à°¸à±à°¥à°¿à°¤à°¿ à°à°®à±€ లేదà±" #: actions/newapplication.php:52 -#, fuzzy msgid "New Application" msgstr "కొతà±à°¤ ఉపకరణం" @@ -2752,7 +2754,7 @@ msgstr "" msgid "" "Why not [register an account](%%action.register%%) and be the first to post " "one!" -msgstr "" +msgstr "[à°’à°• ఖాతాని నమోదà±à°šà±‡à°¸à±à°•à±à°¨à°¿](%%action.register%%) మీరే మొదట à°µà±à°°à°¾à°¸à±‡à°µà°¾à°°à± à°Žà°‚à°¦à±à°•à± కాకూడదà±!" #: actions/publictagcloud.php:131 msgid "Tag cloud" @@ -3116,6 +3118,8 @@ msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" +"మీరౠఇతర వాడà±à°•à°°à±à°²à°¤à±‹ సంభాషించవచà±à°šà±, మరింత మంది à°µà±à°¯à°•à±à°¤à±à°²à°•à± చందాచేరవచà±à°šà± లేదా [à°—à±à°‚à°ªà±à°²à°²à±‹ చేరవచà±à°šà±]" +"(%%action.groups%%)." #: actions/replies.php:205 #, php-format @@ -3139,6 +3143,37 @@ msgstr "మీరౠఇపà±à°ªà°Ÿà°¿à°•à±‡ లోనికి à°ªà±à°°à°µà±‡ msgid "User is already sandboxed." msgstr "వాడà±à°•à°°à°¿à°¨à°¿ ఇపà±à°ªà°Ÿà°¿à°•à±‡ à°—à±à°‚à°ªà±à°¨à±à°‚à°¡à°¿ నిరోధించారà±." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:65 +#, fuzzy +msgid "Session settings for this StatusNet site." +msgstr "à°ˆ à°¸à±à°Ÿà±‡à°Ÿà°¸à±‌నెటౠసైటà±à°•à°¿ రూపà±à°°à±‡à°–à°² అమరికలà±." + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +msgid "Save site settings" +msgstr "సైటౠఅమరికలనౠభదà±à°°à°ªà°°à°šà±" + #: actions/showapplication.php:82 #, fuzzy msgid "You must be logged in to view an application." @@ -3216,9 +3251,9 @@ msgid "" msgstr "" #: actions/showfavorites.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s's favorite notices, page %2$d" -msgstr "%sà°•à°¿ ఇషà±à°Ÿà°®à±ˆà°¨ నోటీసà±à°²à±" +msgstr "%1$sà°•à°¿ ఇషà±à°Ÿà°®à±ˆà°¨ నోటీసà±à°²à±, పేజీ %2$d" #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." @@ -3424,6 +3459,7 @@ msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" +"ఈమధà±à°¯à±‡ à°à°¦à±ˆà°¨à°¾ ఆసకà±à°¤à°¿à°•à°°à°®à±ˆà°¨à°¦à°¿ చూసారా? మీరౠఇంకా నోటీసà±à°²à±‡à°®à±€ à°µà±à°°à°¾à°¯à°²à±‡à°¦à±, మొదలà±à°ªà±†à°Ÿà±à°Ÿà°¡à°¾à°¨à°¿à°•à°¿ ఇదే మంచి సమయం :)" #: actions/showstream.php:198 #, php-format @@ -3465,7 +3501,7 @@ msgstr "వాడà±à°•à°°à°¿à°¨à°¿ ఇపà±à°ªà°Ÿà°¿à°•à±‡ à°—à±à°‚à°ªà±à°¨ #: actions/siteadminpanel.php:69 msgid "Basic settings for this StatusNet site." -msgstr "" +msgstr "à°ˆ à°¸à±à°Ÿà±‡à°Ÿà°¸à±‌నెటౠసైటà±à°•à°¿ à°ªà±à°°à°¾à°§à°®à°¿à°• అమరికలà±." #: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." @@ -3605,10 +3641,6 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -msgid "Save site settings" -msgstr "సైటౠఅమరికలనౠభదà±à°°à°ªà°°à°šà±" - #: actions/smssettings.php:58 msgid "SMS settings" msgstr "SMS అమరికలà±" @@ -3667,7 +3699,7 @@ msgstr "ఇది ఇపà±à°ªà°Ÿà°¿à°•à±‡ మీ ఫోనౠనెంబర #: actions/smssettings.php:321 msgid "That phone number already belongs to another user." -msgstr "" +msgstr "à°† ఫోనౠనంబరౠఇపà±à°ªà°Ÿà°¿à°•à±‡ వేరే వాడà±à°•à°°à°¿à°•à°¿ చెందినది." #: actions/smssettings.php:347 #, fuzzy @@ -3745,6 +3777,7 @@ msgid "" "You have no subscribers. Try subscribing to people you know and they might " "return the favor" msgstr "" +"మీకౠచందాదారà±à°²à± ఎవరూ లేరà±. మీకౠతెలిసినవారికి చందాచేర à°ªà±à°°à°¯à°¤à±à°¨à°¿à°‚à°šà°‚à°¡à°¿ వాళà±à°³à± à°ªà±à°°à°¤à±à°¯à±à°ªà°•à°¾à°°à°‚ చేయవచà±à°šà±." #: actions/subscribers.php:110 #, php-format @@ -3907,85 +3940,65 @@ msgstr "వాడà±à°•à°°à°¿" msgid "User settings for this StatusNet site." msgstr "à°ˆ à°¸à±à°Ÿà±‡à°Ÿà°¸à±‌నెటౠసైటà±à°•à°¿ వాడà±à°•à°°à°¿ అమరికలà±." -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "à°ªà±à°°à±Šà°«à±ˆà°²à±" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "à°¸à±à°µà°ªà°°à°¿à°šà°¯ పరిమితి" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "à°¸à±à°µà°ªà°°à°¿à°šà°¯à°‚ యొకà±à°• à°—à°°à°¿à°·à±à°  పొడవà±, à°…à°•à±à°·à°°à°¾à°²à°²à±‹." -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "కొతà±à°¤ వాడà±à°•à°°à±à°²à±" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "కొతà±à°¤ వాడà±à°•à°°à°¿ à°¸à±à°µà°¾à°—తం" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "కొతà±à°¤ వాడà±à°•à°°à±à°²à°•à±ˆ à°¸à±à°µà°¾à°—à°¤ సందేశం (255 à°…à°•à±à°·à°°à°¾à°²à± à°—à°°à°¿à°·à±à° à°‚)." -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 msgid "Default subscription" msgstr "à°…à°ªà±à°°à°®à±‡à°¯ చందా" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "ఉపయోగించాలà±à°¸à°¿à°¨ యాంతà±à°°à°¿à°• à°•à±à°¦à°¿à°‚పౠసేవ." -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 msgid "Invitations" msgstr "ఆహà±à°µà°¾à°¨à°¾à°²à±" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "ఆహà±à°µà°¾à°¨à°¾à°²à°¨à°¿ చేతనంచేసాం" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "వాడà±à°•à°°à±à°²à°¨à± కొతà±à°¤ వారిని ఆహà±à°µà°¾à°¨à°¿à°‚చడానికి à°…à°¨à±à°®à°¤à°¿à°‚చాలా వదà±à°¦à°¾." -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "" @@ -4189,9 +4202,8 @@ msgid "Group join failed." msgstr "à°—à±à°‚à°ªà±à°²à±‹ చేరడం విఫలమైంది." #: classes/Group_member.php:53 -#, fuzzy msgid "Not part of group." -msgstr "à°—à±à°‚à°ªà±à°¨à°¿ తాజాకరించలేకà±à°¨à±à°¨à°¾à°‚." +msgstr "à°—à±à°‚à°ªà±à°²à±‹ భాగం కాదà±." #: classes/Group_member.php:60 msgid "Group leave failed." @@ -4522,14 +4534,12 @@ msgid "Basic site configuration" msgstr "à°ªà±à°°à°¾à°¥à°®à°¿à°• సైటౠసà±à°µà°°à±‚పణం" #: lib/adminpanelaction.php:317 -#, fuzzy msgid "Design configuration" -msgstr "SMS నిరà±à°§à°¾à°°à°£" +msgstr "రూపకలà±à°ªà°¨ à°¸à±à°µà°°à±‚పణం" #: lib/adminpanelaction.php:322 -#, fuzzy msgid "User configuration" -msgstr "SMS నిరà±à°§à°¾à°°à°£" +msgstr "వాడà±à°•à°°à°¿ à°¸à±à°µà°°à±‚పణం" #: lib/adminpanelaction.php:327 #, fuzzy @@ -4541,11 +4551,16 @@ msgstr "SMS నిరà±à°§à°¾à°°à°£" msgid "Paths configuration" msgstr "SMS నిరà±à°§à°¾à°°à°£" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "రూపకలà±à°ªà°¨ à°¸à±à°µà°°à±‚పణం" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4639,12 +4654,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 #, fuzzy msgid "Password changing failed" msgstr "సంకేతపదం మారà±à°ªà±" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 #, fuzzy msgid "Password changing is not allowed" msgstr "సంకేతపదం మారà±à°ªà±" @@ -5322,7 +5337,7 @@ msgstr "" #: lib/mail.php:624 #, php-format msgid "%s (@%s) sent a notice to your attention" -msgstr "" +msgstr "%s (@%s) మీకౠఒక నోటీసà±à°¨à°¿ పంపించారà±" #: lib/mail.php:626 #, php-format @@ -5338,6 +5353,16 @@ msgid "" "\t%4$s\n" "\n" msgstr "" +"%1$s (@%9$s) %2$sలో మీకౠ('@-à°¸à±à°ªà°‚దన') à°’à°• నోటీసà±à°¨à°¿ పంపించారౠ.\n" +"\n" +"à°† నోటీసౠఇకà±à°•à°¡:\n" +"\n" +"%3$s\n" +"\n" +"ఇదీ పాఠà±à°¯à°‚:\n" +"\n" +"%4$s\n" +"\n" #: lib/mailbox.php:89 msgid "Only the user can read their own mailboxes." diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index 77371e634..57d10e80f 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:05:32+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:42:51+0000\n" "Language-Team: Turkish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: out-statusnet\n" @@ -64,11 +64,12 @@ msgstr "" #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "Kaydet" @@ -3233,6 +3234,37 @@ msgstr "Bize o profili yollamadınız" msgid "User is already sandboxed." msgstr "Kullanıcının profili yok." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:65 +msgid "Session settings for this StatusNet site." +msgstr "" + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +#, fuzzy +msgid "Save site settings" +msgstr "Ayarlar" + #: actions/showapplication.php:82 msgid "You must be logged in to view an application." msgstr "" @@ -3709,11 +3741,6 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -#, fuzzy -msgid "Save site settings" -msgstr "Ayarlar" - #: actions/smssettings.php:58 #, fuzzy msgid "SMS settings" @@ -4021,87 +4048,67 @@ msgstr "" msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 #, fuzzy msgid "Default subscription" msgstr "Bütün abonelikler" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "Takip talebine izin verildi" -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 #, fuzzy msgid "Invitations" msgstr "Yer" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "Takip isteÄŸini onayla" @@ -4679,11 +4686,16 @@ msgstr "Eposta adresi onayı" msgid "Paths configuration" msgstr "Eposta adresi onayı" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "Eposta adresi onayı" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4781,12 +4793,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 #, fuzzy msgid "Password changing failed" msgstr "Parola kaydedildi." -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 #, fuzzy msgid "Password changing is not allowed" msgstr "Parola kaydedildi." diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index 21aa77c47..de786c829 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:05:35+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:42:53+0000\n" "Language-Team: Ukrainian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: out-statusnet\n" @@ -63,11 +63,12 @@ msgstr "СкаÑувати подальшу регіÑтрацію." #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "Зберегти" @@ -506,14 +507,12 @@ msgid "Invalid nickname / password!" msgstr "ÐедійÑне Ñ–Ð¼â€™Ñ / пароль!" #: actions/apioauthauthorize.php:170 -#, fuzzy msgid "Database error deleting OAuth application user." -msgstr "Помилка бази даних при видаленні OAuth кориÑтувача." +msgstr "Помилка бази даних при видаленні кориÑтувача OAuth-додатку." #: actions/apioauthauthorize.php:196 -#, fuzzy msgid "Database error inserting OAuth application user." -msgstr "Помилка бази даних при додаванні OAuth кориÑтувача." +msgstr "Помилка бази даних при додаванні кориÑтувача OAuth-додатку." #: actions/apioauthauthorize.php:231 #, php-format @@ -3236,6 +3235,37 @@ msgstr "Ви не можете нікого ізолювати на цьому msgid "User is already sandboxed." msgstr "КориÑтувача ізольовано доки наберетьÑÑ ÑƒÐ¼Ñƒ-розуму." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "СеÑÑ–Ñ—" + +#: actions/sessionsadminpanel.php:65 +#, fuzzy +msgid "Session settings for this StatusNet site." +msgstr "ÐÐ°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ð´Ð¸Ð·Ð°Ð¹Ð½Ñƒ Ð´Ð»Ñ Ñ†ÑŒÐ¾Ð³Ð¾ Ñайту StatusNet." + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "СеÑÑ–Ñ— обробки даних" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "Обробка даних ÑеÑій ÑамоÑтійно." + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "СеÑÑ–Ñ Ð½Ð°Ð»Ð°Ð´ÐºÐ¸" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "Виводити дані ÑеÑÑ–Ñ— наладки." + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +msgid "Save site settings" +msgstr "Зберегти Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ñайту" + #: actions/showapplication.php:82 msgid "You must be logged in to view an application." msgstr "Ви повинні Ñпочатку увійти, аби переглÑнути додаток." @@ -3733,10 +3763,6 @@ msgstr "" "Як довго кориÑтувачі мають зачекати (в Ñекундах) аби надіÑлати той Ñамий " "Ð´Ð¾Ð¿Ð¸Ñ Ñ‰Ðµ раз." -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -msgid "Save site settings" -msgstr "Зберегти Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ñайту" - #: actions/smssettings.php:58 msgid "SMS settings" msgstr "ÐÐ°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ð¡ÐœÐ¡" @@ -4048,85 +4074,65 @@ msgstr "КориÑтувач" msgid "User settings for this StatusNet site." msgstr "ВлаÑні Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ ÐºÐ¾Ñ€Ð¸Ñтувача Ð´Ð»Ñ Ñ†ÑŒÐ¾Ð³Ð¾ Ñайту StatusNet." -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "Помилкове Ð¾Ð±Ð¼ÐµÐ¶ÐµÐ½Ð½Ñ Ð±Ñ–Ð¾. Це мають бути цифри." -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "Помилковий текÑÑ‚ привітаннÑ. МакÑимальна довжина 255 знаків." -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "Помилкова підпиÑка за замовчуваннÑм: '%1$s' не Ñ” кориÑтувачем." -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Профіль" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "ÐžÐ±Ð¼ÐµÐ¶ÐµÐ½Ð½Ñ Ð±Ñ–Ð¾" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "МакÑимальна довжина біо кориÑтувача в знаках." -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "Ðові кориÑтувачі" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "ÐŸÑ€Ð¸Ð²Ñ–Ñ‚Ð°Ð½Ð½Ñ Ð½Ð¾Ð²Ð¾Ð³Ð¾ кориÑтувача" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "ТекÑÑ‚ Ð¿Ñ€Ð¸Ð²Ñ–Ñ‚Ð°Ð½Ð½Ñ Ð½Ð¾Ð²Ð¸Ñ… кориÑтувачів (255 знаків)." -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 msgid "Default subscription" msgstr "ПідпиÑка за замовчуваннÑм" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 msgid "Automatically subscribe new users to this user." msgstr "Ðвтоматично підпиÑувати нових кориÑтувачів до цього кориÑтувача." -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 msgid "Invitations" msgstr "ЗапрошеннÑ" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "Ð—Ð°Ð¿Ñ€Ð¾ÑˆÐµÐ½Ð½Ñ ÑкаÑовано" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" "Ð’ той чи інший ÑпоÑіб дозволити кориÑтувачам вітати нових кориÑтувачів." -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "СеÑÑ–Ñ—" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "СеÑÑ–Ñ— обробки даних" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "Обробка даних ÑеÑій ÑамоÑтійно." - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "СеÑÑ–Ñ Ð½Ð°Ð»Ð°Ð´ÐºÐ¸" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "Виводити дані ÑеÑÑ–Ñ— наладки." - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "Ðвторизувати підпиÑку" @@ -4701,14 +4707,22 @@ msgstr "ПрийнÑти конфігурацію" msgid "Paths configuration" msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÑˆÐ»Ñху" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ Ð´Ð¸Ð·Ð°Ð¹Ð½Ñƒ" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" +"API-реÑÑƒÑ€Ñ Ð²Ð¸Ð¼Ð°Ð³Ð°Ñ” дозвіл типу «читаннÑ-запиÑ», але у Ð²Ð°Ñ Ñ” лише доÑтуп Ð´Ð»Ñ " +"читаннÑ." -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" +"Ðевдала Ñпроба авторизації API, nickname = %1$s, proxy = %2$s, ip = %3$s" #: lib/applicationeditform.php:136 msgid "Edit application" @@ -4796,11 +4810,11 @@ msgstr "ДопиÑи, до Ñких прикріплено це вкладенн msgid "Tags for this attachment" msgstr "Теґи Ð´Ð»Ñ Ñ†ÑŒÐ¾Ð³Ð¾ вкладеннÑ" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 msgid "Password changing failed" msgstr "Ðе вдалоÑÑ Ð·Ð¼Ñ–Ð½Ð¸Ñ‚Ð¸ пароль" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 msgid "Password changing is not allowed" msgstr "Змінювати пароль не дозволено" diff --git a/locale/vi/LC_MESSAGES/statusnet.po b/locale/vi/LC_MESSAGES/statusnet.po index a58bc7093..81461c3a0 100644 --- a/locale/vi/LC_MESSAGES/statusnet.po +++ b/locale/vi/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:05:38+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:42:56+0000\n" "Language-Team: Vietnamese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: vi\n" "X-Message-Group: out-statusnet\n" @@ -63,11 +63,12 @@ msgstr "" #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "LÆ°u" @@ -3352,6 +3353,37 @@ msgstr "Bạn đã theo những ngÆ°á»i này:" msgid "User is already sandboxed." msgstr "NgÆ°á»i dùng không có thông tin." +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:65 +msgid "Session settings for this StatusNet site." +msgstr "" + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +#, fuzzy +msgid "Save site settings" +msgstr "Thay đổi hình đại diện" + #: actions/showapplication.php:82 #, fuzzy msgid "You must be logged in to view an application." @@ -3832,11 +3864,6 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -#, fuzzy -msgid "Save site settings" -msgstr "Thay đổi hình đại diện" - #: actions/smssettings.php:58 #, fuzzy msgid "SMS settings" @@ -4160,89 +4187,69 @@ msgstr "" msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Hồ sÆ¡ " -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 #, fuzzy msgid "New users" msgstr "Gá»­i thÆ° má»i đến những ngÆ°á»i chÆ°a có tài khoản" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 #, fuzzy msgid "Default subscription" msgstr "Tất cả đăng nhận" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "Tá»± Ä‘á»™ng theo những ngÆ°á»i nào đăng ký theo tôi" -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 #, fuzzy msgid "Invitations" msgstr "ThÆ° má»i đã gá»­i" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 #, fuzzy msgid "Invitations enabled" msgstr "ThÆ° má»i đã gá»­i" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "Äăng nhận cho phép" @@ -4838,11 +4845,16 @@ msgstr "Xác nhận SMS" msgid "Paths configuration" msgstr "Xác nhận SMS" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "Xác nhận SMS" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4938,12 +4950,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 #, fuzzy msgid "Password changing failed" msgstr "Äã lÆ°u mật khẩu." -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 #, fuzzy msgid "Password changing is not allowed" msgstr "Äã lÆ°u mật khẩu." diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index 3a785ae3e..702393633 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:05:43+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:42:59+0000\n" "Language-Team: Simplified Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: out-statusnet\n" @@ -66,11 +66,12 @@ msgstr "" #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "ä¿å­˜" @@ -3286,6 +3287,37 @@ msgstr "无法å‘此用户å‘é€æ¶ˆæ¯ã€‚" msgid "User is already sandboxed." msgstr "用户没有个人信æ¯ã€‚" +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:65 +msgid "Session settings for this StatusNet site." +msgstr "" + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +#, fuzzy +msgid "Save site settings" +msgstr "头åƒè®¾ç½®" + #: actions/showapplication.php:82 #, fuzzy msgid "You must be logged in to view an application." @@ -3770,11 +3802,6 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -#, fuzzy -msgid "Save site settings" -msgstr "头åƒè®¾ç½®" - #: actions/smssettings.php:58 #, fuzzy msgid "SMS settings" @@ -4090,89 +4117,69 @@ msgstr "用户" msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "个人信æ¯" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 #, fuzzy msgid "New users" msgstr "邀请新用户" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 #, fuzzy msgid "Default subscription" msgstr "所有订阅" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "自动订阅任何订阅我的更新的人(这个选项最适åˆæœºå™¨äºº)" -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 #, fuzzy msgid "Invitations" msgstr "å·²å‘é€é‚€è¯·" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 #, fuzzy msgid "Invitations enabled" msgstr "å·²å‘é€é‚€è¯·" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "确认订阅" @@ -4761,11 +4768,16 @@ msgstr "SMS短信确认" msgid "Paths configuration" msgstr "SMS短信确认" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "SMS短信确认" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4861,12 +4873,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 #, fuzzy msgid "Password changing failed" msgstr "密ç å·²ä¿å­˜ã€‚" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 #, fuzzy msgid "Password changing is not allowed" msgstr "密ç å·²ä¿å­˜ã€‚" diff --git a/locale/zh_TW/LC_MESSAGES/statusnet.po b/locale/zh_TW/LC_MESSAGES/statusnet.po index 827bc07ff..ac78960c6 100644 --- a/locale/zh_TW/LC_MESSAGES/statusnet.po +++ b/locale/zh_TW/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-28 23:04+0000\n" -"PO-Revision-Date: 2010-01-28 23:05:46+0000\n" +"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"PO-Revision-Date: 2010-01-30 23:43:02+0000\n" "Language-Team: Traditional Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61646); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hant\n" "X-Message-Group: out-statusnet\n" @@ -61,11 +61,12 @@ msgstr "" #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:203 -#: actions/tagother.php:154 actions/useradminpanel.php:313 -#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 -#: lib/designsettings.php:256 lib/groupeditform.php:202 +#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 +#: actions/siteadminpanel.php:336 actions/smssettings.php:181 +#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 +#: lib/applicationeditform.php:334 lib/designsettings.php:256 +#: lib/groupeditform.php:202 msgid "Save" msgstr "" @@ -3168,6 +3169,37 @@ msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" msgid "User is already sandboxed." msgstr "" +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:336 +msgid "Sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:65 +msgid "Session settings for this StatusNet site." +msgstr "" + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/useradminpanel.php:293 +#, fuzzy +msgid "Save site settings" +msgstr "線上å³æ™‚通設定" + #: actions/showapplication.php:82 msgid "You must be logged in to view an application." msgstr "" @@ -3641,11 +3673,6 @@ msgstr "" msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:336 actions/useradminpanel.php:313 -#, fuzzy -msgid "Save site settings" -msgstr "線上å³æ™‚通設定" - #: actions/smssettings.php:58 #, fuzzy msgid "SMS settings" @@ -3950,86 +3977,66 @@ msgstr "" msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:149 +#: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:155 +#: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:165 +#: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:221 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:223 +#: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:231 +#: actions/useradminpanel.php:230 msgid "New users" msgstr "" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:234 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:236 +#: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:240 #, fuzzy msgid "Default subscription" msgstr "所有訂閱" -#: actions/useradminpanel.php:242 +#: actions/useradminpanel.php:241 msgid "Automatically subscribe new users to this user." msgstr "" -#: actions/useradminpanel.php:251 +#: actions/useradminpanel.php:250 #, fuzzy msgid "Invitations" msgstr "地點" -#: actions/useradminpanel.php:256 +#: actions/useradminpanel.php:255 msgid "Invitations enabled" msgstr "" -#: actions/useradminpanel.php:258 +#: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." msgstr "" -#: actions/useradminpanel.php:265 -msgid "Sessions" -msgstr "" - -#: actions/useradminpanel.php:270 -msgid "Handle sessions" -msgstr "" - -#: actions/useradminpanel.php:272 -msgid "Whether to handle sessions ourselves." -msgstr "" - -#: actions/useradminpanel.php:276 -msgid "Session debugging" -msgstr "" - -#: actions/useradminpanel.php:278 -msgid "Turn on debugging output for sessions." -msgstr "" - #: actions/userauthorization.php:105 msgid "Authorize subscription" msgstr "註冊確èª" @@ -4595,11 +4602,16 @@ msgstr "確èªä¿¡ç®±" msgid "Paths configuration" msgstr "確èªä¿¡ç®±" -#: lib/apiauth.php:103 +#: lib/adminpanelaction.php:337 +#, fuzzy +msgid "Sessions configuration" +msgstr "確èªä¿¡ç®±" + +#: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:257 +#: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4690,11 +4702,11 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:214 lib/authenticationplugin.php:219 +#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 msgid "Password changing failed" msgstr "" -#: lib/authenticationplugin.php:229 +#: lib/authenticationplugin.php:233 msgid "Password changing is not allowed" msgstr "" -- cgit v1.2.3-54-g00ecf From d264db61199789bd6b2e42161048da69ce95f45a Mon Sep 17 00:00:00 2001 From: Evan Prodromou Date: Mon, 1 Feb 2010 11:10:36 -0500 Subject: fix local file include vulnerability in doc.php Conflicts: actions/doc.php --- actions/doc.php | 3 +++ 1 file changed, 3 insertions(+) diff --git a/actions/doc.php b/actions/doc.php index 25d363472..eaf4b7df2 100644 --- a/actions/doc.php +++ b/actions/doc.php @@ -54,6 +54,9 @@ class DocAction extends Action parent::prepare($args); $this->title = $this->trimmed('title'); + if (!preg_match('/^[a-zA-Z0-9_-]*$/', $this->title)) { + $this->title = 'help'; + } $this->output = null; $this->loadDoc(); -- cgit v1.2.3-54-g00ecf From 84ab0156b415a405704784dfc19b59ebd3a1d1ee Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Mon, 1 Feb 2010 08:48:31 -0800 Subject: Improve name validation checks on local File references --- actions/getfile.php | 2 +- classes/File.php | 17 +++++++++++++++++ 2 files changed, 18 insertions(+), 1 deletion(-) diff --git a/actions/getfile.php b/actions/getfile.php index cd327e410..9cbe8e1d9 100644 --- a/actions/getfile.php +++ b/actions/getfile.php @@ -71,7 +71,7 @@ class GetfileAction extends Action $filename = $this->trimmed('filename'); $path = null; - if ($filename) { + if ($filename && File::validFilename($filename)) { $path = File::path($filename); } diff --git a/classes/File.php b/classes/File.php index 34e4632a8..8d91ce500 100644 --- a/classes/File.php +++ b/classes/File.php @@ -176,8 +176,22 @@ class File extends Memcached_DataObject return "$nickname-$datestamp-$random.$ext"; } + /** + * Validation for as-saved base filenames + */ + static function validFilename($filename) + { + return preg_match('^/[A-Za-z0-9._-]+$/', $filename); + } + + /** + * @throws ClientException on invalid filename + */ static function path($filename) { + if (!self::validFilename($filename)) { + throw new ClientException("Invalid filename"); + } $dir = common_config('attachments', 'dir'); if ($dir[strlen($dir)-1] != '/') { @@ -189,6 +203,9 @@ class File extends Memcached_DataObject static function url($filename) { + if (!self::validFilename($filename)) { + throw new ClientException("Invalid filename"); + } if(common_config('site','private')) { return common_local_url('getfile', -- cgit v1.2.3-54-g00ecf From 85544d369d2c9c3ba0fef6c821c951879823b014 Mon Sep 17 00:00:00 2001 From: Ciaran Gultnieks Date: Mon, 1 Feb 2010 17:28:15 +0000 Subject: Added oauth_appication tables to 08to09.sql --- db/08to09.sql | 28 ++++++++++++++++++++++++++++ 1 file changed, 28 insertions(+) diff --git a/db/08to09.sql b/db/08to09.sql index b10e47dbc..d8996fedd 100644 --- a/db/08to09.sql +++ b/db/08to09.sql @@ -110,3 +110,31 @@ insert into queue_item_new (frame,transport,created,claimed) alter table queue_item rename to queue_item_old; alter table queue_item_new rename to queue_item; +create table oauth_application ( + id integer auto_increment primary key comment 'unique identifier', + owner integer not null comment 'owner of the application' references profile (id), + consumer_key varchar(255) not null comment 'application consumer key' references consumer (consumer_key), + name varchar(255) not null comment 'name of the application', + description varchar(255) comment 'description of the application', + icon varchar(255) not null comment 'application icon', + source_url varchar(255) comment 'application homepage - used for source link', + organization varchar(255) comment 'name of the organization running the application', + homepage varchar(255) comment 'homepage for the organization', + callback_url varchar(255) comment 'url to redirect to after authentication', + type tinyint default 0 comment 'type of app, 1 = browser, 2 = desktop', + access_type tinyint default 0 comment 'default access type, bit 1 = read, bit 2 = write', + created datetime not null comment 'date this record was created', + modified timestamp comment 'date this record was modified' +) ENGINE=InnoDB CHARACTER SET utf8 COLLATE utf8_bin; + +create table oauth_application_user ( + profile_id integer not null comment 'user of the application' references profile (id), + application_id integer not null comment 'id of the application' references oauth_application (id), + access_type tinyint default 0 comment 'access type, bit 1 = read, bit 2 = write, bit 3 = revoked', + token varchar(255) comment 'request or access token', + created datetime not null comment 'date this record was created', + modified timestamp comment 'date this record was modified', + constraint primary key (profile_id, application_id) +) ENGINE=InnoDB CHARACTER SET utf8 COLLATE utf8_bin; + + -- cgit v1.2.3-54-g00ecf From 59d16cf16ac75e18431dfd5452c748e880dafefd Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Mon, 1 Feb 2010 20:58:29 +0000 Subject: OAuth app names should be unique. --- actions/editapplication.php | 24 ++++++++++++++++++++++++ actions/newapplication.php | 20 ++++++++++++++++++++ classes/statusnet.ini | 3 ++- db/statusnet.sql | 2 +- 4 files changed, 47 insertions(+), 2 deletions(-) diff --git a/actions/editapplication.php b/actions/editapplication.php index 9cc3e3cea..029b622e8 100644 --- a/actions/editapplication.php +++ b/actions/editapplication.php @@ -179,6 +179,9 @@ class EditApplicationAction extends OwnerDesignAction } elseif (mb_strlen($name) > 255) { $this->showForm(_('Name is too long (max 255 chars).')); return; + } else if ($this->nameExists($name)) { + $this->showForm(_('Name already in use. Try another one.')); + return; } elseif (empty($description)) { $this->showForm(_('Description is required.')); return; @@ -260,5 +263,26 @@ class EditApplicationAction extends OwnerDesignAction common_redirect(common_local_url('oauthappssettings'), 303); } + /** + * Does the app name already exist? + * + * Checks the DB to see someone has already registered and app + * with the same name. + * + * @param string $name app name to check + * + * @return boolean true if the name already exists + */ + + function nameExists($name) + { + $newapp = Oauth_application::staticGet('name', $name); + if (!$newapp) { + return false; + } else { + return $newapp->id != $this->app->id; + } + } + } diff --git a/actions/newapplication.php b/actions/newapplication.php index c499fe7c7..ba1cca5c9 100644 --- a/actions/newapplication.php +++ b/actions/newapplication.php @@ -158,6 +158,9 @@ class NewApplicationAction extends OwnerDesignAction if (empty($name)) { $this->showForm(_('Name is required.')); return; + } else if ($this->nameExists($name)) { + $this->showForm(_('Name already in use. Try another one.')); + return; } elseif (mb_strlen($name) > 255) { $this->showForm(_('Name is too long (max 255 chars).')); return; @@ -273,5 +276,22 @@ class NewApplicationAction extends OwnerDesignAction } + /** + * Does the app name already exist? + * + * Checks the DB to see someone has already registered and app + * with the same name. + * + * @param string $name app name to check + * + * @return boolean true if the name already exists + */ + + function nameExists($name) + { + $app = Oauth_application::staticGet('name', $name); + return ($app !== false); + } + } diff --git a/classes/statusnet.ini b/classes/statusnet.ini index 6203650a6..4ace4407b 100644 --- a/classes/statusnet.ini +++ b/classes/statusnet.ini @@ -353,7 +353,7 @@ notice_id = K id = 129 owner = 129 consumer_key = 130 -name = 130 +name = 2 description = 2 icon = 130 source_url = 2 @@ -367,6 +367,7 @@ modified = 384 [oauth_application__keys] id = N +name = U [oauth_application_user] profile_id = 129 diff --git a/db/statusnet.sql b/db/statusnet.sql index 17de4fd0d..71a6e724c 100644 --- a/db/statusnet.sql +++ b/db/statusnet.sql @@ -214,7 +214,7 @@ create table oauth_application ( id integer auto_increment primary key comment 'unique identifier', owner integer not null comment 'owner of the application' references profile (id), consumer_key varchar(255) not null comment 'application consumer key' references consumer (consumer_key), - name varchar(255) not null comment 'name of the application', + name varchar(255) unique key comment 'name of the application', description varchar(255) comment 'description of the application', icon varchar(255) not null comment 'application icon', source_url varchar(255) comment 'application homepage - used for source link', -- cgit v1.2.3-54-g00ecf From 952b5806987e12a34e6fd75509b5d78815c1aa2d Mon Sep 17 00:00:00 2001 From: Ciaran Gultnieks Date: Mon, 1 Feb 2010 21:05:50 +0000 Subject: Create new field in consumer table in 08to09.sql --- db/08to09.sql | 3 +++ 1 file changed, 3 insertions(+) diff --git a/db/08to09.sql b/db/08to09.sql index d8996fedd..d5f30a26b 100644 --- a/db/08to09.sql +++ b/db/08to09.sql @@ -110,6 +110,9 @@ insert into queue_item_new (frame,transport,created,claimed) alter table queue_item rename to queue_item_old; alter table queue_item_new rename to queue_item; +alter table consumer + add column consumer_secret varchar(255) not null comment 'secret value'; + create table oauth_application ( id integer auto_increment primary key comment 'unique identifier', owner integer not null comment 'owner of the application' references profile (id), -- cgit v1.2.3-54-g00ecf From 38bebb4c0dbdf7452a55cc46bbb4a80ec55dcabe Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Tue, 2 Feb 2010 06:26:03 +0000 Subject: Allow developers to delete OAuth applications --- actions/deleteapplication.php | 176 ++++++++++++++++++++++++++++++++++++++++++ actions/showapplication.php | 19 ++++- classes/Consumer.php | 30 +++++++ classes/Oauth_application.php | 17 ++++ lib/router.php | 4 + 5 files changed, 244 insertions(+), 2 deletions(-) create mode 100644 actions/deleteapplication.php diff --git a/actions/deleteapplication.php b/actions/deleteapplication.php new file mode 100644 index 000000000..17526e111 --- /dev/null +++ b/actions/deleteapplication.php @@ -0,0 +1,176 @@ +. + * + * @category Action + * @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') && !defined('LACONICA')) { + exit(1); +} + +/** + * Delete an OAuth appliction + * + * @category Action + * @package StatusNet + * @author Zach Copley + * @license http://www.fsf.org/licensing/licenses/agpl.html AGPLv3 + * @link http://status.net/ + */ + +class DeleteapplicationAction extends Action +{ + var $app = null; + + /** + * Take arguments for running + * + * @param array $args $_REQUEST args + * + * @return boolean success flag + */ + + function prepare($args) + { + if (!parent::prepare($args)) { + return false; + } + + if (!common_logged_in()) { + $this->clientError(_('You must be logged in to delete an application.')); + return false; + } + + $id = (int)$this->arg('id'); + $this->app = Oauth_application::staticGet('id', $id); + + if (empty($this->app)) { + $this->clientError(_('Application not found.')); + return false; + } + + $cur = common_current_user(); + + if ($cur->id != $this->app->owner) { + $this->clientError(_('You are not the owner of this application.'), 401); + return false; + } + + return true; + } + + /** + * Handle request + * + * Shows a page with list of favorite notices + * + * @param array $args $_REQUEST args; handled in prepare() + * + * @return void + */ + + function handle($args) + { + if ($_SERVER['REQUEST_METHOD'] == 'POST') { + + // CSRF protection + $token = $this->trimmed('token'); + if (!$token || $token != common_session_token()) { + $this->clientError(_('There was a problem with your session token.')); + return; + } + + if ($this->arg('no')) { + common_redirect(common_local_url('showapplication', + array('id' => $this->app->id)), 303); + } elseif ($this->arg('yes')) { + $this->handlePost(); + common_redirect(common_local_url('oauthappssettings'), 303); + } else { + $this->showPage(); + } + } + } + + function showContent() { + $this->areYouSureForm(); + } + + function title() { + return _('Delete application'); + } + + function showNoticeForm() { + // nop + } + + /** + * Confirm with user. + * + * Shows a confirmation form. + * + * @return void + */ + function areYouSureForm() + { + $id = $this->app->id; + $this->elementStart('form', array('id' => 'deleteapplication-' . $id, + 'method' => 'post', + 'class' => 'form_settings form_entity_block', + 'action' => common_local_url('deleteapplication', + array('id' => $this->app->id)))); + $this->elementStart('fieldset'); + $this->hidden('token', common_session_token()); + $this->element('legend', _('Delete application')); + $this->element('p', null, + _('Are you sure you want to delete this application? '. + 'This will clear all data about the application from the '. + 'database, including all existing user connections.')); + $this->submit('form_action-no', + _('No'), + 'submit form_action-primary', + 'no', + _("Do not delete this application")); + $this->submit('form_action-yes', + _('Yes'), + 'submit form_action-secondary', + 'yes', _('Delete this application')); + $this->elementEnd('fieldset'); + $this->elementEnd('form'); + } + + /** + * Actually delete the app + * + * @return void + */ + + function handlePost() + { + $this->app->delete(); + } +} + diff --git a/actions/showapplication.php b/actions/showapplication.php index a6ff425c7..d307ea452 100644 --- a/actions/showapplication.php +++ b/actions/showapplication.php @@ -222,18 +222,33 @@ class ShowApplicationAction extends OwnerDesignAction $this->elementStart('li', 'entity_reset_keysecret'); $this->elementStart('form', array( - 'id' => 'forma_reset_key', + 'id' => 'form_reset_key', 'class' => 'form_reset_key', 'method' => 'POST', 'action' => common_local_url('showapplication', array('id' => $this->application->id)))); - $this->elementStart('fieldset'); $this->hidden('token', common_session_token()); $this->submit('reset', _('Reset key & secret')); $this->elementEnd('fieldset'); $this->elementEnd('form'); $this->elementEnd('li'); + + $this->elementStart('li', 'entity_delete'); + $this->elementStart('form', array( + 'id' => 'form_delete_application', + 'class' => 'form_delete_application', + 'method' => 'POST', + 'action' => common_local_url('deleteapplication', + array('id' => $this->application->id)))); + + $this->elementStart('fieldset'); + $this->hidden('token', common_session_token()); + $this->submit('delete', _('Delete')); + $this->elementEnd('fieldset'); + $this->elementEnd('form'); + $this->elementEnd('li'); + $this->elementEnd('ul'); $this->elementEnd('div'); diff --git a/classes/Consumer.php b/classes/Consumer.php index ad64a8491..ce399f278 100644 --- a/classes/Consumer.php +++ b/classes/Consumer.php @@ -36,4 +36,34 @@ class Consumer extends Memcached_DataObject return $cons; } + /** + * Delete a Consumer and related tokens and nonces + * + * XXX: Should this happen in an OAuthDataStore instead? + * + */ + function delete() + { + // XXX: Is there any reason NOT to do this kind of cleanup? + + $this->_deleteTokens(); + $this->_deleteNonces(); + + parent::delete(); + } + + function _deleteTokens() + { + $token = new Token(); + $token->consumer_key = $this->consumer_key; + $token->delete(); + } + + function _deleteNonces() + { + $nonce = new Nonce(); + $nonce->consumer_key = $this->consumer_key; + $nonce->delete(); + } + } diff --git a/classes/Oauth_application.php b/classes/Oauth_application.php index a6b539087..748b64220 100644 --- a/classes/Oauth_application.php +++ b/classes/Oauth_application.php @@ -137,4 +137,21 @@ class Oauth_application extends Memcached_DataObject } } + function delete() + { + $this->_deleteAppUsers(); + + $consumer = $this->getConsumer(); + $consumer->delete(); + + parent::delete(); + } + + function _deleteAppUsers() + { + $oauser = new Oauth_application_user(); + $oauser->application_id = $this->id; + $oauser->delete(); + } + } diff --git a/lib/router.php b/lib/router.php index b046b240c..987d0152e 100644 --- a/lib/router.php +++ b/lib/router.php @@ -152,6 +152,10 @@ class Router array('action' => 'editapplication'), array('id' => '[0-9]+') ); + $m->connect('settings/oauthapps/delete/:id', + array('action' => 'deleteapplication'), + array('id' => '[0-9]+') + ); // search -- cgit v1.2.3-54-g00ecf From f1094185e4943ec391abb60757e94bf566e6ecb2 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Tue, 2 Feb 2010 07:35:54 +0000 Subject: Better token revocation --- actions/apioauthauthorize.php | 22 ++++++---------------- actions/oauthconnectionssettings.php | 24 +++++++++++++++--------- db/statusnet.sql | 2 +- lib/apioauthstore.php | 27 +++++++++++++++++++++++++++ 4 files changed, 49 insertions(+), 26 deletions(-) diff --git a/actions/apioauthauthorize.php b/actions/apioauthauthorize.php index dec0dc9f6..1711db6ab 100644 --- a/actions/apioauthauthorize.php +++ b/actions/apioauthauthorize.php @@ -99,24 +99,17 @@ class ApiOauthAuthorizeAction extends ApiOauthAction } else { - // XXX: make better error messages - if (empty($this->oauth_token)) { - - common_debug("No request token found."); - - $this->clientError(_('Bad request.')); + $this->clientError(_('No oauth_token parameter provided.')); return; } if (empty($this->app)) { - common_debug('No app for that token.'); - $this->clientError(_('Bad request.')); + $this->clientError(_('Invalid token.')); return; } $name = $this->app->name; - common_debug("Requesting auth for app: " . $name); $this->showForm(); } @@ -124,8 +117,6 @@ class ApiOauthAuthorizeAction extends ApiOauthAction function handlePost() { - common_debug("handlePost()"); - // check session token for CSRF protection. $token = $this->trimmed('token'); @@ -210,13 +201,9 @@ class ApiOauthAuthorizeAction extends ApiOauthAction if (!empty($this->callback)) { - // XXX: Need better way to build this redirect url. - $target_url = $this->getCallback($this->callback, array('oauth_token' => $this->oauth_token)); - common_debug("Doing callback to $target_url"); - common_redirect($target_url, 303); } else { common_debug("callback was empty!"); @@ -236,9 +223,12 @@ class ApiOauthAuthorizeAction extends ApiOauthAction } else if ($this->arg('deny')) { + $datastore = new ApiStatusNetOAuthDataStore(); + $datastore->revoke_token($this->oauth_token, 0); + $this->elementStart('p'); - $this->raw(sprintf(_("The request token %s has been denied."), + $this->raw(sprintf(_("The request token %s has been denied and revoked."), $this->oauth_token)); $this->elementEnd('p'); diff --git a/actions/oauthconnectionssettings.php b/actions/oauthconnectionssettings.php index c2e8d441b..b1467f0d0 100644 --- a/actions/oauthconnectionssettings.php +++ b/actions/oauthconnectionssettings.php @@ -33,6 +33,7 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { require_once INSTALLDIR . '/lib/connectsettingsaction.php'; require_once INSTALLDIR . '/lib/applicationlist.php'; +require_once INSTALLDIR . '/lib/apioauthstore.php'; /** * Show connected OAuth applications @@ -71,11 +72,6 @@ class OauthconnectionssettingsAction extends ConnectSettingsAction return _('Connected applications'); } - function isReadOnly($args) - { - return true; - } - /** * Instructions for use * @@ -153,6 +149,13 @@ class OauthconnectionssettingsAction extends ConnectSettingsAction } } + /** + * Revoke access to an authorized OAuth application + * + * @param int $appId the ID of the application + * + */ + function revokeAccess($appId) { $cur = common_current_user(); @@ -164,6 +167,8 @@ class OauthconnectionssettingsAction extends ConnectSettingsAction return false; } + // XXX: Transaction here? + $appUser = Oauth_application_user::getByKeys($cur, $app); if (empty($appUser)) { @@ -171,12 +176,13 @@ class OauthconnectionssettingsAction extends ConnectSettingsAction return false; } - $orig = clone($appUser); - $appUser->access_type = 0; // No access - $result = $appUser->update(); + $datastore = new ApiStatusNetOAuthDataStore(); + $datastore->revoke_token($appUser->token, 1); + + $result = $appUser->delete(); if (!$result) { - common_log_db_error($orig, 'UPDATE', __FILE__); + common_log_db_error($orig, 'DELETE', __FILE__); $this->clientError(_('Unable to revoke access for app: ' . $app->id)); return false; } diff --git a/db/statusnet.sql b/db/statusnet.sql index 71a6e724c..8946f4d7e 100644 --- a/db/statusnet.sql +++ b/db/statusnet.sql @@ -230,7 +230,7 @@ create table oauth_application ( create table oauth_application_user ( profile_id integer not null comment 'user of the application' references profile (id), application_id integer not null comment 'id of the application' references oauth_application (id), - access_type tinyint default 0 comment 'access type, bit 1 = read, bit 2 = write, bit 3 = revoked', + access_type tinyint default 0 comment 'access type, bit 1 = read, bit 2 = write', token varchar(255) comment 'request or access token', created datetime not null comment 'date this record was created', modified timestamp comment 'date this record was modified', diff --git a/lib/apioauthstore.php b/lib/apioauthstore.php index 32110d057..1bb11cbca 100644 --- a/lib/apioauthstore.php +++ b/lib/apioauthstore.php @@ -159,5 +159,32 @@ class ApiStatusNetOAuthDataStore extends StatusNetOAuthDataStore } } + /** + * Revoke specified access token + * + * Revokes the token specified by $token_key. + * Throws exceptions in case of error. + * + * @param string $token_key the token to be revoked + * @param int $type type of token (0 = req, 1 = access) + * + * @access public + * + * @return void + */ + + public function revoke_token($token_key, $type = 0) { + $rt = new Token(); + $rt->tok = $token_key; + $rt->type = $type; + $rt->state = 0; + if (!$rt->find(true)) { + throw new Exception('Tried to revoke unknown token'); + } + if (!$rt->delete()) { + throw new Exception('Failed to delete revoked token'); + } + } + } -- cgit v1.2.3-54-g00ecf From c03883fc88c678e62e02d201cb74b862b108188a Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Tue, 2 Feb 2010 07:59:28 +0000 Subject: Suppress notice input box on OAuth authorization page --- actions/apioauthauthorize.php | 36 ++++++++++++++++++++++++++++++------ 1 file changed, 30 insertions(+), 6 deletions(-) diff --git a/actions/apioauthauthorize.php b/actions/apioauthauthorize.php index 1711db6ab..e7c6f3761 100644 --- a/actions/apioauthauthorize.php +++ b/actions/apioauthauthorize.php @@ -67,8 +67,6 @@ class ApiOauthAuthorizeAction extends ApiOauthAction { parent::prepare($args); - common_debug("apioauthauthorize"); - $this->nickname = $this->trimmed('nickname'); $this->password = $this->arg('password'); $this->oauth_token = $this->arg('oauth_token'); @@ -193,8 +191,6 @@ class ApiOauthAuthorizeAction extends ApiOauthAction // A callback specified in the app setup overrides whatever // is passed in with the request. - common_debug("Req token is authorized - doing callback"); - if (!empty($this->app->callback_url)) { $this->callback = $this->app->callback_url; } @@ -295,12 +291,15 @@ class ApiOauthAuthorizeAction extends ApiOauthAction $msg = _('The application %1$s by ' . '%2$s would like the ability ' . - 'to %3$s your account data.'); + 'to %3$s your %4$s account data. ' . + 'You should only give access to your %4$s account ' . + 'to third parties you trust.'); $this->raw(sprintf($msg, $this->app->name, $this->app->organization, - $access)); + $access, + common_config('site', 'name'))); $this->elementEnd('p'); $this->elementEnd('li'); $this->elementEnd('ul'); @@ -362,6 +361,31 @@ class ApiOauthAuthorizeAction extends ApiOauthAction function showLocalNav() { + // NOP + } + + /** + * Show site notice. + * + * @return nothing + */ + + function showSiteNotice() + { + // NOP + } + + /** + * Show notice form. + * + * Show the form for posting a new notice + * + * @return nothing + */ + + function showNoticeForm() + { + // NOP } } -- cgit v1.2.3-54-g00ecf From 5e90f744a6fb58c43f8f5332ef868ba38e82b3d1 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Tue, 2 Feb 2010 08:47:14 +0000 Subject: Linkify notice source when posting from registered OAuth apps --- lib/api.php | 19 ++++++++++++++++++- lib/noticelist.php | 20 ++++++++++++++++++-- 2 files changed, 36 insertions(+), 3 deletions(-) diff --git a/lib/api.php b/lib/api.php index 987f2cc1b..7d94eaee4 100644 --- a/lib/api.php +++ b/lib/api.php @@ -1250,10 +1250,27 @@ class ApiAction extends Action case 'api': break; default: + + $name = null; + $url = null; + $ns = Notice_source::staticGet($source); + if ($ns) { - $source_name = '' . $ns->name . ''; + $name = $ns->name; + $url = $ns->url; + } else { + $app = Oauth_application::staticGet('name', $source); + if ($app) { + $name = $app->name; + $url = $app->source_url; + } + } + + if (!empty($name) && !empty($url)) { + $source_name = '' . $name . ''; } + break; } return $source_name; diff --git a/lib/noticelist.php b/lib/noticelist.php index 85c169716..a4a0f2651 100644 --- a/lib/noticelist.php +++ b/lib/noticelist.php @@ -486,12 +486,28 @@ class NoticeListItem extends Widget $this->out->element('span', 'device', $source_name); break; default: + + $name = null; + $url = null; + $ns = Notice_source::staticGet($this->notice->source); + if ($ns) { + $name = $ns->name; + $url = $ns->url; + } else { + $app = Oauth_application::staticGet('name', $this->notice->source); + if ($app) { + $name = $app->name; + $url = $app->source_url; + } + } + + if (!empty($name) && !empty($url)) { $this->out->elementStart('span', 'device'); - $this->out->element('a', array('href' => $ns->url, + $this->out->element('a', array('href' => $url, 'rel' => 'external'), - $ns->name); + $name); $this->out->elementEnd('span'); } else { $this->out->element('span', 'device', $source_name); -- cgit v1.2.3-54-g00ecf From f60f2c523f2e7018ea923898931287e7a99e8f44 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Tue, 2 Feb 2010 20:26:21 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans --- locale/ar/LC_MESSAGES/statusnet.po | 294 +++++++++++++++---------- locale/arz/LC_MESSAGES/statusnet.po | 292 +++++++++++++++---------- locale/bg/LC_MESSAGES/statusnet.po | 297 ++++++++++++++----------- locale/ca/LC_MESSAGES/statusnet.po | 297 ++++++++++++++----------- locale/cs/LC_MESSAGES/statusnet.po | 297 ++++++++++++++----------- locale/de/LC_MESSAGES/statusnet.po | 301 +++++++++++++++----------- locale/el/LC_MESSAGES/statusnet.po | 297 ++++++++++++++----------- locale/en_GB/LC_MESSAGES/statusnet.po | 304 +++++++++++++++----------- locale/es/LC_MESSAGES/statusnet.po | 328 ++++++++++++++++------------ locale/fa/LC_MESSAGES/statusnet.po | 300 +++++++++++++++----------- locale/fi/LC_MESSAGES/statusnet.po | 298 ++++++++++++++----------- locale/fr/LC_MESSAGES/statusnet.po | 368 ++++++++++++++++++------------- locale/ga/LC_MESSAGES/statusnet.po | 299 +++++++++++++++----------- locale/he/LC_MESSAGES/statusnet.po | 297 ++++++++++++++----------- locale/hsb/LC_MESSAGES/statusnet.po | 293 +++++++++++++++---------- locale/ia/LC_MESSAGES/statusnet.po | 300 +++++++++++++++----------- locale/is/LC_MESSAGES/statusnet.po | 297 ++++++++++++++----------- locale/it/LC_MESSAGES/statusnet.po | 306 +++++++++++++++----------- locale/ja/LC_MESSAGES/statusnet.po | 305 +++++++++++++++----------- locale/ko/LC_MESSAGES/statusnet.po | 297 ++++++++++++++----------- locale/mk/LC_MESSAGES/statusnet.po | 308 +++++++++++++++----------- locale/nb/LC_MESSAGES/statusnet.po | 297 ++++++++++++++----------- locale/nl/LC_MESSAGES/statusnet.po | 310 +++++++++++++++----------- locale/nn/LC_MESSAGES/statusnet.po | 297 ++++++++++++++----------- locale/pl/LC_MESSAGES/statusnet.po | 394 +++++++++++++++++++--------------- locale/pt/LC_MESSAGES/statusnet.po | 298 +++++++++++++++---------- locale/pt_BR/LC_MESSAGES/statusnet.po | 302 +++++++++++++++----------- locale/ru/LC_MESSAGES/statusnet.po | 312 ++++++++++++++++----------- locale/statusnet.po | 282 ++++++++++++++---------- locale/sv/LC_MESSAGES/statusnet.po | 312 ++++++++++++++++----------- locale/te/LC_MESSAGES/statusnet.po | 298 +++++++++++++++---------- locale/tr/LC_MESSAGES/statusnet.po | 297 ++++++++++++++----------- locale/uk/LC_MESSAGES/statusnet.po | 308 +++++++++++++++----------- locale/vi/LC_MESSAGES/statusnet.po | 299 +++++++++++++++----------- locale/zh_CN/LC_MESSAGES/statusnet.po | 299 +++++++++++++++----------- locale/zh_TW/LC_MESSAGES/statusnet.po | 297 ++++++++++++++----------- 36 files changed, 6529 insertions(+), 4448 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index a816dcef9..7e61e492d 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:41:16+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:20:02+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" @@ -97,7 +97,7 @@ msgstr "لا صÙحة كهذه" #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -154,7 +154,7 @@ msgid "" "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -376,8 +376,8 @@ msgstr "" msgid "Not a valid nickname." msgstr "ليس اسمًا مستعارًا صحيحًا." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -389,8 +389,8 @@ msgstr "الصÙحة الرئيسية ليست عنونًا صالحًا." msgid "Full name is too long (max 255 chars)." msgstr "الاسم الكامل طويل جدا (الأقصى 255 حرÙًا)" -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "" @@ -467,18 +467,23 @@ msgstr "مجموعات %s" msgid "groups on %s" msgstr "مجموعات %s" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." -msgstr "طلب سيء." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." +msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "حجم غير صالح." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -489,74 +494,82 @@ msgstr "طلب سيء." msgid "There was a problem with your session token. Try again, please." msgstr "" -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 msgid "Invalid nickname / password!" msgstr "اسم/كلمة سر غير صحيحة!" -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "خطأ قاعدة البيانات أثناء حذ٠المستخدم OAuth app" -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "خطأ قاعدة البيانات أثناء إدخال المستخدم OAuth app" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "" -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "الحساب" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "الاسم المستعار" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "كلمة السر" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "ارÙض" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 msgid "Allow" msgstr "اسمح" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -725,8 +738,8 @@ msgstr "الأصلي" msgid "Preview" msgstr "عاين" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "احذÙ" @@ -773,8 +786,9 @@ msgid "" "will not be notified of any @-replies from them." msgstr "" -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "لا" @@ -782,9 +796,9 @@ msgstr "لا" msgid "Do not block this user" msgstr "لا تمنع هذا المستخدم" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "نعم" @@ -888,6 +902,49 @@ msgstr "محادثة" msgid "Notices" msgstr "الإشعارات" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "يجب أن تكون مسجل الدخول لتعدل تطبيقا." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "لم يوجد رمز التأكيد." + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +msgid "You are not the owner of this application." +msgstr "أنت لست مالك هذا التطبيق." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "عدّل التطبيق" + +#: actions/deleteapplication.php:149 +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "لا تحذ٠هذا الإشعار" + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "احذ٠هذا الإشعار" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -920,7 +977,7 @@ msgstr "أمتأكد من أنك تريد حذ٠هذا الإشعار؟" msgid "Do not delete this notice" msgstr "لا تحذ٠هذا الإشعار" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "احذ٠هذا الإشعار" @@ -1060,7 +1117,7 @@ msgstr "هذا الشعار ليس Ù…Ùضلًا!" msgid "Add to favorites" msgstr "أض٠إلى المÙضلات" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "لا مستند كهذا." @@ -1074,20 +1131,11 @@ msgstr "عدّل التطبيق" msgid "You must be logged in to edit an application." msgstr "يجب أن تكون مسجل الدخول لتعدل تطبيقا." -#: actions/editapplication.php:77 actions/showapplication.php:94 -msgid "You are not the owner of this application." -msgstr "أنت لست مالك هذا التطبيق." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 msgid "No such application." msgstr "لا تطبيق كهذا." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "" - #: actions/editapplication.php:161 msgid "Use this form to edit your application." msgstr "استخدم هذا النموذج لتعدل تطبيقك." @@ -1096,43 +1144,47 @@ msgstr "استخدم هذا النموذج لتعدل تطبيقك." msgid "Name is required." msgstr "الاسم مطلوب." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 msgid "Name is too long (max 255 chars)." msgstr "الاسم طويل جدا (الأقصى 255 حرÙا)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +msgid "Name already in use. Try another one." +msgstr "" + +#: actions/editapplication.php:186 actions/newapplication.php:168 msgid "Description is required." msgstr "الوص٠مطلوب." -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Source URL is not valid." msgstr "مسار المصدر ليس صحيحا." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "المنظمة مطلوبة." -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization is too long (max 255 chars)." msgstr "المنظمة طويلة جدا (الأقصى 255 حرÙا)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "صÙحة المنظمة الرئيسية مطلوبة." -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 msgid "Could not update application." msgstr "لم يمكن تحديث التطبيق." @@ -1987,11 +2039,11 @@ msgstr "يجب أن تكون مسجل الدخول لتسجل تطبيقا." msgid "Use this form to register a new application." msgstr "استخدم هذا النموذج لتسجل تطبيقا جديدا." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 msgid "Could not create application." msgstr "لم يمكن إنشاء التطبيق." @@ -2118,28 +2170,28 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 msgid "You are not a user of that application." msgstr "لست مستخدما لهذا التطبيق." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2631,36 +2683,36 @@ msgstr "المسار الزمني العام، صÙحة %d" msgid "Public timeline" msgstr "المسار الزمني العام" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "" -#: actions/public.php:159 +#: actions/public.php:167 msgid "Public Stream Feed (Atom)" msgstr "" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "كن أول من ÙŠÙرسل!" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2673,7 +2725,7 @@ msgstr "" "الآن](%%action.register%%) لتشارك اشعاراتك مع أصدقائك وعائلتك وزملائك! " "([اقرأ المزيد](%%doc.help%%))" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3004,7 +3056,7 @@ msgstr "لا يمكنك تكرار ملاحظتك الشخصية." msgid "You already repeated that notice." msgstr "أنت كررت هذه الملاحظة بالÙعل." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 msgid "Repeated" msgstr "مكرر" @@ -3064,6 +3116,10 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "" +#: actions/rsd.php:146 actions/version.php:157 +msgid "StatusNet" +msgstr "ستاتس نت" + #: actions/sandbox.php:65 actions/unsandbox.php:65 msgid "You cannot sandbox users on this site." msgstr "" @@ -3136,42 +3192,42 @@ msgstr "إحصاءات" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "اسمح بالمسار" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3380,25 +3436,25 @@ msgstr "" msgid "FOAF for %s" msgstr "" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3407,7 +3463,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3415,7 +3471,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, php-format msgid "Repeat of %s" msgstr "تكرار Ù„%s" @@ -4055,10 +4111,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -msgid "StatusNet" -msgstr "ستاتس نت" - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4176,22 +4228,22 @@ msgstr "" msgid "Problem saving notice." msgstr "مشكلة أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:790 +#: classes/Notice.php:788 #, fuzzy msgid "Problem saving group inbox." msgstr "مشكلة أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تي @%1$s %2$s" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "أهلا بكم ÙÙŠ %1$s يا @%2$s!" @@ -4843,19 +4895,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 msgid "No configuration file found. " msgstr "" -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "اذهب إلى المÙثبّت." @@ -5416,23 +5468,23 @@ msgstr "غ" msgid "at" msgstr "ÙÙŠ" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "ÙÙŠ السياق" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 msgid "Repeated by" msgstr "مكرر بواسطة" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "رÙد على هذا الإشعار" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "رÙد" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 msgid "Notice repeated" msgstr "الإشعار مكرر" @@ -5573,6 +5625,10 @@ msgstr "أأكرّر هذا الإشعار؟ّ" msgid "Repeat this notice" msgstr "كرّر هذا الإشعار" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "" @@ -5738,47 +5794,47 @@ msgstr "رسالة" msgid "Moderate" msgstr "" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "قبل لحظات قليلة" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "قبل دقيقة تقريبًا" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "قبل ساعة تقريبًا" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "قبل يوم تقريبا" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "قبل شهر تقريبًا" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "قبل سنة تقريبًا" diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index 75b04d3c3..27755a0ce 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:41:19+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:20:06+0000\n" "Language-Team: Egyptian Spoken Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: out-statusnet\n" @@ -97,7 +97,7 @@ msgstr "لا صÙحه كهذه" #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -154,7 +154,7 @@ msgid "" "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -376,8 +376,8 @@ msgstr "" msgid "Not a valid nickname." msgstr "ليس اسمًا مستعارًا صحيحًا." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -389,8 +389,8 @@ msgstr "الصÙحه الرئيسيه ليست عنونًا صالحًا." msgid "Full name is too long (max 255 chars)." msgstr "الاسم الكامل طويل جدا (الأقصى 255 حرÙًا)" -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "" @@ -467,18 +467,23 @@ msgstr "مجموعات %s" msgid "groups on %s" msgstr "مجموعات %s" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "حجم غير صالح." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -489,74 +494,82 @@ msgstr "" msgid "There was a problem with your session token. Try again, please." msgstr "" -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 msgid "Invalid nickname / password!" msgstr "اسم/كلمه سر غير صحيحة!" -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "خطأ قاعده البيانات أثناء حذ٠المستخدم OAuth app" -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "خطأ قاعده البيانات أثناء إدخال المستخدم OAuth app" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "" -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "الحساب" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "الاسم المستعار" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "كلمه السر" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "ارÙض" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 msgid "Allow" msgstr "اسمح" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -725,8 +738,8 @@ msgstr "الأصلي" msgid "Preview" msgstr "عاين" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "احذÙ" @@ -773,8 +786,9 @@ msgid "" "will not be notified of any @-replies from them." msgstr "" -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "لا" @@ -782,9 +796,9 @@ msgstr "لا" msgid "Do not block this user" msgstr "لا تمنع هذا المستخدم" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "نعم" @@ -888,6 +902,49 @@ msgstr "محادثة" msgid "Notices" msgstr "الإشعارات" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "يجب أن تكون مسجل الدخول لتعدل تطبيقا." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "لم يوجد رمز التأكيد." + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +msgid "You are not the owner of this application." +msgstr "أنت لست مالك هذا التطبيق." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "لا تطبيق كهذا." + +#: actions/deleteapplication.php:149 +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "لا تحذ٠هذا الإشعار" + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "احذ٠هذا الإشعار" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -920,7 +977,7 @@ msgstr "أمتأكد من أنك تريد حذ٠هذا الإشعار؟" msgid "Do not delete this notice" msgstr "لا تحذ٠هذا الإشعار" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "احذ٠هذا الإشعار" @@ -1060,7 +1117,7 @@ msgstr "هذا الشعار ليس Ù…Ùضلًا!" msgid "Add to favorites" msgstr "أض٠إلى المÙضلات" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "لا مستند كهذا." @@ -1074,20 +1131,11 @@ msgstr "تطبيقات OAuth" msgid "You must be logged in to edit an application." msgstr "يجب أن تكون مسجل الدخول لتعدل تطبيقا." -#: actions/editapplication.php:77 actions/showapplication.php:94 -msgid "You are not the owner of this application." -msgstr "أنت لست مالك هذا التطبيق." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 msgid "No such application." msgstr "لا تطبيق كهذا." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "" - #: actions/editapplication.php:161 msgid "Use this form to edit your application." msgstr "استخدم النموذج ده علشان تعدل تطبيقك." @@ -1096,43 +1144,47 @@ msgstr "استخدم النموذج ده علشان تعدل تطبيقك." msgid "Name is required." msgstr "الاسم مطلوب." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 msgid "Name is too long (max 255 chars)." msgstr "الاسم طويل جدا (الأقصى 255 حرÙا)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +msgid "Name already in use. Try another one." +msgstr "" + +#: actions/editapplication.php:186 actions/newapplication.php:168 msgid "Description is required." msgstr "الوص٠مطلوب." -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Source URL is not valid." msgstr "مسار المصدر ليس صحيحا." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization is too long (max 255 chars)." msgstr "المنظمه طويله جدا (الأقصى 255 حرÙا)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 msgid "Could not update application." msgstr "لم يمكن تحديث التطبيق." @@ -1987,11 +2039,11 @@ msgstr "يجب أن تكون مسجل الدخول لتسجل تطبيقا." msgid "Use this form to register a new application." msgstr "استخدم هذا النموذج لتسجل تطبيقا جديدا." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 msgid "Could not create application." msgstr "مش ممكن إنشاء التطبيق." @@ -2116,28 +2168,28 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 msgid "You are not a user of that application." msgstr "أنت لست مستخدما لهذا التطبيق." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2629,36 +2681,36 @@ msgstr "المسار الزمنى العام، صÙحه %d" msgid "Public timeline" msgstr "المسار الزمنى العام" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "" -#: actions/public.php:159 +#: actions/public.php:167 msgid "Public Stream Feed (Atom)" msgstr "" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "كن أول من ÙŠÙرسل!" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2671,7 +2723,7 @@ msgstr "" "الآن](%%action.register%%) لتشارك اشعاراتك مع أصدقائك وعائلتك وزملائك! " "([اقرأ المزيد](%%doc.help%%))" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3002,7 +3054,7 @@ msgstr "لا يمكنك تكرار ملاحظتك الشخصيه." msgid "You already repeated that notice." msgstr "أنت كررت هذه الملاحظه بالÙعل." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 msgid "Repeated" msgstr "مكرر" @@ -3062,6 +3114,10 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "" +#: actions/rsd.php:146 actions/version.php:157 +msgid "StatusNet" +msgstr "ستاتس نت" + #: actions/sandbox.php:65 actions/unsandbox.php:65 msgid "You cannot sandbox users on this site." msgstr "" @@ -3134,42 +3190,42 @@ msgstr "إحصاءات" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "اسمح بالمسار" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3378,25 +3434,25 @@ msgstr "" msgid "FOAF for %s" msgstr "" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3405,7 +3461,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3413,7 +3469,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, php-format msgid "Repeat of %s" msgstr "تكرارات %s" @@ -4053,10 +4109,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -msgid "StatusNet" -msgstr "ستاتس نت" - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4174,22 +4226,22 @@ msgstr "" msgid "Problem saving notice." msgstr "مشكله أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:790 +#: classes/Notice.php:788 #, fuzzy msgid "Problem saving group inbox." msgstr "مشكله أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تى @%1$s %2$s" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "أهلا بكم ÙÙ‰ %1$s يا @%2$s!" @@ -4841,19 +4893,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 msgid "No configuration file found. " msgstr "" -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "اذهب إلى المÙثبّت." @@ -5404,23 +5456,23 @@ msgstr "غ" msgid "at" msgstr "ÙÙŠ" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "ÙÙ‰ السياق" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 msgid "Repeated by" msgstr "مكرر بواسطة" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "رÙد على هذا الإشعار" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "رÙد" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 msgid "Notice repeated" msgstr "الإشعار مكرر" @@ -5561,6 +5613,10 @@ msgstr "كرر هذا الإشعار؟" msgid "Repeat this notice" msgstr "كرر هذا الإشعار" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "" @@ -5726,47 +5782,47 @@ msgstr "رسالة" msgid "Moderate" msgstr "" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "قبل لحظات قليلة" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "قبل دقيقه تقريبًا" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "قبل ساعه تقريبًا" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "قبل يوم تقريبا" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "قبل شهر تقريبًا" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "قبل سنه تقريبًا" diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index 513055266..4697b8aac 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:41:22+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:20:09+0000\n" "Language-Team: Bulgarian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: out-statusnet\n" @@ -96,7 +96,7 @@ msgstr "ÐÑма такака Ñтраница." #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -153,7 +153,7 @@ msgid "" "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -385,8 +385,8 @@ msgstr "Опитайте друг пÑевдоним, този вече е за msgid "Not a valid nickname." msgstr "Ðеправилен пÑевдоним." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -398,8 +398,8 @@ msgstr "ÐдреÑÑŠÑ‚ на личната Ñтраница не е правил msgid "Full name is too long (max 255 chars)." msgstr "Пълното име е твърде дълго (макÑ. 255 знака)" -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "ОпиÑанието е твърде дълго (до %d Ñимвола)." @@ -476,18 +476,23 @@ msgstr "Групи на %s" msgid "groups on %s" msgstr "групи в %s" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "Ðеправилен размер." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -498,76 +503,84 @@ msgstr "" msgid "There was a problem with your session token. Try again, please." msgstr "Имаше проблем ÑÑŠÑ ÑеÑиÑта ви в Ñайта. МолÑ, опитайте отново!" -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 #, fuzzy msgid "Invalid nickname / password!" msgstr "Ðеправилно име или парола." -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "Грешка в наÑтройките на потребителÑ." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "Грешка в базата от данни — отговор при вмъкването: %s" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "Ðеочаквано изпращане на форма." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Сметка" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "ПÑевдоним" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Парола" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 #, fuzzy msgid "Allow" msgstr "Ð’Ñички" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -738,8 +751,8 @@ msgstr "Оригинал" msgid "Preview" msgstr "Преглед" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Изтриване" @@ -786,8 +799,9 @@ msgid "" "will not be notified of any @-replies from them." msgstr "" -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "Ðе" @@ -795,9 +809,9 @@ msgstr "Ðе" msgid "Do not block this user" msgstr "Да не Ñе блокира този потребител" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Да" @@ -904,6 +918,50 @@ msgstr "Разговор" msgid "Notices" msgstr "Бележки" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "За да редактирате група, Ñ‚Ñ€Ñбва да Ñте влезли." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Бележката нÑма профил" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Ðе членувате в тази група." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "Имаше проблем ÑÑŠÑ ÑеÑиÑта ви в Ñайта." + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "ÐÑма такава бележка." + +#: actions/deleteapplication.php:149 +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Да не Ñе изтрива бележката" + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Изтриване на бележката" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -936,7 +994,7 @@ msgstr "ÐаиÑтина ли иÑкате да изтриете тази бел msgid "Do not delete this notice" msgstr "Да не Ñе изтрива бележката" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "Изтриване на бележката" @@ -1081,7 +1139,7 @@ msgstr "Тази бележка не е отбелÑзана като любим msgid "Add to favorites" msgstr "ДобавÑне към любимите" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "ÐÑма такъв документ." @@ -1096,22 +1154,12 @@ msgstr "Други наÑтройки" msgid "You must be logged in to edit an application." msgstr "За да редактирате група, Ñ‚Ñ€Ñбва да Ñте влезли." -#: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy -msgid "You are not the owner of this application." -msgstr "Ðе членувате в тази група." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 #, fuzzy msgid "No such application." msgstr "ÐÑма такава бележка." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "Имаше проблем ÑÑŠÑ ÑеÑиÑта ви в Ñайта." - #: actions/editapplication.php:161 #, fuzzy msgid "Use this form to edit your application." @@ -1122,47 +1170,52 @@ msgstr "Използвайте тази бланка за Ñъздаване н msgid "Name is required." msgstr "Същото като паролата по-горе. Задължително поле." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 #, fuzzy msgid "Name is too long (max 255 chars)." msgstr "Пълното име е твърде дълго (макÑ. 255 знака)" -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "Опитайте друг пÑевдоним, този вече е зает." + +#: actions/editapplication.php:186 actions/newapplication.php:168 #, fuzzy msgid "Description is required." msgstr "ОпиÑание" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 #, fuzzy msgid "Source URL is not valid." msgstr "ÐдреÑÑŠÑ‚ на личната Ñтраница не е правилен URL." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 #, fuzzy msgid "Organization is too long (max 255 chars)." msgstr "Името на меÑтоположението е твърде дълго (макÑ. 255 знака)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 #, fuzzy msgid "Could not update application." msgstr "Грешка при обновÑване на групата." @@ -2095,11 +2148,11 @@ msgstr "За да Ñъздавате група, Ñ‚Ñ€Ñбва да Ñте вле msgid "Use this form to register a new application." msgstr "Използвайте тази бланка за Ñъздаване на нова група." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy msgid "Could not create application." msgstr "Грешка при отбелÑзване като любима." @@ -2231,29 +2284,29 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 #, fuzzy msgid "You are not a user of that application." msgstr "Ðе членувате в тази група." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2759,36 +2812,36 @@ msgstr "Общ поток, Ñтраница %d" msgid "Public timeline" msgstr "Общ поток" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "ЕмиÑÐ¸Ñ Ð½Ð° Ð¾Ð±Ñ‰Ð¸Ñ Ð¿Ð¾Ñ‚Ð¾Ðº (RSS 1.0)" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "ЕмиÑÐ¸Ñ Ð½Ð° Ð¾Ð±Ñ‰Ð¸Ñ Ð¿Ð¾Ñ‚Ð¾Ðº (RSS 2.0)" -#: actions/public.php:159 +#: actions/public.php:167 msgid "Public Stream Feed (Atom)" msgstr "ЕмиÑÐ¸Ñ Ð½Ð° Ð¾Ð±Ñ‰Ð¸Ñ Ð¿Ð¾Ñ‚Ð¾Ðº (Atom)" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2797,7 +2850,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3155,7 +3208,7 @@ msgstr "Ðе можете да повтарÑте ÑобÑтвена бележ msgid "You already repeated that notice." msgstr "Вече Ñте повторили тази бележка." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 msgid "Repeated" msgstr "Повторено" @@ -3215,6 +3268,11 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Отговори до %1$s в %2$s!" +#: actions/rsd.php:146 actions/version.php:157 +#, fuzzy +msgid "StatusNet" +msgstr "Бележката е изтрита." + #: actions/sandbox.php:65 actions/unsandbox.php:65 #, fuzzy msgid "You cannot sandbox users on this site." @@ -3293,43 +3351,43 @@ msgstr "СтатиÑтики" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 #, fuzzy msgid "Authorize URL" msgstr "Ðвтор" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3534,25 +3592,25 @@ msgstr "ЕмиÑÐ¸Ñ Ñ Ð±ÐµÐ»ÐµÐ¶ÐºÐ¸ на %s (Atom)" msgid "FOAF for %s" msgstr "FOAF за %s" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3561,7 +3619,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3569,7 +3627,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Отговори на %s" @@ -4245,11 +4303,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -#, fuzzy -msgid "StatusNet" -msgstr "Бележката е изтрита." - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4379,22 +4432,22 @@ msgstr "Забранено ви е да публикувате бележки в msgid "Problem saving notice." msgstr "Проблем при запиÑване на бележката." -#: classes/Notice.php:790 +#: classes/Notice.php:788 #, fuzzy msgid "Problem saving group inbox." msgstr "Проблем при запиÑване на бележката." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "Грешка в базата от данни — отговор при вмъкването: %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Добре дошли в %1$s, @%2$s!" @@ -5054,19 +5107,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 msgid "No configuration file found. " msgstr "Ðе е открит файл Ñ Ð½Ð°Ñтройки. " -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:135 +#: lib/common.php:139 #, fuzzy msgid "Go to the installer." msgstr "Влизане в Ñайта" @@ -5639,23 +5692,23 @@ msgstr "З" msgid "at" msgstr "" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "в контекÑÑ‚" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 msgid "Repeated by" msgstr "Повторено от" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "ОтговарÑне на тази бележка" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "Отговор" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 msgid "Notice repeated" msgstr "Бележката е повторена." @@ -5801,6 +5854,10 @@ msgstr "ПовтарÑне на тази бележка" msgid "Repeat this notice" msgstr "ПовтарÑне на тази бележка" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 #, fuzzy msgid "Sandbox" @@ -5974,47 +6031,47 @@ msgstr "Съобщение" msgid "Moderate" msgstr "" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "преди нÑколко Ñекунди" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "преди около минута" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "преди около %d минути" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "преди около чаÑ" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "преди около %d чаÑа" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "преди около ден" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "преди около %d дни" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "преди около меÑец" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "преди около %d меÑеца" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "преди около година" diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index 2152e54c2..0a6356d6c 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:41:24+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:20:13+0000\n" "Language-Team: Catalan\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: out-statusnet\n" @@ -98,7 +98,7 @@ msgstr "No existeix la pàgina." #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -157,7 +157,7 @@ msgid "" "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -395,8 +395,8 @@ msgstr "Aquest sobrenom ja existeix. Prova un altre. " msgid "Not a valid nickname." msgstr "Sobrenom no vàlid." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -408,8 +408,8 @@ msgstr "La pàgina personal no és un URL vàlid." msgid "Full name is too long (max 255 chars)." msgstr "El teu nom és massa llarg (màx. 255 caràcters)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "La descripció és massa llarga (màx. %d caràcters)." @@ -486,18 +486,23 @@ msgstr "%s grups" msgid "groups on %s" msgstr "grups sobre %s" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "Mida invàlida." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -510,77 +515,85 @@ msgstr "" "Sembla que hi ha hagut un problema amb la teva sessió. Prova-ho de nou, si " "us plau." -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 #, fuzzy msgid "Invalid nickname / password!" msgstr "Nom d'usuari o contrasenya invàlids." -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "Error en configurar l'usuari." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "Hashtag de l'error de la base de dades:%s" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "Enviament de formulari inesperat." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Compte" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Sobrenom" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Contrasenya" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 #, fuzzy msgid "Deny" msgstr "Disseny" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 #, fuzzy msgid "Allow" msgstr "Tot" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -752,8 +765,8 @@ msgstr "Original" msgid "Preview" msgstr "Vista prèvia" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Suprimeix" @@ -802,8 +815,9 @@ msgid "" "will not be notified of any @-replies from them." msgstr "" -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "No" @@ -811,9 +825,9 @@ msgstr "No" msgid "Do not block this user" msgstr "No bloquis l'usuari" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Sí" @@ -919,6 +933,50 @@ msgstr "Conversa" msgid "Notices" msgstr "Avisos" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "Heu d'iniciar una sessió per editar un grup." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Avís sense perfil" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "No sou un membre del grup." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "Ha ocorregut algun problema amb la teva sessió." + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "No existeix aquest avís." + +#: actions/deleteapplication.php:149 +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "No es pot esborrar la notificació." + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Eliminar aquesta nota" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -955,7 +1013,7 @@ msgstr "N'estàs segur que vols eliminar aquesta notificació?" msgid "Do not delete this notice" msgstr "No es pot esborrar la notificació." -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "Eliminar aquesta nota" @@ -1096,7 +1154,7 @@ msgstr "Aquesta notificació no és un favorit!" msgid "Add to favorites" msgstr "Afegeix als preferits" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "No existeix aquest document." @@ -1111,22 +1169,12 @@ msgstr "Altres opcions" msgid "You must be logged in to edit an application." msgstr "Heu d'iniciar una sessió per editar un grup." -#: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy -msgid "You are not the owner of this application." -msgstr "No sou un membre del grup." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 #, fuzzy msgid "No such application." msgstr "No existeix aquest avís." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "Ha ocorregut algun problema amb la teva sessió." - #: actions/editapplication.php:161 #, fuzzy msgid "Use this form to edit your application." @@ -1137,47 +1185,52 @@ msgstr "Utilitza aquest formulari per editar el grup." msgid "Name is required." msgstr "Igual a la contrasenya de dalt. Requerit." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 #, fuzzy msgid "Name is too long (max 255 chars)." msgstr "El teu nom és massa llarg (màx. 255 caràcters)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "Aquest sobrenom ja existeix. Prova un altre. " + +#: actions/editapplication.php:186 actions/newapplication.php:168 #, fuzzy msgid "Description is required." msgstr "Descripció" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 #, fuzzy msgid "Source URL is not valid." msgstr "La pàgina personal no és un URL vàlid." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 #, fuzzy msgid "Organization is too long (max 255 chars)." msgstr "La ubicació és massa llarga (màx. 255 caràcters)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 #, fuzzy msgid "Could not update application." msgstr "No s'ha pogut actualitzar el grup." @@ -2114,11 +2167,11 @@ msgstr "Has d'haver entrat per crear un grup." msgid "Use this form to register a new application." msgstr "Utilitza aquest formulari per crear un nou grup." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy msgid "Could not create application." msgstr "No s'han pogut crear els àlies." @@ -2251,29 +2304,29 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 #, fuzzy msgid "You are not a user of that application." msgstr "No ets membre d'aquest grup." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2786,19 +2839,19 @@ msgstr "Línia temporal pública, pàgina %d" msgid "Public timeline" msgstr "Línia temporal pública" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "Flux de canal públic (RSS 1.0)" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "Flux de canal públic (RSS 2.0)" -#: actions/public.php:159 +#: actions/public.php:167 msgid "Public Stream Feed (Atom)" msgstr "Flux de canal públic (Atom)" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2807,11 +2860,11 @@ msgstr "" "Aquesta és la línia temporal pública de %%site.name%%, però ningú no hi ha " "enviat res encara." -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "Sigueu el primer en escriure-hi!" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2819,7 +2872,7 @@ msgstr "" "Per què no [registreu un compte](%%action.register%%) i sou el primer en " "escriure-hi!" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2828,7 +2881,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:238 +#: actions/public.php:246 #, fuzzy, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3197,7 +3250,7 @@ msgstr "No pots registrar-te si no estàs d'acord amb la llicència." msgid "You already repeated that notice." msgstr "Ja heu blocat l'usuari." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 msgid "Repeated" msgstr "Repetit" @@ -3259,6 +3312,11 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Respostes a %1$s el %2$s!" +#: actions/rsd.php:146 actions/version.php:157 +#, fuzzy +msgid "StatusNet" +msgstr "S'ha suprimit l'estat." + #: actions/sandbox.php:65 actions/unsandbox.php:65 #, fuzzy msgid "You cannot sandbox users on this site." @@ -3336,43 +3394,43 @@ msgstr "Estadístiques" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 #, fuzzy msgid "Authorize URL" msgstr "Autoria" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3580,27 +3638,27 @@ msgstr "Feed d'avisos de %s" msgid "FOAF for %s" msgstr "Safata de sortida per %s" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, fuzzy, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" "Aquesta és la línia temporal de %s i amics, però ningú hi ha enviat res " "encara." -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3609,7 +3667,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, fuzzy, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3619,7 +3677,7 @@ msgstr "" "**%s** té un compte a %%%%site.name%%%%, un servei de [microblogging](http://" "ca.wikipedia.org/wiki/Microblogging) " -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, php-format msgid "Repeat of %s" msgstr "Repetició de %s" @@ -4298,11 +4356,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -#, fuzzy -msgid "StatusNet" -msgstr "S'ha suprimit l'estat." - #: actions/version.php:161 msgid "Contributors" msgstr "Col·laboració" @@ -4431,22 +4484,22 @@ msgstr "Ha estat bandejat de publicar notificacions en aquest lloc." msgid "Problem saving notice." msgstr "Problema en guardar l'avís." -#: classes/Notice.php:790 +#: classes/Notice.php:788 #, fuzzy msgid "Problem saving group inbox." msgstr "Problema en guardar l'avís." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "Error de BD en inserir resposta: %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Us donem la benvinguda a %1$s, @%2$s!" @@ -5102,19 +5155,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 msgid "No configuration file found. " msgstr "No s'ha trobat cap fitxer de configuració. " -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "Podeu voler executar l'instal·lador per a corregir-ho." -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "Vés a l'instal·lador." @@ -5687,23 +5740,23 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "en context" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 msgid "Repeated by" msgstr "Repetit per" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "respondre a aquesta nota" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "Respon" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 #, fuzzy msgid "Notice repeated" msgstr "Notificació publicada" @@ -5849,6 +5902,10 @@ msgstr "Repeteix l'avís" msgid "Repeat this notice" msgstr "Repeteix l'avís" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 #, fuzzy msgid "Sandbox" @@ -6019,47 +6076,47 @@ msgstr "Missatge" msgid "Moderate" msgstr "Modera" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "fa pocs segons" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "fa un minut" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "fa %d minuts" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "fa una hora" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "fa %d hores" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "fa un dia" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "fa %d dies" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "fa un mes" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "fa %d mesos" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "fa un any" diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index 83985a640..c61d3dbf0 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:41:27+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:20:16+0000\n" "Language-Team: Czech\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: out-statusnet\n" @@ -100,7 +100,7 @@ msgstr "Žádné takové oznámení." #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -157,7 +157,7 @@ msgid "" "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -390,8 +390,8 @@ msgstr "PÅ™ezdívku již nÄ›kdo používá. Zkuste jinou" msgid "Not a valid nickname." msgstr "Není platnou pÅ™ezdívkou." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -403,8 +403,8 @@ msgstr "Stránka není platnou URL." msgid "Full name is too long (max 255 chars)." msgstr "Jméno je moc dlouhé (maximální délka je 255 znaků)" -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "Text je příliÅ¡ dlouhý (maximální délka je 140 zanků)" @@ -484,18 +484,23 @@ msgstr "" msgid "groups on %s" msgstr "" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "Neplatná velikost" + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -506,77 +511,85 @@ msgstr "" msgid "There was a problem with your session token. Try again, please." msgstr "" -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 #, fuzzy msgid "Invalid nickname / password!" msgstr "Neplatné jméno nebo heslo" -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "Chyba nastavení uživatele" -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "Chyba v DB pÅ™i vkládání odpovÄ›di: %s" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "NeÄekaná forma submission." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 #, fuzzy msgid "Account" msgstr "O nás" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "PÅ™ezdívka" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Heslo" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 #, fuzzy msgid "Deny" msgstr "Vzhled" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 msgid "Allow" msgstr "" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -752,8 +765,8 @@ msgstr "" msgid "Preview" msgstr "" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Odstranit" @@ -802,8 +815,9 @@ msgid "" "will not be notified of any @-replies from them." msgstr "" -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "Ne" @@ -812,9 +826,9 @@ msgstr "Ne" msgid "Do not block this user" msgstr "Žádný takový uživatel." -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Ano" @@ -923,6 +937,50 @@ msgstr "UmístÄ›ní" msgid "Notices" msgstr "SdÄ›lení" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "Nelze aktualizovat uživatele" + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "SdÄ›lení nemá profil" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Neodeslal jste nám profil" + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "Žádné takové oznámení." + +#: actions/deleteapplication.php:149 +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Žádné takové oznámení." + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Odstranit toto oznámení" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -956,7 +1014,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "Žádné takové oznámení." -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "Odstranit toto oznámení" @@ -1104,7 +1162,7 @@ msgstr "" msgid "Add to favorites" msgstr "PÅ™idat do oblíbených" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "Žádný takový dokument." @@ -1118,22 +1176,12 @@ msgstr "SdÄ›lení nemá profil" msgid "You must be logged in to edit an application." msgstr "" -#: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy -msgid "You are not the owner of this application." -msgstr "Neodeslal jste nám profil" - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 #, fuzzy msgid "No such application." msgstr "Žádné takové oznámení." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "" - #: actions/editapplication.php:161 msgid "Use this form to edit your application." msgstr "" @@ -1142,47 +1190,52 @@ msgstr "" msgid "Name is required." msgstr "" -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 #, fuzzy msgid "Name is too long (max 255 chars)." msgstr "Jméno je moc dlouhé (maximální délka je 255 znaků)" -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "PÅ™ezdívku již nÄ›kdo používá. Zkuste jinou" + +#: actions/editapplication.php:186 actions/newapplication.php:168 #, fuzzy msgid "Description is required." msgstr "OdbÄ›ry" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 #, fuzzy msgid "Source URL is not valid." msgstr "Stránka není platnou URL." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 #, fuzzy msgid "Organization is too long (max 255 chars)." msgstr "UmístÄ›ní příliÅ¡ dlouhé (maximálnÄ› 255 znaků)" -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 #, fuzzy msgid "Could not update application." msgstr "Nelze aktualizovat uživatele" @@ -2087,11 +2140,11 @@ msgstr "" msgid "Use this form to register a new application." msgstr "" -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy msgid "Could not create application." msgstr "Nelze uložin informace o obrázku" @@ -2220,29 +2273,29 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 #, fuzzy msgid "You are not a user of that application." msgstr "Neodeslal jste nám profil" -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2761,39 +2814,39 @@ msgstr "VeÅ™ejné zprávy" msgid "Public timeline" msgstr "VeÅ™ejné zprávy" -#: actions/public.php:151 +#: actions/public.php:159 #, fuzzy msgid "Public Stream Feed (RSS 1.0)" msgstr "VeÅ™ejný Stream Feed" -#: actions/public.php:155 +#: actions/public.php:163 #, fuzzy msgid "Public Stream Feed (RSS 2.0)" msgstr "VeÅ™ejný Stream Feed" -#: actions/public.php:159 +#: actions/public.php:167 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "VeÅ™ejný Stream Feed" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2802,7 +2855,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3147,7 +3200,7 @@ msgstr "Nemůžete se registrovat, pokud nesouhlasíte s licencí." msgid "You already repeated that notice." msgstr "Již jste pÅ™ihlášen" -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 #, fuzzy msgid "Repeated" msgstr "VytvoÅ™it" @@ -3209,6 +3262,11 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "OdpovÄ›di na %s" +#: actions/rsd.php:146 actions/version.php:157 +#, fuzzy +msgid "StatusNet" +msgstr "Obrázek nahrán" + #: actions/sandbox.php:65 actions/unsandbox.php:65 #, fuzzy msgid "You cannot sandbox users on this site." @@ -3287,42 +3345,42 @@ msgstr "Statistiky" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3531,25 +3589,25 @@ msgstr "Feed sdÄ›lení pro %s" msgid "FOAF for %s" msgstr "" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3558,7 +3616,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3566,7 +3624,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, fuzzy, php-format msgid "Repeat of %s" msgstr "OdpovÄ›di na %s" @@ -4246,11 +4304,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -#, fuzzy -msgid "StatusNet" -msgstr "Obrázek nahrán" - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4374,22 +4427,22 @@ msgstr "" msgid "Problem saving notice." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:790 +#: classes/Notice.php:788 #, fuzzy msgid "Problem saving group inbox." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "Chyba v DB pÅ™i vkládání odpovÄ›di: %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" @@ -5062,20 +5115,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 #, fuzzy msgid "No configuration file found. " msgstr "Žádný potvrzující kód." -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "" @@ -5650,26 +5703,26 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 #, fuzzy msgid "in context" msgstr "Žádný obsah!" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 #, fuzzy msgid "Repeated by" msgstr "VytvoÅ™it" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 #, fuzzy msgid "Reply" msgstr "odpovÄ›Ä" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 #, fuzzy msgid "Notice repeated" msgstr "SdÄ›lení" @@ -5816,6 +5869,10 @@ msgstr "Odstranit toto oznámení" msgid "Repeat this notice" msgstr "Odstranit toto oznámení" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "" @@ -5992,47 +6049,47 @@ msgstr "Zpráva" msgid "Moderate" msgstr "" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "pÅ™ed pár sekundami" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "asi pÅ™ed minutou" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "asi pÅ™ed %d minutami" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "asi pÅ™ed hodinou" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "asi pÅ™ed %d hodinami" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "asi pÅ™ede dnem" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "pÅ™ed %d dny" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "asi pÅ™ed mÄ›sícem" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "asi pÅ™ed %d mesíci" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "asi pÅ™ed rokem" diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index d925f47e6..ca2be97ef 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:41:30+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:20:19+0000\n" "Language-Team: German\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: out-statusnet\n" @@ -29,9 +29,8 @@ msgid "Access" msgstr "Akzeptieren" #: actions/accessadminpanel.php:65 -#, fuzzy msgid "Site access settings" -msgstr "Site-Einstellungen speichern" +msgstr "Zugangseinstellungen speichern" #: actions/accessadminpanel.php:158 #, fuzzy @@ -103,7 +102,7 @@ msgstr "Seite nicht vorhanden" #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -167,7 +166,7 @@ msgstr "" "posten](%%%%action.newnotice%%%%?status_textarea=%s) um seine Aufmerksamkeit " "zu erregen." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -397,8 +396,8 @@ msgstr "Nutzername wird bereits verwendet. Suche dir einen anderen aus." msgid "Not a valid nickname." msgstr "Ungültiger Nutzername." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -411,8 +410,8 @@ msgstr "" msgid "Full name is too long (max 255 chars)." msgstr "Der vollständige Name ist zu lang (maximal 255 Zeichen)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "Die Beschreibung ist zu lang (max. %d Zeichen)." @@ -489,18 +488,23 @@ msgstr "%s Gruppen" msgid "groups on %s" msgstr "Gruppen von %s" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "Ungültige Größe." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -511,76 +515,83 @@ msgstr "" msgid "There was a problem with your session token. Try again, please." msgstr "Es gab ein Problem mit deinem Sitzungstoken. Bitte versuche es erneut." -#: actions/apioauthauthorize.php:146 -#, fuzzy +#: actions/apioauthauthorize.php:135 msgid "Invalid nickname / password!" msgstr "Benutzername oder Passwort falsch." -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "Fehler bei den Nutzereinstellungen." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "Datenbankfehler beim Einfügen des Hashtags: %s" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "Unerwartete Formulareingabe." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Konto" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Nutzername" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Passwort" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 #, fuzzy msgid "Allow" msgstr "Alle" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -753,8 +764,8 @@ msgstr "Original" msgid "Preview" msgstr "Vorschau" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Löschen" @@ -802,8 +813,9 @@ msgid "" "will not be notified of any @-replies from them." msgstr "" -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "Nein" @@ -811,9 +823,9 @@ msgstr "Nein" msgid "Do not block this user" msgstr "Diesen Benutzer freigeben" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Ja" @@ -918,6 +930,50 @@ msgstr "Unterhaltung" msgid "Notices" msgstr "Nachrichten" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "Du musst angemeldet sein, um eine Gruppe zu bearbeiten." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Nachricht hat kein Profil" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Du bist kein Mitglied dieser Gruppe." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "Es gab ein Problem mit deinem Sessiontoken." + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "Unbekannte Nachricht." + +#: actions/deleteapplication.php:149 +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Diese Nachricht nicht löschen" + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Nachricht löschen" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -952,7 +1008,7 @@ msgstr "Bist du sicher, dass du diese Nachricht löschen möchtest?" msgid "Do not delete this notice" msgstr "Diese Nachricht nicht löschen" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "Nachricht löschen" @@ -1094,7 +1150,7 @@ msgstr "Diese Nachricht ist kein Favorit!" msgid "Add to favorites" msgstr "Zu Favoriten hinzufügen" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "Unbekanntes Dokument." @@ -1109,22 +1165,12 @@ msgstr "Sonstige Optionen" msgid "You must be logged in to edit an application." msgstr "Du musst angemeldet sein, um eine Gruppe zu bearbeiten." -#: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy -msgid "You are not the owner of this application." -msgstr "Du bist kein Mitglied dieser Gruppe." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 #, fuzzy msgid "No such application." msgstr "Unbekannte Nachricht." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "Es gab ein Problem mit deinem Sessiontoken." - #: actions/editapplication.php:161 #, fuzzy msgid "Use this form to edit your application." @@ -1135,48 +1181,53 @@ msgstr "Benutze dieses Formular, um die Gruppe zu bearbeiten." msgid "Name is required." msgstr "Gleiches Passwort wie zuvor. Pflichteingabe." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 #, fuzzy msgid "Name is too long (max 255 chars)." msgstr "Der vollständige Name ist zu lang (maximal 255 Zeichen)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "Nutzername wird bereits verwendet. Suche dir einen anderen aus." + +#: actions/editapplication.php:186 actions/newapplication.php:168 #, fuzzy msgid "Description is required." msgstr "Beschreibung" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 #, fuzzy msgid "Source URL is not valid." msgstr "" "Homepage ist keine gültige URL. URL’s müssen ein Präfix wie http enthalten." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 #, fuzzy msgid "Organization is too long (max 255 chars)." msgstr "Der eingegebene Aufenthaltsort ist zu lang (maximal 255 Zeichen)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 #, fuzzy msgid "Could not update application." msgstr "Konnte Gruppe nicht aktualisieren." @@ -2112,11 +2163,11 @@ msgstr "Du musst angemeldet sein, um eine Gruppe zu erstellen." msgid "Use this form to register a new application." msgstr "Benutzer dieses Formular, um eine neue Gruppe zu erstellen." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy msgid "Could not create application." msgstr "Konnte keinen Favoriten erstellen." @@ -2250,29 +2301,29 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 #, fuzzy msgid "You are not a user of that application." msgstr "Du bist kein Mitglied dieser Gruppe." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2787,36 +2838,36 @@ msgstr "Öffentliche Zeitleiste, Seite %d" msgid "Public timeline" msgstr "Öffentliche Zeitleiste" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "Feed des öffentlichen Streams (RSS 1.0)" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "Feed des öffentlichen Streams (RSS 2.0)" -#: actions/public.php:159 +#: actions/public.php:167 msgid "Public Stream Feed (Atom)" msgstr "Feed des öffentlichen Streams (Atom)" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2825,7 +2876,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3193,7 +3244,7 @@ msgstr "" msgid "You already repeated that notice." msgstr "Du hast diesen Benutzer bereits blockiert." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 #, fuzzy msgid "Repeated" msgstr "Erstellt" @@ -3260,6 +3311,11 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Antworten an %1$s auf %2$s!" +#: actions/rsd.php:146 actions/version.php:157 +#, fuzzy +msgid "StatusNet" +msgstr "Status gelöscht." + #: actions/sandbox.php:65 actions/unsandbox.php:65 #, fuzzy msgid "You cannot sandbox users on this site." @@ -3338,43 +3394,43 @@ msgstr "Statistiken" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 #, fuzzy msgid "Authorize URL" msgstr "Autor" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3583,20 +3639,20 @@ msgstr "Feed der Nachrichten von %s (Atom)" msgid "FOAF for %s" msgstr "FOAF von %s" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, fuzzy, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" "Dies ist die Zeitleiste für %s und Freunde aber bisher hat niemand etwas " "gepostet." -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, fuzzy, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" @@ -3606,7 +3662,7 @@ msgstr "" "posten](%%%%action.newnotice%%%%?status_textarea=%s) um seine Aufmerksamkeit " "zu erregen." -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3615,7 +3671,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3626,7 +3682,7 @@ msgstr "" "(http://de.wikipedia.org/wiki/Mikro-blogging) basierend auf der Freien " "Software [StatusNet](http://status.net/). " -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Antworten an %s" @@ -4317,11 +4373,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -#, fuzzy -msgid "StatusNet" -msgstr "Status gelöscht." - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4451,22 +4502,22 @@ msgstr "" msgid "Problem saving notice." msgstr "Problem bei Speichern der Nachricht." -#: classes/Notice.php:790 +#: classes/Notice.php:788 #, fuzzy msgid "Problem saving group inbox." msgstr "Problem bei Speichern der Nachricht." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "Datenbankfehler beim Einfügen der Antwort: %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Herzlich willkommen bei %1$s, @%2$s!" @@ -5122,19 +5173,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 msgid "No configuration file found. " msgstr "Keine Konfigurationsdatei gefunden." -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "Ich habe an folgenden Stellen nach Konfigurationsdateien gesucht: " -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:135 +#: lib/common.php:139 #, fuzzy msgid "Go to the installer." msgstr "Auf der Seite anmelden" @@ -5768,24 +5819,24 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "im Zusammenhang" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 #, fuzzy msgid "Repeated by" msgstr "Erstellt" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "Auf diese Nachricht antworten" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "Antworten" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 #, fuzzy msgid "Notice repeated" msgstr "Nachricht gelöscht." @@ -5933,6 +5984,10 @@ msgstr "Auf diese Nachricht antworten" msgid "Repeat this notice" msgstr "Auf diese Nachricht antworten" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 #, fuzzy msgid "Sandbox" @@ -6107,47 +6162,47 @@ msgstr "Nachricht" msgid "Moderate" msgstr "" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "vor wenigen Sekunden" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "vor einer Minute" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "vor %d Minuten" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "vor einer Stunde" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "vor %d Stunden" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "vor einem Tag" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "vor %d Tagen" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "vor einem Monat" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "vor %d Monaten" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "vor einem Jahr" diff --git a/locale/el/LC_MESSAGES/statusnet.po b/locale/el/LC_MESSAGES/statusnet.po index 29420e44e..62184c9ef 100644 --- a/locale/el/LC_MESSAGES/statusnet.po +++ b/locale/el/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:41:33+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:20:22+0000\n" "Language-Team: Greek\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: el\n" "X-Message-Group: out-statusnet\n" @@ -96,7 +96,7 @@ msgstr "Δεν υπάÏχει τέτοια σελίδα" #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -153,7 +153,7 @@ msgid "" "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -384,8 +384,8 @@ msgstr "Το ψευδώνυμο είναι ήδη σε χÏήση. Δοκιμά msgid "Not a valid nickname." msgstr "" -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -397,8 +397,8 @@ msgstr "Η αÏχική σελίδα δεν είναι έγκυÏο URL." msgid "Full name is too long (max 255 chars)." msgstr "Το ονοματεπώνυμο είναι Ï€Î¿Î»Ï Î¼ÎµÎ³Î¬Î»Î¿ (μέγιστο 255 χαÏακτ.)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "Η πεÏιγÏαφή είναι Ï€Î¿Î»Ï Î¼ÎµÎ³Î¬Î»Î· (μέγιστο %d χαÏακτ.)." @@ -475,18 +475,23 @@ msgstr "" msgid "groups on %s" msgstr "ομάδες του χÏήστη %s" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "Μήνυμα" + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -497,74 +502,82 @@ msgstr "" msgid "There was a problem with your session token. Try again, please." msgstr "" -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 msgid "Invalid nickname / password!" msgstr "" -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "Σφάλμα στη βάση δεδομένων κατά την εισαγωγή hashtag: %s" -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "Σφάλμα στη βάση δεδομένων κατά την εισαγωγή hashtag: %s" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "" -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "ΛογαÏιασμός" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Ψευδώνυμο" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Κωδικός" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 msgid "Allow" msgstr "" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -735,8 +748,8 @@ msgstr "" msgid "Preview" msgstr "" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "ΔιαγÏαφή" @@ -785,8 +798,9 @@ msgid "" "will not be notified of any @-replies from them." msgstr "" -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "Όχι" @@ -795,9 +809,9 @@ msgstr "Όχι" msgid "Do not block this user" msgstr "Αδυναμία διαγÏαφής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… μηνÏματος." -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Îαι" @@ -903,6 +917,50 @@ msgstr "Συζήτηση" msgid "Notices" msgstr "" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Ο κωδικός επιβεβαίωσης δεν βÏέθηκε." + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Ομάδες με τα πεÏισσότεÏα μέλη" + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "Δεν υπάÏχει τέτοιο σελίδα." + +#: actions/deleteapplication.php:149 +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Αδυναμία διαγÏαφής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… μηνÏματος." + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "ΠεÏιγÏάψτε την ομάδα ή το θέμα" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -937,7 +995,7 @@ msgstr "Είσαι σίγουÏος ότι θες να διαγÏάψεις αυ msgid "Do not delete this notice" msgstr "Αδυναμία διαγÏαφής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… μηνÏματος." -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "" @@ -1081,7 +1139,7 @@ msgstr "" msgid "Add to favorites" msgstr "" -#: actions/doc.php:155 +#: actions/doc.php:158 #, php-format msgid "No such document \"%s\"" msgstr "" @@ -1095,22 +1153,12 @@ msgstr "Δεν υπάÏχει τέτοιο σελίδα." msgid "You must be logged in to edit an application." msgstr "" -#: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy -msgid "You are not the owner of this application." -msgstr "Ομάδες με τα πεÏισσότεÏα μέλη" - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 #, fuzzy msgid "No such application." msgstr "Δεν υπάÏχει τέτοιο σελίδα." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "" - #: actions/editapplication.php:161 msgid "Use this form to edit your application." msgstr "" @@ -1119,47 +1167,52 @@ msgstr "" msgid "Name is required." msgstr "" -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 #, fuzzy msgid "Name is too long (max 255 chars)." msgstr "Το ονοματεπώνυμο είναι Ï€Î¿Î»Ï Î¼ÎµÎ³Î¬Î»Î¿ (μέγιστο 255 χαÏακτ.)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "Το ψευδώνυμο είναι ήδη σε χÏήση. Δοκιμάστε κάποιο άλλο." + +#: actions/editapplication.php:186 actions/newapplication.php:168 #, fuzzy msgid "Description is required." msgstr "ΠεÏιγÏαφή" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 #, fuzzy msgid "Source URL is not valid." msgstr "Η αÏχική σελίδα δεν είναι έγκυÏο URL." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 #, fuzzy msgid "Organization is too long (max 255 chars)." msgstr "Η τοποθεσία είναι Ï€Î¿Î»Ï Î¼ÎµÎ³Î¬Î»Î· (μέγιστο 255 χαÏακτ.)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 #, fuzzy msgid "Could not update application." msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." @@ -2048,11 +2101,11 @@ msgstr "" msgid "Use this form to register a new application." msgstr "" -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy msgid "Could not create application." msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." @@ -2178,29 +2231,29 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 #, fuzzy msgid "You are not a user of that application." msgstr "Δεν είστε μέλος καμίας ομάδας." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2713,37 +2766,37 @@ msgstr "" msgid "Public timeline" msgstr "" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "" -#: actions/public.php:159 +#: actions/public.php:167 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "Δημόσια Ïοή %s" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2752,7 +2805,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3107,7 +3160,7 @@ msgstr "" msgid "You already repeated that notice." msgstr "Αδυναμία διαγÏαφής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… μηνÏματος." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 #, fuzzy msgid "Repeated" msgstr "ΔημιουÏγία" @@ -3169,6 +3222,11 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "" +#: actions/rsd.php:146 actions/version.php:157 +#, fuzzy +msgid "StatusNet" +msgstr "Η κατάσταση διαγÏάφεται." + #: actions/sandbox.php:65 actions/unsandbox.php:65 msgid "You cannot sandbox users on this site." msgstr "" @@ -3243,42 +3301,42 @@ msgstr "" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3485,25 +3543,25 @@ msgstr "" msgid "FOAF for %s" msgstr "" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3512,7 +3570,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3520,7 +3578,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, php-format msgid "Repeat of %s" msgstr "" @@ -4176,11 +4234,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -#, fuzzy -msgid "StatusNet" -msgstr "Η κατάσταση διαγÏάφεται." - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4302,21 +4355,21 @@ msgstr "" msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:790 +#: classes/Notice.php:788 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "Σφάλμα βάσης δεδομένων κατά την εισαγωγή απάντησης: %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" @@ -4964,20 +5017,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 #, fuzzy msgid "No configuration file found. " msgstr "Ο κωδικός επιβεβαίωσης δεν βÏέθηκε." -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "" @@ -5536,23 +5589,23 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 msgid "Repeated by" msgstr "Επαναλαμβάνεται από" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 #, fuzzy msgid "Notice repeated" msgstr "Ρυθμίσεις OpenID" @@ -5697,6 +5750,10 @@ msgstr "Αδυναμία διαγÏαφής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… μηνÏματος msgid "Repeat this notice" msgstr "Αδυναμία διαγÏαφής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… μηνÏματος." +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "" @@ -5868,47 +5925,47 @@ msgstr "Μήνυμα" msgid "Moderate" msgstr "" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "" diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index c3d5b7b7b..664d647d8 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:41:36+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:20:25+0000\n" "Language-Team: British English\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: out-statusnet\n" @@ -97,7 +97,7 @@ msgstr "No such page" #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -159,7 +159,7 @@ msgstr "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -389,8 +389,8 @@ msgstr "Nickname already in use. Try another one." msgid "Not a valid nickname." msgstr "Not a valid nickname." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -402,8 +402,8 @@ msgstr "Homepage is not a valid URL." msgid "Full name is too long (max 255 chars)." msgstr "Full name is too long (max 255 chars)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "Description is too long (max %d chars)" @@ -480,18 +480,23 @@ msgstr "%s groups" msgid "groups on %s" msgstr "groups on %s" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." -msgstr "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." +msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "Invalid size." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -502,21 +507,21 @@ msgstr "Bad request." msgid "There was a problem with your session token. Try again, please." msgstr "There was a problem with your session token. Try again, please." -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 msgid "Invalid nickname / password!" msgstr "Invalid nickname / password!" -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "DB error deleting OAuth app user." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "DB error inserting OAuth app user." -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " @@ -525,53 +530,61 @@ msgstr "" "The request token %s has been authorised. Please exchange it for an access " "token." -#: actions/apioauthauthorize.php:241 -#, php-format -msgid "The request token %s has been denied." +#: actions/apioauthauthorize.php:227 +#, fuzzy, php-format +msgid "The request token %s has been denied and revoked." msgstr "The request token %s has been denied." -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "Unexpected form submission." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Account" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Nickname" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Password" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "Deny" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 msgid "Allow" msgstr "Allow" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "Allow or deny access to your account information." @@ -740,8 +753,8 @@ msgstr "Original" msgid "Preview" msgstr "Preview" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Delete" @@ -791,8 +804,9 @@ msgstr "" "unsubscribed from you, unable to subscribe to you in the future, and you " "will not be notified of any @-replies from them." -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "No" @@ -800,9 +814,9 @@ msgstr "No" msgid "Do not block this user" msgstr "Do not block this user" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Yes" @@ -906,6 +920,53 @@ msgstr "Conversation" msgid "Notices" msgstr "Notices" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "You must be logged in to create a group." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Notice has no profile" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "You are not a member of this group." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "There was a problem with your session token." + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "No such notice." + +#: actions/deleteapplication.php:149 +#, fuzzy +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" +"Are you sure you want to delete this user? This will clear all data about " +"the user from the database, without a backup." + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Do not delete this notice" + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Delete this notice" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -940,7 +1001,7 @@ msgstr "Are you sure you want to delete this notice?" msgid "Do not delete this notice" msgstr "Do not delete this notice" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "Delete this notice" @@ -1086,7 +1147,7 @@ msgstr "This notice is not a favourite!" msgid "Add to favorites" msgstr "Add to favourites" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "No such document." @@ -1101,22 +1162,12 @@ msgstr "Other options" msgid "You must be logged in to edit an application." msgstr "You must be logged in to create a group." -#: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy -msgid "You are not the owner of this application." -msgstr "You are not a member of this group." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 #, fuzzy msgid "No such application." msgstr "No such notice." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "There was a problem with your session token." - #: actions/editapplication.php:161 #, fuzzy msgid "Use this form to edit your application." @@ -1127,47 +1178,52 @@ msgstr "Use this form to edit the group." msgid "Name is required." msgstr "Same as password above. Required." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 #, fuzzy msgid "Name is too long (max 255 chars)." msgstr "Full name is too long (max 255 chars)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "Nickname already in use. Try another one." + +#: actions/editapplication.php:186 actions/newapplication.php:168 #, fuzzy msgid "Description is required." msgstr "Description" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 #, fuzzy msgid "Source URL is not valid." msgstr "Homepage is not a valid URL." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "Organisation is required." -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 #, fuzzy msgid "Organization is too long (max 255 chars)." msgstr "Location is too long (max 255 chars)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "Organisation homepage is required." -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 #, fuzzy msgid "Could not update application." msgstr "Could not update group." @@ -2110,11 +2166,11 @@ msgstr "You must be logged in to create a group." msgid "Use this form to register a new application." msgstr "Use this form to create a new group." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy msgid "Could not create application." msgstr "Could not create aliases" @@ -2248,29 +2304,29 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 #, fuzzy msgid "You are not a user of that application." msgstr "You are not a member of that group." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "You have not authorised any applications to use your account." -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2782,39 +2838,39 @@ msgstr "Public timeline, page %d" msgid "Public timeline" msgstr "Public timeline" -#: actions/public.php:151 +#: actions/public.php:159 #, fuzzy msgid "Public Stream Feed (RSS 1.0)" msgstr "Public Stream Feed" -#: actions/public.php:155 +#: actions/public.php:163 #, fuzzy msgid "Public Stream Feed (RSS 2.0)" msgstr "Public Stream Feed" -#: actions/public.php:159 +#: actions/public.php:167 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "Public Stream Feed" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2827,7 +2883,7 @@ msgstr "" "tool. [Join now](%%action.register%%) to share notices about yourself with " "friends, family, and colleagues! ([Read more](%%doc.help%%))" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3191,7 +3247,7 @@ msgstr "You can't repeat your own notice." msgid "You already repeated that notice." msgstr "You have already blocked this user." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 #, fuzzy msgid "Repeated" msgstr "Created" @@ -3256,6 +3312,11 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Replies to %1$s on %2$s!" +#: actions/rsd.php:146 actions/version.php:157 +#, fuzzy +msgid "StatusNet" +msgstr "Status deleted." + #: actions/sandbox.php:65 actions/unsandbox.php:65 msgid "You cannot sandbox users on this site." msgstr "You cannot sandbox users on this site." @@ -3332,42 +3393,42 @@ msgstr "Statistics" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3575,19 +3636,19 @@ msgstr "Notice feed for %s" msgid "FOAF for %s" msgstr "FOAF for %s" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, fuzzy, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" "This is the timeline for %s and friends but no one has posted anything yet." -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, fuzzy, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" @@ -3596,7 +3657,7 @@ msgstr "" "You can try to [nudge %s](../%s) from his profile or [post something to his " "or her attention](%%%%action.newnotice%%%%?status_textarea=%s)." -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3605,7 +3666,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3616,7 +3677,7 @@ msgstr "" "wikipedia.org/wiki/Micro-blogging) service based on the Free Software " "[StatusNet](http://status.net/) tool. " -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Replies to %s" @@ -4300,11 +4361,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -#, fuzzy -msgid "StatusNet" -msgstr "Status deleted." - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4431,22 +4487,22 @@ msgstr "You are banned from posting notices on this site." msgid "Problem saving notice." msgstr "Problem saving notice." -#: classes/Notice.php:790 +#: classes/Notice.php:788 #, fuzzy msgid "Problem saving group inbox." msgstr "Problem saving notice." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "DB error inserting reply: %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Welcome to %1$s, @%2$s!" @@ -5105,19 +5161,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 msgid "No configuration file found. " msgstr "No configuration file found" -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "Go to the installer." @@ -5697,24 +5753,24 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "in context" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 #, fuzzy msgid "Repeated by" msgstr "Created" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "Reply to this notice" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "Reply" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 #, fuzzy msgid "Notice repeated" msgstr "Notice deleted." @@ -5860,6 +5916,10 @@ msgstr "Reply to this notice" msgid "Repeat this notice" msgstr "Reply to this notice" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "Sandbox" @@ -6028,47 +6088,47 @@ msgstr "Message" msgid "Moderate" msgstr "" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "a few seconds ago" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "about a minute ago" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "about %d minutes ago" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "about an hour ago" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "about %d hours ago" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "about a day ago" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "about %d days ago" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "about a month ago" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "about %d months ago" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "about a year ago" diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index 387c0868c..2946666aa 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -12,58 +12,52 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:41:39+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:20:28+0000\n" "Language-Team: Spanish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 -#, fuzzy msgid "Access" -msgstr "Aceptar" +msgstr "Acceder" #: actions/accessadminpanel.php:65 -#, fuzzy msgid "Site access settings" -msgstr "Configuración de Avatar" +msgstr "Configuración de acceso de la web" #: actions/accessadminpanel.php:158 -#, fuzzy msgid "Registration" -msgstr "Registrarse" +msgstr "Registro" #: actions/accessadminpanel.php:161 -#, fuzzy msgid "Private" -msgstr "Privacidad" +msgstr "Privado" #: actions/accessadminpanel.php:163 msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" +msgstr "¿Prohibir a los usuarios anónimos (no conectados) ver el sitio ?" #: actions/accessadminpanel.php:167 -#, fuzzy msgid "Invite only" -msgstr "Invitar" +msgstr "Invitar sólo" #: actions/accessadminpanel.php:169 msgid "Make registration invitation only." -msgstr "" +msgstr "Haz que el registro sea sólo con invitaciones." #: actions/accessadminpanel.php:173 -#, fuzzy msgid "Closed" -msgstr "Bloqueado" +msgstr "Cerrado" #: actions/accessadminpanel.php:175 msgid "Disable new registrations." -msgstr "" +msgstr "Inhabilitar nuevos registros." #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 @@ -78,9 +72,8 @@ msgid "Save" msgstr "Guardar" #: actions/accessadminpanel.php:189 -#, fuzzy msgid "Save access settings" -msgstr "Configuración de Avatar" +msgstr "Guardar la configuración de acceso" #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 @@ -103,7 +96,7 @@ msgstr "No existe tal página" #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -114,9 +107,9 @@ msgid "No such user." msgstr "No existe ese usuario." #: actions/all.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s and friends, page %2$d" -msgstr "%s y amigos, página %d" +msgstr "%1$s y amigos, página %2$d" #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 @@ -160,7 +153,7 @@ msgid "" "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -391,8 +384,8 @@ msgstr "El apodo ya existe. Prueba otro." msgid "Not a valid nickname." msgstr "Apodo no válido" -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -404,8 +397,8 @@ msgstr "La página de inicio no es un URL válido." msgid "Full name is too long (max 255 chars)." msgstr "Tu nombre es demasiado largo (max. 255 carac.)" -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "La descripción es demasiado larga (máx. %d caracteres)." @@ -483,18 +476,23 @@ msgstr "Grupos %s" msgid "groups on %s" msgstr "Grupos en %s" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "Tamaño inválido." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -506,76 +504,84 @@ msgid "There was a problem with your session token. Try again, please." msgstr "" "Hubo un problema con tu clave de sesión. Por favor, intenta nuevamente." -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 #, fuzzy msgid "Invalid nickname / password!" msgstr "Usuario o contraseña inválidos." -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "Error al configurar el usuario." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "Error de la BD al insertar la etiqueta clave: %s" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "Envío de formulario inesperado." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Cuenta" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Apodo" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Contraseña" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 #, fuzzy msgid "Allow" msgstr "Todo" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -748,8 +754,8 @@ msgstr "Original" msgid "Preview" msgstr "Vista previa" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Borrar" @@ -798,8 +804,9 @@ msgid "" "will not be notified of any @-replies from them." msgstr "" -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "No" @@ -808,9 +815,9 @@ msgstr "No" msgid "Do not block this user" msgstr "Desbloquear este usuario" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Sí" @@ -916,6 +923,50 @@ msgstr "Conversación" msgid "Notices" msgstr "Avisos" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "Debes estar conectado para editar un grupo." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Aviso sin perfil" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "No eres miembro de este grupo." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "Hubo problemas con tu clave de sesión." + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "No existe ese aviso." + +#: actions/deleteapplication.php:149 +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "No se puede eliminar este aviso." + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Borrar este aviso" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -952,7 +1003,7 @@ msgstr "¿Estás seguro de que quieres eliminar este aviso?" msgid "Do not delete this notice" msgstr "No se puede eliminar este aviso." -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "Borrar este aviso" @@ -1099,7 +1150,7 @@ msgstr "¡Este aviso no es un favorito!" msgid "Add to favorites" msgstr "Agregar a favoritos" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "No existe ese documento." @@ -1114,22 +1165,12 @@ msgstr "Otras opciones" msgid "You must be logged in to edit an application." msgstr "Debes estar conectado para editar un grupo." -#: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy -msgid "You are not the owner of this application." -msgstr "No eres miembro de este grupo." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 #, fuzzy msgid "No such application." msgstr "No existe ese aviso." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "Hubo problemas con tu clave de sesión." - #: actions/editapplication.php:161 #, fuzzy msgid "Use this form to edit your application." @@ -1140,47 +1181,52 @@ msgstr "Usa este formulario para editar el grupo." msgid "Name is required." msgstr "Igual a la contraseña de arriba. Requerida" -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 #, fuzzy msgid "Name is too long (max 255 chars)." msgstr "Tu nombre es demasiado largo (max. 255 carac.)" -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "El apodo ya existe. Prueba otro." + +#: actions/editapplication.php:186 actions/newapplication.php:168 #, fuzzy msgid "Description is required." msgstr "Descripción" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 #, fuzzy msgid "Source URL is not valid." msgstr "La página de inicio no es un URL válido." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 #, fuzzy msgid "Organization is too long (max 255 chars)." msgstr "La ubicación es demasiado larga (máx. 255 caracteres)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 #, fuzzy msgid "Could not update application." msgstr "No se pudo actualizar el grupo." @@ -2126,11 +2172,11 @@ msgstr "Debes estar conectado para crear un grupo" msgid "Use this form to register a new application." msgstr "Usa este formulario para crear un grupo nuevo." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy msgid "Could not create application." msgstr "No se pudo crear favorito." @@ -2265,29 +2311,29 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 #, fuzzy msgid "You are not a user of that application." msgstr "No eres miembro de ese grupo" -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2814,39 +2860,39 @@ msgstr "Línea de tiempo pública, página %d" msgid "Public timeline" msgstr "Línea temporal pública" -#: actions/public.php:151 +#: actions/public.php:159 #, fuzzy msgid "Public Stream Feed (RSS 1.0)" msgstr "Feed del flujo público" -#: actions/public.php:155 +#: actions/public.php:163 #, fuzzy msgid "Public Stream Feed (RSS 2.0)" msgstr "Feed del flujo público" -#: actions/public.php:159 +#: actions/public.php:167 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "Feed del flujo público" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2855,7 +2901,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:238 +#: actions/public.php:246 #, fuzzy, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3228,7 +3274,7 @@ msgstr "No puedes registrarte si no estás de acuerdo con la licencia." msgid "You already repeated that notice." msgstr "Ya has bloqueado este usuario." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 #, fuzzy msgid "Repeated" msgstr "Crear" @@ -3290,6 +3336,11 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Respuestas a %1$s en %2$s!" +#: actions/rsd.php:146 actions/version.php:157 +#, fuzzy +msgid "StatusNet" +msgstr "Status borrado." + #: actions/sandbox.php:65 actions/unsandbox.php:65 #, fuzzy msgid "You cannot sandbox users on this site." @@ -3368,42 +3419,42 @@ msgstr "Estadísticas" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3615,25 +3666,25 @@ msgstr "Feed de avisos de %s" msgid "FOAF for %s" msgstr "Bandeja de salida para %s" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3642,7 +3693,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, fuzzy, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3652,7 +3703,7 @@ msgstr "" "**%s** tiene una cuenta en %%%%site.name%%%%, un servicio [micro-blogging]" "(http://en.wikipedia.org/wiki/Micro-blogging) " -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Respuestas a %s" @@ -4346,11 +4397,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -#, fuzzy -msgid "StatusNet" -msgstr "Status borrado." - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4480,22 +4526,22 @@ msgstr "Tienes prohibido publicar avisos en este sitio." msgid "Problem saving notice." msgstr "Hubo un problema al guardar el aviso." -#: classes/Notice.php:790 +#: classes/Notice.php:788 #, fuzzy msgid "Problem saving group inbox." msgstr "Hubo un problema al guardar el aviso." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "Error de BD al insertar respuesta: %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Bienvenido a %1$s, @%2$s!" @@ -5156,19 +5202,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 msgid "No configuration file found. " msgstr "Ningún archivo de configuración encontrado. " -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "Ir al instalador." @@ -5746,24 +5792,24 @@ msgstr "" msgid "at" msgstr "en" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "en contexto" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 #, fuzzy msgid "Repeated by" msgstr "Crear" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "Responder este aviso." -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "Responder" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 #, fuzzy msgid "Notice repeated" msgstr "Aviso borrado" @@ -5910,6 +5956,10 @@ msgstr "Responder este aviso." msgid "Repeat this notice" msgstr "Responder este aviso." +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 #, fuzzy msgid "Sandbox" @@ -6084,47 +6134,47 @@ msgstr "Mensaje" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "hace unos segundos" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "hace un minuto" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "hace %d minutos" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "hace una hora" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "hace %d horas" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "hace un día" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "hace %d días" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "hace un mes" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "hace %d meses" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "hace un año" diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index a6810ee5b..dc3b469b7 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:41:45+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:20:36+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian\n" "MIME-Version: 1.0\n" @@ -20,7 +20,7 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" #: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 @@ -99,7 +99,7 @@ msgstr "چنین صÙحه‌ای وجود ندارد" #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -160,7 +160,7 @@ msgstr "" "اولین کسی باشید Ú©Ù‡ در [این موضوع](%%%%action.newnotice%%%%?status_textarea=%" "s) پیام می‌Ùرستد." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -388,8 +388,8 @@ msgstr "این لقب در حال حاضر ثبت شده است. لطÙا یکی msgid "Not a valid nickname." msgstr "لقب نا معتبر." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -401,8 +401,8 @@ msgstr "برگهٔ آغازین یک نشانی معتبر نیست." msgid "Full name is too long (max 255 chars)." msgstr "نام کامل طولانی است (Û²ÛµÛµ حر٠در حالت بیشینه(." -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "توصی٠بسیار زیاد است (حداکثر %d حرÙ)." @@ -479,18 +479,23 @@ msgstr "%s گروه" msgid "groups on %s" msgstr "گروه‌ها در %s" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "اندازه‌ی نادرست" + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -501,75 +506,83 @@ msgstr "" msgid "There was a problem with your session token. Try again, please." msgstr "مشکلی در دریاÙت جلسه‌ی شما وجود دارد. لطÙا بعدا سعی کنید." -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 #, fuzzy msgid "Invalid nickname / password!" msgstr "نام کاربری یا کلمه ÛŒ عبور نا معتبر." -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 msgid "Database error deleting OAuth application user." msgstr "" -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 msgid "Database error inserting OAuth application user." msgstr "" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "ارسال غیر قابل انتظار Ùرم." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "حساب کاربری" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "نام کاربری" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "گذرواژه" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 #, fuzzy msgid "Deny" msgstr "طرح" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 #, fuzzy msgid "Allow" msgstr "همه" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -739,8 +752,8 @@ msgstr "اصلی" msgid "Preview" msgstr "پیش‌نمایش" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "حذÙ" @@ -791,8 +804,9 @@ msgstr "" "دنبال کند. همچنین دیگر شما از پیام‌هایی Ú©Ù‡ در آن از شما یاد می‌کند با خبر " "نخواهید شد" -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "خیر" @@ -800,9 +814,9 @@ msgstr "خیر" msgid "Do not block this user" msgstr "کاربر را مسدود Ù†Ú©Ù†" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "بله" @@ -907,6 +921,53 @@ msgstr "مکالمه" msgid "Notices" msgstr "پیام‌ها" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "برای ویرایش گروه باید وارد شوید." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "ابن خبر ذخیره ای ندارد ." + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "شما یک عضو این گروه نیستید." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "چنین پیامی وجود ندارد." + +#: actions/deleteapplication.php:149 +#, fuzzy +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" +"آیا مطمئن هستید Ú©Ù‡ می‌خواهید این کاربر را پاک کنید؟ با این کار تمام اطلاعات " +"پاک Ùˆ بدون برگشت خواهند بود." + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "این پیام را پاک Ù†Ú©Ù†" + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "این پیام را پاک Ú©Ù†" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -941,7 +1002,7 @@ msgstr "آیا اطمینان دارید Ú©Ù‡ می‌خواهید این پیا msgid "Do not delete this notice" msgstr "این پیام را پاک Ù†Ú©Ù†" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "این پیام را پاک Ú©Ù†" @@ -1085,7 +1146,7 @@ msgstr "این Ø¢Ú¯Ù‡ÛŒ یک Ø¢Ú¯Ù‡ÛŒ برگزیده نیست!" msgid "Add to favorites" msgstr "اÙزودن به علاقه‌مندی‌ها" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "چنین سندی وجود ندارد." @@ -1100,22 +1161,12 @@ msgstr "انتخابات دیگر" msgid "You must be logged in to edit an application." msgstr "برای ویرایش گروه باید وارد شوید." -#: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy -msgid "You are not the owner of this application." -msgstr "شما یک عضو این گروه نیستید." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 #, fuzzy msgid "No such application." msgstr "چنین پیامی وجود ندارد." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "" - #: actions/editapplication.php:161 #, fuzzy msgid "Use this form to edit your application." @@ -1125,46 +1176,51 @@ msgstr "از این روش برای ویرایش گروه استÙاده Ú©Ù†ÛŒ msgid "Name is required." msgstr "" -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 #, fuzzy msgid "Name is too long (max 255 chars)." msgstr "نام کامل طولانی است (Û²ÛµÛµ حر٠در حالت بیشینه(." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "این لقب در حال حاضر ثبت شده است. لطÙا یکی دیگر انتخاب کنید." + +#: actions/editapplication.php:186 actions/newapplication.php:168 msgid "Description is required." msgstr "" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 #, fuzzy msgid "Source URL is not valid." msgstr "برگهٔ آغازین یک نشانی معتبر نیست." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 #, fuzzy msgid "Organization is too long (max 255 chars)." msgstr "مکان طولانی است (حداکثر Û²ÛµÛµ حرÙ)" -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 #, fuzzy msgid "Could not update application." msgstr "نمی‌توان گروه را به‌هنگام‌سازی کرد." @@ -2060,11 +2116,11 @@ msgstr "برای ساخت یک گروه، باید وارد شده باشید." msgid "Use this form to register a new application." msgstr "از این Ùرم برای ساختن یک گروه جدید استÙاده کنید" -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy msgid "Could not create application." msgstr "نمی‌توان نام‌های مستعار را ساخت." @@ -2200,29 +2256,29 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 #, fuzzy msgid "You are not a user of that application." msgstr "شما یک کاربر این گروه نیستید." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2726,36 +2782,36 @@ msgstr "خط زمانی عمومی، صÙحه‌ی %d" msgid "Public timeline" msgstr "خط زمانی عمومی" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "" -#: actions/public.php:159 +#: actions/public.php:167 msgid "Public Stream Feed (Atom)" msgstr "" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "اولین کسی باشید Ú©Ù‡ پیام می‌Ùرستد!" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "چرا [ثبت نام](%%action.register%%) نمی‌کنید Ùˆ اولین پیام را نمی‌Ùرستید؟" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2764,7 +2820,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3101,7 +3157,7 @@ msgstr "شما نمی توانید Ø¢Ú¯Ù‡ÛŒ خودتان را تکرار Ú©Ù†ÛŒ msgid "You already repeated that notice." msgstr "شما قبلا آن Ø¢Ú¯Ù‡ÛŒ را تکرار کردید." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 msgid "Repeated" msgstr "" @@ -3163,6 +3219,11 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "" +#: actions/rsd.php:146 actions/version.php:157 +#, fuzzy +msgid "StatusNet" +msgstr "وضعیت حذ٠شد." + #: actions/sandbox.php:65 actions/unsandbox.php:65 msgid "You cannot sandbox users on this site." msgstr "" @@ -3239,43 +3300,43 @@ msgstr "آمار" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 #, fuzzy msgid "Authorize URL" msgstr "مؤلÙ" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3480,12 +3541,12 @@ msgstr "" msgid "FOAF for %s" msgstr "" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, fuzzy, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "این خط‌زمانی %s Ùˆ دوستانش است، اما هیچ‌یک تاکنون چیزی پست نکرده‌اند." -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -3493,7 +3554,7 @@ msgstr "" "اخیرا چیز جالب توجه ای دیده اید؟ شما تا کنون Ø¢Ú¯Ù‡ÛŒ ارسال نکرده اید، الان Ù…ÛŒ " "تواند زمان خوبی برای شروع باشد :)" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, fuzzy, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" @@ -3502,7 +3563,7 @@ msgstr "" "اولین کسی باشید Ú©Ù‡ در [این موضوع](%%%%action.newnotice%%%%?status_textarea=%" "s) پیام می‌Ùرستد." -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3511,7 +3572,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3519,7 +3580,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, php-format msgid "Repeat of %s" msgstr "" @@ -4166,11 +4227,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -#, fuzzy -msgid "StatusNet" -msgstr "وضعیت حذ٠شد." - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4295,22 +4351,22 @@ msgstr "شما از Ùرستادن پست در این سایت مردود شدی msgid "Problem saving notice." msgstr "مشکل در ذخیره کردن Ø¢Ú¯Ù‡ÛŒ." -#: classes/Notice.php:790 +#: classes/Notice.php:788 #, fuzzy msgid "Problem saving group inbox." msgstr "مشکل در ذخیره کردن Ø¢Ú¯Ù‡ÛŒ." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "خوش امدید به %1$s , @%2$s!" @@ -4951,19 +5007,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 msgid "No configuration file found. " msgstr "" -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "شما ممکن است بخواهید نصاب را اجرا کنید تا این را تعمیر کند." -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "برو به نصاب." @@ -5526,23 +5582,23 @@ msgstr "" msgid "at" msgstr "در" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "در زمینه" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 msgid "Repeated by" msgstr "تکرار از" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "به این Ø¢Ú¯Ù‡ÛŒ جواب دهید" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "جواب دادن" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 msgid "Notice repeated" msgstr "Ø¢Ú¯Ù‡ÛŒ تکرار شد" @@ -5684,6 +5740,10 @@ msgstr "به این Ø¢Ú¯Ù‡ÛŒ جواب دهید" msgid "Repeat this notice" msgstr "" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "" @@ -5849,47 +5909,47 @@ msgstr "پیام" msgid "Moderate" msgstr "" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "چند ثانیه پیش" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "حدود یک دقیقه پیش" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "حدود %d دقیقه پیش" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "حدود یک ساعت پیش" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "حدود %d ساعت پیش" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "حدود یک روز پیش" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "حدود %d روز پیش" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "حدود یک ماه پیش" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "حدود %d ماه پیش" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "حدود یک سال پیش" diff --git a/locale/fi/LC_MESSAGES/statusnet.po b/locale/fi/LC_MESSAGES/statusnet.po index 57cd6956e..daa2c1cbe 100644 --- a/locale/fi/LC_MESSAGES/statusnet.po +++ b/locale/fi/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:41:42+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:20:32+0000\n" "Language-Team: Finnish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: out-statusnet\n" @@ -101,7 +101,7 @@ msgstr "Sivua ei ole." #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -164,7 +164,7 @@ msgstr "" "Ole ensimmäinen joka [lähettää päivityksen tästä aiheesta] (%%%%action." "newnotice%%%%?status_textarea=%s)!" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -400,8 +400,8 @@ msgstr "Tunnus on jo käytössä. Yritä toista tunnusta." msgid "Not a valid nickname." msgstr "Tuo ei ole kelvollinen tunnus." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -413,8 +413,8 @@ msgstr "Kotisivun verkko-osoite ei ole toimiva." msgid "Full name is too long (max 255 chars)." msgstr "Koko nimi on liian pitkä (max 255 merkkiä)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "kuvaus on liian pitkä (max 140 merkkiä)." @@ -491,18 +491,23 @@ msgstr "Käyttäjän %s ryhmät" msgid "groups on %s" msgstr "Ryhmän toiminnot" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "Koko ei kelpaa." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -515,77 +520,85 @@ msgstr "" "Istuntosi avaimen kanssa oli ongelmia. Olisitko ystävällinen ja kokeilisit " "uudelleen." -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 #, fuzzy msgid "Invalid nickname / password!" msgstr "Käyttäjätunnus tai salasana ei kelpaa." -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "Virhe tapahtui käyttäjän asettamisessa." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "Tietokantavirhe tallennettaessa risutagiä: %s" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "Odottamaton lomakkeen lähetys." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Käyttäjätili" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Tunnus" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Salasana" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 #, fuzzy msgid "Deny" msgstr "Ulkoasu" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 #, fuzzy msgid "Allow" msgstr "Kaikki" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -757,8 +770,8 @@ msgstr "Alkuperäinen" msgid "Preview" msgstr "Esikatselu" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Poista" @@ -806,8 +819,9 @@ msgid "" "will not be notified of any @-replies from them." msgstr "" -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "Ei" @@ -815,9 +829,9 @@ msgstr "Ei" msgid "Do not block this user" msgstr "Älä estä tätä käyttäjää" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Kyllä" @@ -923,6 +937,51 @@ msgstr "Keskustelu" msgid "Notices" msgstr "Päivitykset" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "" +"Sinun pitää olla kirjautunut sisään, jotta voit muuttaa ryhmän tietoja." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Päivitykselle ei ole profiilia" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Sinä et kuulu tähän ryhmään." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "Istuntoavaimesi kanssa oli ongelma." + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "Päivitystä ei ole." + +#: actions/deleteapplication.php:149 +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Älä poista tätä päivitystä" + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Poista tämä päivitys" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -957,7 +1016,7 @@ msgstr "Oletko varma että haluat poistaa tämän päivityksen?" msgid "Do not delete this notice" msgstr "Älä poista tätä päivitystä" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "Poista tämä päivitys" @@ -1106,7 +1165,7 @@ msgstr "Tämä päivitys ei ole suosikki!" msgid "Add to favorites" msgstr "Lisää suosikkeihin" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "Dokumenttia ei ole." @@ -1122,22 +1181,12 @@ msgid "You must be logged in to edit an application." msgstr "" "Sinun pitää olla kirjautunut sisään, jotta voit muuttaa ryhmän tietoja." -#: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy -msgid "You are not the owner of this application." -msgstr "Sinä et kuulu tähän ryhmään." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 #, fuzzy msgid "No such application." msgstr "Päivitystä ei ole." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "Istuntoavaimesi kanssa oli ongelma." - #: actions/editapplication.php:161 #, fuzzy msgid "Use this form to edit your application." @@ -1148,47 +1197,52 @@ msgstr "Käytä tätä lomaketta muokataksesi ryhmää." msgid "Name is required." msgstr "Sama kuin ylläoleva salasana. Pakollinen." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 #, fuzzy msgid "Name is too long (max 255 chars)." msgstr "Koko nimi on liian pitkä (max 255 merkkiä)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "Tunnus on jo käytössä. Yritä toista tunnusta." + +#: actions/editapplication.php:186 actions/newapplication.php:168 #, fuzzy msgid "Description is required." msgstr "Kuvaus" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 #, fuzzy msgid "Source URL is not valid." msgstr "Kotisivun verkko-osoite ei ole toimiva." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 #, fuzzy msgid "Organization is too long (max 255 chars)." msgstr "Kotipaikka on liian pitkä (max 255 merkkiä)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 #, fuzzy msgid "Could not update application." msgstr "Ei voitu päivittää ryhmää." @@ -2126,11 +2180,11 @@ msgstr "Sinun pitää olla kirjautunut sisään jotta voit luoda ryhmän." msgid "Use this form to register a new application." msgstr "Käytä tätä lomaketta luodaksesi ryhmän." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy msgid "Could not create application." msgstr "Ei voitu lisätä aliasta." @@ -2265,29 +2319,29 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 #, fuzzy msgid "You are not a user of that application." msgstr "Sinä et kuulu tähän ryhmään." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2812,36 +2866,36 @@ msgstr "Julkinen aikajana, sivu %d" msgid "Public timeline" msgstr "Julkinen aikajana" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "Julkinen syöte (RSS 1.0)" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "Julkisen Aikajanan Syöte (RSS 2.0)" -#: actions/public.php:159 +#: actions/public.php:167 msgid "Public Stream Feed (Atom)" msgstr "Julkinen syöte (Atom)" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "Ole ensimmäinen joka lähettää päivityksen!" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2850,7 +2904,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:238 +#: actions/public.php:246 #, fuzzy, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3223,7 +3277,7 @@ msgstr "Et voi rekisteröityä, jos et hyväksy lisenssiehtoja." msgid "You already repeated that notice." msgstr "Sinä olet jo estänyt tämän käyttäjän." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 #, fuzzy msgid "Repeated" msgstr "Luotu" @@ -3289,6 +3343,11 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Viesti käyttäjälle %1$s, %2$s" +#: actions/rsd.php:146 actions/version.php:157 +#, fuzzy +msgid "StatusNet" +msgstr "Päivitys poistettu." + #: actions/sandbox.php:65 actions/unsandbox.php:65 #, fuzzy msgid "You cannot sandbox users on this site." @@ -3368,42 +3427,42 @@ msgstr "Tilastot" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3610,20 +3669,20 @@ msgstr "Päivityksien syöte käyttäjälle %s" msgid "FOAF for %s" msgstr "Käyttäjän %s lähetetyt viestit" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, fuzzy, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" "Tämä on käyttäjän %s aikajana, mutta %s ei ole lähettänyt vielä yhtään " "päivitystä." -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, fuzzy, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" @@ -3632,7 +3691,7 @@ msgstr "" "Ole ensimmäinen joka [lähettää päivityksen tästä aiheesta] (%%%%action." "newnotice%%%%?status_textarea=%s)!" -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3641,7 +3700,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, fuzzy, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3651,7 +3710,7 @@ msgstr "" "Käyttäjällä **%s** on käyttäjätili palvelussa %%%%site.name%%%%, joka on " "[mikroblogauspalvelu](http://en.wikipedia.org/wiki/Micro-blogging)" -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Vastaukset käyttäjälle %s" @@ -4338,11 +4397,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -#, fuzzy -msgid "StatusNet" -msgstr "Päivitys poistettu." - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4470,22 +4524,22 @@ msgstr "Päivityksesi tähän palveluun on estetty." msgid "Problem saving notice." msgstr "Ongelma päivityksen tallentamisessa." -#: classes/Notice.php:790 +#: classes/Notice.php:788 #, fuzzy msgid "Problem saving group inbox." msgstr "Ongelma päivityksen tallentamisessa." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "Tietokantavirhe tallennettaessa vastausta: %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" -#: classes/User.php:382 +#: classes/User.php:385 #, fuzzy, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Viesti käyttäjälle %1$s, %2$s" @@ -5151,20 +5205,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 #, fuzzy msgid "No configuration file found. " msgstr "Varmistuskoodia ei ole annettu." -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:135 +#: lib/common.php:139 #, fuzzy msgid "Go to the installer." msgstr "Kirjaudu sisään palveluun" @@ -5749,25 +5803,25 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 #, fuzzy msgid "in context" msgstr "Ei sisältöä!" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 #, fuzzy msgid "Repeated by" msgstr "Luotu" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "Vastaa tähän päivitykseen" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "Vastaus" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 #, fuzzy msgid "Notice repeated" msgstr "Päivitys on poistettu." @@ -5916,6 +5970,10 @@ msgstr "Vastaa tähän päivitykseen" msgid "Repeat this notice" msgstr "Vastaa tähän päivitykseen" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 #, fuzzy msgid "Sandbox" @@ -6093,47 +6151,47 @@ msgstr "Viesti" msgid "Moderate" msgstr "" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "muutama sekunti sitten" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "noin minuutti sitten" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "noin %d minuuttia sitten" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "noin tunti sitten" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "noin %d tuntia sitten" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "noin päivä sitten" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "noin %d päivää sitten" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "noin kuukausi sitten" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "noin %d kuukautta sitten" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "noin vuosi sitten" diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index 95aea43db..b6c896cf0 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -14,12 +14,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:41:48+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:20:39+0000\n" "Language-Team: French\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: out-statusnet\n" @@ -98,7 +98,7 @@ msgstr "Page non trouvée" #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -162,7 +162,7 @@ msgstr "" "profil ou [poster quelque chose à son intention](%%%%action.newnotice%%%%?" "status_textarea=%3$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -394,8 +394,8 @@ msgstr "Pseudo déjà utilisé. Essayez-en un autre." msgid "Not a valid nickname." msgstr "Pseudo invalide." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -407,8 +407,8 @@ msgstr "L’adresse du site personnel n’est pas un URL valide. " msgid "Full name is too long (max 255 chars)." msgstr "Nom complet trop long (maximum de 255 caractères)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "La description est trop longue (%d caractères maximum)." @@ -485,18 +485,23 @@ msgstr "Groupes de %s" msgid "groups on %s" msgstr "groupes sur %s" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." -msgstr "Requête invalide." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." +msgstr "" + +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "Taille incorrecte." -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -509,22 +514,22 @@ msgstr "" "Un problème est survenu avec votre jeton de session. Veuillez essayer à " "nouveau." -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 msgid "Invalid nickname / password!" msgstr "Identifiant ou mot de passe incorrect !" -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 msgid "Database error deleting OAuth application user." msgstr "" "Erreur de la base de données lors de la suppression de l'utilisateur de " "l'application OAuth." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 msgid "Database error inserting OAuth application user." msgstr "" "Erreur de base de donnée en insérant l'utilisateur de l'application OAuth" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " @@ -533,54 +538,62 @@ msgstr "" "Le jeton de connexion %s a été autorisé. Merci de l'échanger contre un jeton " "d'accès." -#: actions/apioauthauthorize.php:241 -#, php-format -msgid "The request token %s has been denied." +#: actions/apioauthauthorize.php:227 +#, fuzzy, php-format +msgid "The request token %s has been denied and revoked." msgstr "Le jeton de connexion %s a été refusé." -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "Soumission de formulaire inattendue." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" "Une application vous demande l'autorisation de se connecter à votre compte" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "Autoriser ou refuser l'accès" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Compte" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Pseudo" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Mot de passe" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "Refuser" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 msgid "Allow" msgstr "Autoriser" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "Autoriser ou refuser l'accès à votre compte." @@ -753,8 +766,8 @@ msgstr "Image originale" msgid "Preview" msgstr "Aperçu" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Supprimer" @@ -804,8 +817,9 @@ msgstr "" "sera plus abonné à votre compte, ne pourra plus s’y abonner de nouveau, et " "vous ne serez pas informé des @-réponses de sa part." -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "Non" @@ -813,9 +827,9 @@ msgstr "Non" msgid "Do not block this user" msgstr "Ne pas bloquer cet utilisateur" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Oui" @@ -919,6 +933,52 @@ msgstr "Conversation" msgid "Notices" msgstr "Avis" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "Vous devez être connecté pour modifier une application." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Informations sur l'application" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +msgid "You are not the owner of this application." +msgstr "Vous n'êtes pas le propriétaire de cette application." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "Un problème est survenu avec votre jeton de session." + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "Modifier votre application" + +#: actions/deleteapplication.php:149 +#, fuzzy +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" +"Êtes-vous certain de vouloir supprimer cet utilisateur ? Ceci effacera " +"toutes les données à son propos de la base de données, sans sauvegarde." + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Ne pas supprimer cet avis" + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Icône pour cette application" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -953,7 +1013,7 @@ msgstr "Êtes-vous sûr(e) de vouloir supprimer cet avis ?" msgid "Do not delete this notice" msgstr "Ne pas supprimer cet avis" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "Supprimer cet avis" @@ -1097,7 +1157,7 @@ msgstr "Cet avis n’est pas un favori !" msgid "Add to favorites" msgstr "Ajouter aux favoris" -#: actions/doc.php:155 +#: actions/doc.php:158 #, php-format msgid "No such document \"%s\"" msgstr "Document « %s » non trouvé." @@ -1110,20 +1170,11 @@ msgstr "Modifier l'application" msgid "You must be logged in to edit an application." msgstr "Vous devez être connecté pour modifier une application." -#: actions/editapplication.php:77 actions/showapplication.php:94 -msgid "You are not the owner of this application." -msgstr "Vous n'êtes pas le propriétaire de cette application." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 msgid "No such application." msgstr "Pas d'application." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "Un problème est survenu avec votre jeton de session." - #: actions/editapplication.php:161 msgid "Use this form to edit your application." msgstr "Utilisez ce formulaire pour modifier votre application." @@ -1132,43 +1183,48 @@ msgstr "Utilisez ce formulaire pour modifier votre application." msgid "Name is required." msgstr "Le nom est requis." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 msgid "Name is too long (max 255 chars)." msgstr "Le nom est trop long (maximum de 255 caractères)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "Pseudo déjà utilisé. Essayez-en un autre." + +#: actions/editapplication.php:186 actions/newapplication.php:168 msgid "Description is required." msgstr "Description requise." -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "L'URL source est trop longue." -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Source URL is not valid." msgstr "URL source invalide." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "Organisation requise." -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization is too long (max 255 chars)." msgstr "Organisation trop longue (maximum de 255 caractères)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "La page d'accueil de l'organisation est requise." -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "Le Callback est trop long." -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "URL de rappel invalide." -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 msgid "Could not update application." msgstr "Impossible de mettre à jour l'application." @@ -2117,11 +2173,11 @@ msgstr "Vous devez être connecté pour enregistrer une application." msgid "Use this form to register a new application." msgstr "Utilisez ce formulaire pour inscrire une nouvelle application." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "URL source requise." -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 msgid "Could not create application." msgstr "Impossible de créer l'application." @@ -2254,32 +2310,35 @@ msgstr "Applications que vous avez enregistré" #: actions/oauthappssettings.php:135 #, php-format msgid "You have not registered any applications yet." -msgstr "" +msgstr "Vous n'avez encore enregistré aucune application." -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "Applications connectées." -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" +"Vous avez autorisé les applications suivantes à accéder à votre compte." -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 msgid "You are not a user of that application." msgstr "Vous n'êtes pas un utilisateur de cette application." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " -msgstr "" +msgstr "Impossible d'annuler l'accès de l'application : " -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "Vous n'avez autorisé aucune application à utiliser votre compte." -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" +"Les programmeurs peuvent modifier les paramètres d'enregistrement pour leurs " +"applications " #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" @@ -2364,9 +2423,9 @@ msgid "Login token expired." msgstr "Jeton d'identification périmé." #: actions/outbox.php:58 -#, fuzzy, php-format +#, php-format msgid "Outbox for %1$s - page %2$d" -msgstr "Boîte d’envoi de %s" +msgstr "Boîte d’envoi de %1$s - page %2$d" #: actions/outbox.php:61 #, php-format @@ -2781,19 +2840,19 @@ msgstr "Flux public - page %d" msgid "Public timeline" msgstr "Flux public" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "Fil du flux public (RSS 1.0)" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "Fil du flux public (RSS 2.0)" -#: actions/public.php:159 +#: actions/public.php:167 msgid "Public Stream Feed (Atom)" msgstr "Fil du flux public (Atom)" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2802,11 +2861,11 @@ msgstr "" "Ceci est la chronologie publique de %%site.name%% mais personne n’a encore " "rien posté." -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "Soyez le premier à poster !" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2814,7 +2873,7 @@ msgstr "" "Pourquoi ne pas [créer un compte](%%action.register%%) et être le premier à " "poster !" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2828,7 +2887,7 @@ msgstr "" "vous avec vos amis, famille et collègues ! ([Plus d’informations](%%doc.help%" "%))" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3199,7 +3258,7 @@ msgstr "Vous ne pouvez pas reprendre votre propre avis." msgid "You already repeated that notice." msgstr "Vous avez déjà repris cet avis." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 msgid "Repeated" msgstr "Repris" @@ -3214,9 +3273,9 @@ msgid "Replies to %s" msgstr "Réponses à %s" #: actions/replies.php:127 -#, fuzzy, php-format +#, php-format msgid "Replies to %1$s, page %2$d" -msgstr "Réponses à %1$s sur %2$s !" +msgstr "Réponses à %1$s, page %2$d" #: actions/replies.php:144 #, php-format @@ -3267,6 +3326,10 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Réponses à %1$s sur %2$s !" +#: actions/rsd.php:146 actions/version.php:157 +msgid "StatusNet" +msgstr "StatusNet" + #: actions/sandbox.php:65 actions/unsandbox.php:65 msgid "You cannot sandbox users on this site." msgstr "" @@ -3282,9 +3345,8 @@ msgid "Sessions" msgstr "Sessions" #: actions/sessionsadminpanel.php:65 -#, fuzzy msgid "Session settings for this StatusNet site." -msgstr "Paramètres de conception pour ce site StatusNet." +msgstr "Paramètres de session pour ce site StatusNet." #: actions/sessionsadminpanel.php:175 msgid "Handle sessions" @@ -3339,52 +3401,54 @@ msgid "Statistics" msgstr "Statistiques" #: actions/showapplication.php:204 -#, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" -msgstr "" +#, fuzzy, php-format +msgid "Created by %1$s - %2$s access by default - %3$d users" +msgstr "créé par %1$s - accès %2$s par défaut - %3$d utilisateurs" #: actions/showapplication.php:214 msgid "Application actions" -msgstr "" +msgstr "Actions de l'application" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" -msgstr "" +msgstr "Réinitialiser la clé et le secret" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "Informations sur l'application" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" -msgstr "" +msgstr "Clé de l'utilisateur" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" -msgstr "" +msgstr "Secret de l'utilisateur" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "URL du jeton de requête" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "URL du jeton d'accès" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "Autoriser l'URL" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +"Note : Nous utilisons les signatures HMAC-SHA1. Nous n'utilisons pas la " +"méthode de signature en texte clair." #: actions/showfavorites.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s's favorite notices, page %2$d" -msgstr "Avis favoris de %s" +msgstr "Avis favoris de %1$s, page %2$d" #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." @@ -3444,9 +3508,9 @@ msgid "%s group" msgstr "Groupe %s" #: actions/showgroup.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s group, page %2$d" -msgstr "Membres du groupe %1$s - page %2$d" +msgstr "Groupe %1$s, page %2$d" #: actions/showgroup.php:218 msgid "Group profile" @@ -3571,9 +3635,9 @@ msgid " tagged %s" msgstr " marqué %s" #: actions/showstream.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s, page %2$d" -msgstr "%1$s profils bloqués, page %2$d" +msgstr "%1$s, page %2$d" #: actions/showstream.php:122 #, php-format @@ -3600,13 +3664,13 @@ msgstr "Flux des avis de %s (Atom)" msgid "FOAF for %s" msgstr "ami d’un ami pour %s" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" "Ceci est la chronologie de %1$s mais %2$s n’a rien publié pour le moment." -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -3614,7 +3678,7 @@ msgstr "" "Avez-vous vu quelque chose d’intéressant récemment ? Vous n’avez pas publié " "d’avis pour le moment, vous pourriez commencer maintenant :)" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" @@ -3623,7 +3687,7 @@ msgstr "" "Vous pouvez essayer de faire un clin d’œil à %1$s ou de [poster quelque " "chose à son intention](%%%%action.newnotice%%%%?status_textarea=%2$s)." -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3637,7 +3701,7 @@ msgstr "" "register%%%%) pour suivre les avis de **%s** et bien plus ! ([En lire plus](%" "%%%doc.help%%%%))" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3648,7 +3712,7 @@ msgstr "" "wikipedia.org/wiki/Microblog) basé sur le logiciel libre [StatusNet](http://" "status.net/). " -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, php-format msgid "Repeat of %s" msgstr "Reprises de %s" @@ -4013,9 +4077,9 @@ msgid "SMS" msgstr "SMS" #: actions/tag.php:68 -#, fuzzy, php-format +#, php-format msgid "Notices tagged with %1$s, page %2$d" -msgstr "Utilisateurs marqués par eux-mêmes avec %1$s - page %2$d" +msgstr "Avis marqués avec %1$s, page %2$d" #: actions/tag.php:86 #, php-format @@ -4302,9 +4366,9 @@ msgid "Enjoy your hotdog!" msgstr "Bon appétit !" #: actions/usergroups.php:64 -#, fuzzy, php-format +#, php-format msgid "%1$s groups, page %2$d" -msgstr "Membres du groupe %1$s - page %2$d" +msgstr "Groupes %1$s, page %2$d" #: actions/usergroups.php:130 msgid "Search for more groups" @@ -4336,10 +4400,6 @@ msgstr "" "Ce site est propulsé par %1$s, version %2$s, Copyright 2008-2010 StatusNet, " "Inc. et ses contributeurs." -#: actions/version.php:157 -msgid "StatusNet" -msgstr "StatusNet" - #: actions/version.php:161 msgid "Contributors" msgstr "Contributeurs" @@ -4473,22 +4533,21 @@ msgstr "Il vous est interdit de poster des avis sur ce site." msgid "Problem saving notice." msgstr "Problème lors de l’enregistrement de l’avis." -#: classes/Notice.php:790 -#, fuzzy +#: classes/Notice.php:788 msgid "Problem saving group inbox." -msgstr "Problème lors de l’enregistrement de l’avis." +msgstr "Problème lors de l’enregistrement de la boîte de réception du groupe." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "Erreur de base de donnée en insérant la réponse :%s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Bienvenue à %1$s, @%2$s !" @@ -4687,16 +4746,20 @@ msgstr "Licence du contenu du site" #: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." -msgstr "" +msgstr "Le contenu et les données de %1$s sont privés et confidentiels." #: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" +"Le contenu et les données sont sous le droit d'auteur de %1$s. Tous droits " +"réservés." #: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" +"Le contenu et les données sont sous le droit d'auteur du contributeur. Tous " +"droits réservés." #: lib/action.php:826 msgid "All " @@ -4759,18 +4822,21 @@ msgid "Paths configuration" msgstr "Configuration des chemins" #: lib/adminpanelaction.php:337 -#, fuzzy msgid "Sessions configuration" -msgstr "Configuration de la conception" +msgstr "Configuration des sessions" #: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" +"La ressource de l'API a besoin de l'accès en lecture et en écriture, mais " +"vous n'y avez accès qu'en lecture." #: lib/apiauth.php:279 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" +"L'essai d'authentification de l'API a échoué ; identifiant = %1$s, proxy = %2" +"$s, ip = %3$s" #: lib/applicationeditform.php:136 msgid "Edit application" @@ -5172,20 +5238,20 @@ msgstr "" "tracks - pas encore implémenté.\n" "tracking - pas encore implémenté.\n" -#: lib/common.php:131 +#: lib/common.php:135 msgid "No configuration file found. " msgstr "Aucun fichier de configuration n’a été trouvé. " -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" "J’ai cherché des fichiers de configuration dans les emplacements suivants : " -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "Vous pouvez essayer de lancer l’installeur pour régler ce problème." -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "Aller au programme d’installation" @@ -5835,23 +5901,23 @@ msgstr "O" msgid "at" msgstr "chez" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "dans le contexte" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 msgid "Repeated by" msgstr "Repris par" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "Répondre à cet avis" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "Répondre" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 msgid "Notice repeated" msgstr "Avis repris" @@ -5992,6 +6058,10 @@ msgstr "Reprendre cet avis ?" msgid "Repeat this notice" msgstr "Reprendre cet avis" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "Bac à sable" @@ -6157,47 +6227,47 @@ msgstr "Message" msgid "Moderate" msgstr "Modérer" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "il y a quelques secondes" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "il y a 1 minute" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "il y a %d minutes" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "il y a 1 heure" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "il y a %d heures" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "il y a 1 jour" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "il y a %d jours" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "il y a 1 mois" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "il y a %d mois" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "il y a environ 1 an" diff --git a/locale/ga/LC_MESSAGES/statusnet.po b/locale/ga/LC_MESSAGES/statusnet.po index adcf8316b..1a129f69a 100644 --- a/locale/ga/LC_MESSAGES/statusnet.po +++ b/locale/ga/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:41:51+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:20:42+0000\n" "Language-Team: Irish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ga\n" "X-Message-Group: out-statusnet\n" @@ -101,7 +101,7 @@ msgstr "Non existe a etiqueta." #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -158,7 +158,7 @@ msgid "" "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -397,8 +397,8 @@ msgstr "O alcume xa está sendo empregado por outro usuario. Tenta con outro." msgid "Not a valid nickname." msgstr "Non é un alcume válido." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -410,8 +410,8 @@ msgstr "A páxina persoal semella que non é unha URL válida." msgid "Full name is too long (max 255 chars)." msgstr "O nome completo é demasiado longo (max 255 car)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "O teu Bio é demasiado longo (max 140 car.)." @@ -489,18 +489,23 @@ msgstr "" msgid "groups on %s" msgstr "Outras opcions" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "Tamaño inválido." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -511,77 +516,85 @@ msgstr "" msgid "There was a problem with your session token. Try again, please." msgstr "Houbo un problema co teu token de sesión. Tentao de novo, anda..." -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 #, fuzzy msgid "Invalid nickname / password!" msgstr "Usuario ou contrasinal inválidos." -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "Acounteceu un erro configurando o usuario." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "Erro ó inserir o hashtag na BD: %s" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "Envio de formulario non esperada." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 #, fuzzy msgid "Account" msgstr "Sobre" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Alcume" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Contrasinal" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 #, fuzzy msgid "Allow" msgstr "Todos" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -757,8 +770,8 @@ msgstr "" msgid "Preview" msgstr "" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 #, fuzzy msgid "Delete" msgstr "eliminar" @@ -811,8 +824,9 @@ msgstr "" "do teur perfil, non será capaz de suscribirse a ti nun futuro, e non vas a " "ser notificado de ningunha resposta-@ del." -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "No" @@ -821,9 +835,9 @@ msgstr "No" msgid "Do not block this user" msgstr "Bloquear usuario" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Si" @@ -934,6 +948,51 @@ msgstr "Código de confirmación." msgid "Notices" msgstr "Chíos" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "Debes estar logueado para invitar a outros usuarios a empregar %s" + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "O chío non ten perfil" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Non estás suscrito a ese perfil" + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +#, fuzzy +msgid "There was a problem with your session token." +msgstr "Houbo un problema co teu token de sesión. Tentao de novo, anda..." + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "Ningún chío." + +#: actions/deleteapplication.php:149 +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Non se pode eliminar este chíos." + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Eliminar chío" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -970,7 +1029,7 @@ msgstr "Estas seguro que queres eliminar este chío?" msgid "Do not delete this notice" msgstr "Non se pode eliminar este chíos." -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 #, fuzzy msgid "Delete this notice" msgstr "Eliminar chío" @@ -1124,7 +1183,7 @@ msgstr "Este chío non é un favorito!" msgid "Add to favorites" msgstr "Engadir a favoritos" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "Ningún documento." @@ -1139,23 +1198,12 @@ msgstr "Outras opcions" msgid "You must be logged in to edit an application." msgstr "Debes estar logueado para invitar a outros usuarios a empregar %s" -#: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy -msgid "You are not the owner of this application." -msgstr "Non estás suscrito a ese perfil" - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 #, fuzzy msgid "No such application." msgstr "Ningún chío." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -#, fuzzy -msgid "There was a problem with your session token." -msgstr "Houbo un problema co teu token de sesión. Tentao de novo, anda..." - #: actions/editapplication.php:161 #, fuzzy msgid "Use this form to edit your application." @@ -1168,47 +1216,52 @@ msgstr "" msgid "Name is required." msgstr "A mesma contrasinal que arriba. Requerido." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 #, fuzzy msgid "Name is too long (max 255 chars)." msgstr "O nome completo é demasiado longo (max 255 car)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "O alcume xa está sendo empregado por outro usuario. Tenta con outro." + +#: actions/editapplication.php:186 actions/newapplication.php:168 #, fuzzy msgid "Description is required." msgstr "Subscricións" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 #, fuzzy msgid "Source URL is not valid." msgstr "A páxina persoal semella que non é unha URL válida." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 #, fuzzy msgid "Organization is too long (max 255 chars)." msgstr "A localización é demasiado longa (max 255 car.)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 #, fuzzy msgid "Could not update application." msgstr "Non se puido actualizar o usuario." @@ -2158,11 +2211,11 @@ msgstr "Debes estar logueado para invitar a outros usuarios a empregar %s" msgid "Use this form to register a new application." msgstr "" -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy msgid "Could not create application." msgstr "Non se puido crear o favorito." @@ -2297,29 +2350,29 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 #, fuzzy msgid "You are not a user of that application." msgstr "Non estás suscrito a ese perfil" -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2845,39 +2898,39 @@ msgstr "Liña de tempo pública" msgid "Public timeline" msgstr "Liña de tempo pública" -#: actions/public.php:151 +#: actions/public.php:159 #, fuzzy msgid "Public Stream Feed (RSS 1.0)" msgstr "Sindicación do Fio Público" -#: actions/public.php:155 +#: actions/public.php:163 #, fuzzy msgid "Public Stream Feed (RSS 2.0)" msgstr "Sindicación do Fio Público" -#: actions/public.php:159 +#: actions/public.php:167 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "Sindicación do Fio Público" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2890,7 +2943,7 @@ msgstr "" "(http://status.net/). [Únete agora](%%action.register%%) para compartir " "chíos cos teus amigos, colegas e familia! ([Ler mais](%%doc.help%%))" -#: actions/public.php:238 +#: actions/public.php:246 #, fuzzy, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3264,7 +3317,7 @@ msgstr "Non podes rexistrarte se non estas de acordo coa licenza." msgid "You already repeated that notice." msgstr "Xa bloqueaches a este usuario." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 #, fuzzy msgid "Repeated" msgstr "Crear" @@ -3326,6 +3379,11 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Mensaxe de %1$s en %2$s" +#: actions/rsd.php:146 actions/version.php:157 +#, fuzzy +msgid "StatusNet" +msgstr "Avatar actualizado." + #: actions/sandbox.php:65 actions/unsandbox.php:65 #, fuzzy msgid "You cannot sandbox users on this site." @@ -3405,42 +3463,42 @@ msgstr "Estatísticas" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3660,25 +3718,25 @@ msgstr "Fonte de chíos para %s" msgid "FOAF for %s" msgstr "Band. Saída para %s" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, fuzzy, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3691,7 +3749,7 @@ msgstr "" "(http://status.net/). [Únete agora](%%action.register%%) para compartir " "chíos cos teus amigos, colegas e familia! ([Ler mais](%%doc.help%%))" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, fuzzy, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3703,7 +3761,7 @@ msgstr "" "(http://status.net/). [Únete agora](%%action.register%%) para compartir " "chíos cos teus amigos, colegas e familia! ([Ler mais](%%doc.help%%))" -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Replies to %s" @@ -4395,11 +4453,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -#, fuzzy -msgid "StatusNet" -msgstr "Avatar actualizado." - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4528,22 +4581,22 @@ msgstr "Tes restrinxido o envio de chíos neste sitio." msgid "Problem saving notice." msgstr "Aconteceu un erro ó gardar o chío." -#: classes/Notice.php:790 +#: classes/Notice.php:788 #, fuzzy msgid "Problem saving group inbox." msgstr "Aconteceu un erro ó gardar o chío." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "Erro ó inserir a contestación na BD: %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" -#: classes/User.php:382 +#: classes/User.php:385 #, fuzzy, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Mensaxe de %1$s en %2$s" @@ -5262,20 +5315,20 @@ msgstr "" "tracks - non implementado por agora.\n" "tracking - non implementado por agora.\n" -#: lib/common.php:131 +#: lib/common.php:135 #, fuzzy msgid "No configuration file found. " msgstr "Sen código de confirmación." -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "" @@ -5913,27 +5966,27 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 #, fuzzy msgid "in context" msgstr "Sen contido!" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 #, fuzzy msgid "Repeated by" msgstr "Crear" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 #, fuzzy msgid "Reply to this notice" msgstr "Non se pode eliminar este chíos." -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 #, fuzzy msgid "Reply" msgstr "contestar" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 #, fuzzy msgid "Notice repeated" msgstr "Chío publicado" @@ -6088,6 +6141,10 @@ msgstr "Non se pode eliminar este chíos." msgid "Repeat this notice" msgstr "Non se pode eliminar este chíos." +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 #, fuzzy msgid "Sandbox" @@ -6271,47 +6328,47 @@ msgstr "Nova mensaxe" msgid "Moderate" msgstr "" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "fai uns segundos" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "fai un minuto" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "fai %d minutos" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "fai unha hora" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "fai %d horas" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "fai un día" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "fai %d días" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "fai un mes" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "fai %d meses" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "fai un ano" diff --git a/locale/he/LC_MESSAGES/statusnet.po b/locale/he/LC_MESSAGES/statusnet.po index 3cfed46c5..0b46e0588 100644 --- a/locale/he/LC_MESSAGES/statusnet.po +++ b/locale/he/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:41:54+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:20:45+0000\n" "Language-Team: Hebrew\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: he\n" "X-Message-Group: out-statusnet\n" @@ -98,7 +98,7 @@ msgstr "×ין הודעה כזו." #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -155,7 +155,7 @@ msgid "" "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -388,8 +388,8 @@ msgstr "כינוי ×–×” כבר תפוס. נסה כינוי ×חר." msgid "Not a valid nickname." msgstr "×©× ×ž×©×ª×ž×© ×œ× ×—×•×§×™." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -401,8 +401,8 @@ msgstr "ל×תר הבית יש כתובת ×œ× ×—×•×§×™×ª." msgid "Full name is too long (max 255 chars)." msgstr "×”×©× ×”×ž×œ× ×רוך מידי (מותרות 255 ×ותיות בלבד)" -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "הביוגרפיה ×רוכה מידי (לכל היותר 140 ×ותיות)" @@ -482,18 +482,23 @@ msgstr "" msgid "groups on %s" msgstr "" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "גודל ×œ× ×—×•×§×™." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -504,76 +509,84 @@ msgstr "" msgid "There was a problem with your session token. Try again, please." msgstr "" -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 #, fuzzy msgid "Invalid nickname / password!" msgstr "×©× ×”×ž×©×ª×ž×© ×ו הסיסמה ×œ× ×—×•×§×™×™×" -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "שגי××” ביצירת ×©× ×”×ž×©×ª×ž×©." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "שגי×ת מסד × ×ª×•× ×™× ×‘×”×›× ×¡×ª התגובה: %s" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "הגשת טופס ×œ× ×¦×¤×•×™×”." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 #, fuzzy msgid "Account" msgstr "×ודות" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "כינוי" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "סיסמה" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 msgid "Allow" msgstr "" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -749,8 +762,8 @@ msgstr "" msgid "Preview" msgstr "" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 #, fuzzy msgid "Delete" msgstr "מחק" @@ -801,8 +814,9 @@ msgid "" "will not be notified of any @-replies from them." msgstr "" -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "ל×" @@ -811,9 +825,9 @@ msgstr "ל×" msgid "Do not block this user" msgstr "×ין משתמש ×›×–×”." -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "כן" @@ -923,6 +937,50 @@ msgstr "מיקו×" msgid "Notices" msgstr "הודעות" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "עידכון המשתמש נכשל." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "להודעה ×ין פרופיל" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "×ין הודעה כזו." + +#: actions/deleteapplication.php:149 +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "×ין הודעה כזו." + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "ת×ר ×ת עצמך ו×ת נוש××™ העניין שלך ב-140 ×ותיות" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -956,7 +1014,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "×ין הודעה כזו." -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "" @@ -1110,7 +1168,7 @@ msgstr "" msgid "Add to favorites" msgstr "מועדפי×" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "×ין מסמך ×›×–×”." @@ -1124,22 +1182,12 @@ msgstr "להודעה ×ין פרופיל" msgid "You must be logged in to edit an application." msgstr "" -#: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy -msgid "You are not the owner of this application." -msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 #, fuzzy msgid "No such application." msgstr "×ין הודעה כזו." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "" - #: actions/editapplication.php:161 msgid "Use this form to edit your application." msgstr "" @@ -1148,47 +1196,52 @@ msgstr "" msgid "Name is required." msgstr "" -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 #, fuzzy msgid "Name is too long (max 255 chars)." msgstr "×”×©× ×”×ž×œ× ×רוך מידי (מותרות 255 ×ותיות בלבד)" -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "כינוי ×–×” כבר תפוס. נסה כינוי ×חר." + +#: actions/editapplication.php:186 actions/newapplication.php:168 #, fuzzy msgid "Description is required." msgstr "הרשמות" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 #, fuzzy msgid "Source URL is not valid." msgstr "ל×תר הבית יש כתובת ×œ× ×—×•×§×™×ª." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 #, fuzzy msgid "Organization is too long (max 255 chars)." msgstr "×©× ×”×ž×™×§×•× ×רוך מידי (מותר עד 255 ×ותיות)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 #, fuzzy msgid "Could not update application." msgstr "עידכון המשתמש נכשל." @@ -2094,11 +2147,11 @@ msgstr "" msgid "Use this form to register a new application." msgstr "" -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy msgid "Could not create application." msgstr "שמירת מידע התמונה נכשל" @@ -2228,29 +2281,29 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 #, fuzzy msgid "You are not a user of that application." msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2769,39 +2822,39 @@ msgstr "קו זמן ציבורי" msgid "Public timeline" msgstr "קו זמן ציבורי" -#: actions/public.php:151 +#: actions/public.php:159 #, fuzzy msgid "Public Stream Feed (RSS 1.0)" msgstr "הזנת ×–×¨× ×”×¦×™×‘×•×¨×™" -#: actions/public.php:155 +#: actions/public.php:163 #, fuzzy msgid "Public Stream Feed (RSS 2.0)" msgstr "הזנת ×–×¨× ×”×¦×™×‘×•×¨×™" -#: actions/public.php:159 +#: actions/public.php:167 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "הזנת ×–×¨× ×”×¦×™×‘×•×¨×™" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2810,7 +2863,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3150,7 +3203,7 @@ msgstr "×œ× × ×™×ª×Ÿ ×œ×”×™×¨×©× ×œ×œ× ×”×¡×›×ž×” לרשיון" msgid "You already repeated that notice." msgstr "כבר נכנסת למערכת!" -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 #, fuzzy msgid "Repeated" msgstr "צור" @@ -3212,6 +3265,11 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "תגובת עבור %s" +#: actions/rsd.php:146 actions/version.php:157 +#, fuzzy +msgid "StatusNet" +msgstr "התמונה עודכנה." + #: actions/sandbox.php:65 actions/unsandbox.php:65 #, fuzzy msgid "You cannot sandbox users on this site." @@ -3290,42 +3348,42 @@ msgstr "סטטיסטיקה" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3535,25 +3593,25 @@ msgstr "הזנת הודעות של %s" msgid "FOAF for %s" msgstr "" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3562,7 +3620,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3570,7 +3628,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, fuzzy, php-format msgid "Repeat of %s" msgstr "תגובת עבור %s" @@ -4246,11 +4304,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -#, fuzzy -msgid "StatusNet" -msgstr "התמונה עודכנה." - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4374,22 +4427,22 @@ msgstr "" msgid "Problem saving notice." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:790 +#: classes/Notice.php:788 #, fuzzy msgid "Problem saving group inbox." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "שגי×ת מסד × ×ª×•× ×™× ×‘×”×›× ×¡×ª התגובה: %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" @@ -5060,20 +5113,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 #, fuzzy msgid "No configuration file found. " msgstr "×ין קוד ×ישור." -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "" @@ -5649,26 +5702,26 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 #, fuzzy msgid "in context" msgstr "×ין תוכן!" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 #, fuzzy msgid "Repeated by" msgstr "צור" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 #, fuzzy msgid "Reply" msgstr "הגב" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 #, fuzzy msgid "Notice repeated" msgstr "הודעות" @@ -5817,6 +5870,10 @@ msgstr "×ין הודעה כזו." msgid "Repeat this notice" msgstr "×ין הודעה כזו." +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "" @@ -5996,47 +6053,47 @@ msgstr "הודעה חדשה" msgid "Moderate" msgstr "" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "לפני מספר שניות" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "לפני כדקה" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "לפני ×›-%d דקות" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "לפני כשעה" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "לפני ×›-%d שעות" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "לפני כיו×" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "לפני ×›-%d ימי×" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "לפני כחודש" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "לפני ×›-%d חודשי×" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "לפני כשנה" diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index d0c81c5bc..dfc9bcb24 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:41:57+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:20:49+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: out-statusnet\n" @@ -97,7 +97,7 @@ msgstr "Strona njeeksistuje" #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -154,7 +154,7 @@ msgid "" "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -376,8 +376,8 @@ msgstr "PÅ™imjeno so hižo wužiwa. Spytaj druhe." msgid "Not a valid nickname." msgstr "Žane pÅ‚aćiwe pÅ™imjeno." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -389,8 +389,8 @@ msgstr "Startowa strona njeje pÅ‚aćiwy URL." msgid "Full name is too long (max 255 chars)." msgstr "DospoÅ‚ne mjeno je pÅ™edoÅ‚ho (maks. 255 znamjeÅ¡kow)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "Wopisanje je pÅ™edoÅ‚ho (maks. %d znamjeÅ¡kow)." @@ -467,18 +467,23 @@ msgstr "" msgid "groups on %s" msgstr "skupiny na %s" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "NjepÅ‚aćiwa wulkosć." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -489,74 +494,82 @@ msgstr "" msgid "There was a problem with your session token. Try again, please." msgstr "" -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 msgid "Invalid nickname / password!" msgstr "NjepÅ‚aćiwe pÅ™imjeno abo hesÅ‚o!" -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "Zmylk datoweje banki pÅ™i zasunjenju wužiwarja OAuth-aplikacije." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "Zmylk datoweje banki pÅ™i zasunjenju wužiwarja OAuth-aplikacije." -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "" -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Konto" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "PÅ™imjeno" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "HesÅ‚o" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "Wotpokazać" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 msgid "Allow" msgstr "Dowolić" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -726,8 +739,8 @@ msgstr "Original" msgid "Preview" msgstr "PÅ™ehlad" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "ZniÄić" @@ -774,8 +787,9 @@ msgid "" "will not be notified of any @-replies from them." msgstr "" -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "NÄ›" @@ -783,9 +797,9 @@ msgstr "NÄ›" msgid "Do not block this user" msgstr "Tutoho wužiwarja njeblokować" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Haj" @@ -889,6 +903,49 @@ msgstr "Konwersacija" msgid "Notices" msgstr "Zdźělenki" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "DyrbiÅ¡ pÅ™izjewjeny być, zo by skupinu wobdźěłaÅ‚." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Aplikaciski profil" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +msgid "You are not the owner of this application." +msgstr "Njejsy wobsedźer tuteje aplikacije." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "Aplikacija njeeksistuje." + +#: actions/deleteapplication.php:149 +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Tutu zdźělenku njewuÅ¡mórnyć" + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Tutu zdźělenku wuÅ¡mórnyć" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -921,7 +978,7 @@ msgstr "ChceÅ¡ woprawdźe tutu zdźělenku wuÅ¡mórnyć?" msgid "Do not delete this notice" msgstr "Tutu zdźělenku njewuÅ¡mórnyć" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "Tutu zdźělenku wuÅ¡mórnyć" @@ -1062,7 +1119,7 @@ msgstr "Tuta zdźělenka faworit njeje!" msgid "Add to favorites" msgstr "K faworitam pÅ™idać" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "Dokument njeeksistuje." @@ -1076,20 +1133,11 @@ msgstr "Aplikacije OAuth" msgid "You must be logged in to edit an application." msgstr "DyrbiÅ¡ pÅ™izjewjeny być, zo by skupinu wobdźěłaÅ‚." -#: actions/editapplication.php:77 actions/showapplication.php:94 -msgid "You are not the owner of this application." -msgstr "Njejsy wobsedźer tuteje aplikacije." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 msgid "No such application." msgstr "Aplikacija njeeksistuje." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "" - #: actions/editapplication.php:161 msgid "Use this form to edit your application." msgstr "Wužij tutón formular, zo by aplikaciju wobdźěłaÅ‚." @@ -1098,43 +1146,48 @@ msgstr "Wužij tutón formular, zo by aplikaciju wobdźěłaÅ‚." msgid "Name is required." msgstr "Mjeno je trÄ›bne." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 msgid "Name is too long (max 255 chars)." msgstr "Mjeno je pÅ™edoÅ‚ho (maks. 255 znamjeÅ¡kow)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "PÅ™imjeno so hižo wužiwa. Spytaj druhe." + +#: actions/editapplication.php:186 actions/newapplication.php:168 msgid "Description is required." msgstr "Wopisanje je trÄ›bne." -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Source URL is not valid." msgstr "URL žórÅ‚a pÅ‚aćiwy njeje." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization is too long (max 255 chars)." msgstr "Mjeno organizacije je pÅ™edoÅ‚ho (maks. 255 znamjeÅ¡kow)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 msgid "Could not update application." msgstr "Aplikacija njeda so aktualizować." @@ -1993,11 +2046,11 @@ msgstr "DyrbiÅ¡ pÅ™izjewjeny być, zo by aplikaciju registrowaÅ‚." msgid "Use this form to register a new application." msgstr "Wužij tutón formular, zo by nowu aplikaciju registrowaÅ‚." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 msgid "Could not create application." msgstr "Aplikacija njeda so wutworić." @@ -2122,28 +2175,28 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 msgid "You are not a user of that application." msgstr "Njejsy wužiwar tuteje aplikacije." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2635,36 +2688,36 @@ msgstr "" msgid "Public timeline" msgstr "" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "" -#: actions/public.php:159 +#: actions/public.php:167 msgid "Public Stream Feed (Atom)" msgstr "" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2673,7 +2726,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3003,7 +3056,7 @@ msgstr "NjemóžeÅ¡ swójsku zdźělenku wospjetować." msgid "You already repeated that notice." msgstr "Sy tutu zdźělenku hižo wospjetowaÅ‚." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 msgid "Repeated" msgstr "Wospjetowany" @@ -3063,6 +3116,10 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "" +#: actions/rsd.php:146 actions/version.php:157 +msgid "StatusNet" +msgstr "StatusNet" + #: actions/sandbox.php:65 actions/unsandbox.php:65 msgid "You cannot sandbox users on this site." msgstr "" @@ -3135,42 +3192,42 @@ msgstr "Statistika" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "URL awtorizować" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3375,25 +3432,25 @@ msgstr "" msgid "FOAF for %s" msgstr "FOAF za %s" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3402,7 +3459,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3410,7 +3467,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, php-format msgid "Repeat of %s" msgstr "" @@ -4050,10 +4107,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -msgid "StatusNet" -msgstr "StatusNet" - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4171,21 +4224,21 @@ msgstr "" msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:790 +#: classes/Notice.php:788 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" @@ -4823,19 +4876,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 msgid "No configuration file found. " msgstr "Žana konfiguraciska dataja namakana. " -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "" @@ -5386,23 +5439,23 @@ msgstr "Z" msgid "at" msgstr "" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 msgid "Repeated by" msgstr "Wospjetowany wot" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "Na tutu zdźělenku wotmoÅ‚wić" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "WotmoÅ‚wić" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 msgid "Notice repeated" msgstr "Zdźělenka wospjetowana" @@ -5543,6 +5596,10 @@ msgstr "Tutu zdźělenku wospjetować?" msgid "Repeat this notice" msgstr "Tutu zdźělenku wospjetować" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "" @@ -5708,47 +5765,47 @@ msgstr "PowÄ›sć" msgid "Moderate" msgstr "" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "pÅ™ed něšto sekundami" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "pÅ™ed nÄ›hdźe jednej mjeÅ„Å¡inu" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "pÅ™ed %d mjeÅ„Å¡inami" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "pÅ™ed nÄ›hdźe jednej hodźinu" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "pÅ™ed nÄ›hdźe %d hodźinami" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "pÅ™ed nÄ›hdźe jednym dnjom" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "pÅ™ed nÄ›hdźe %d dnjemi" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "pÅ™ed nÄ›hdźe jednym mÄ›sacom" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "pÅ™ed nÄ›hdźe %d mÄ›sacami" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "pÅ™ed nÄ›hdźe jednym lÄ›tom" diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index de42418c3..5bc157060 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:42:01+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:21:00+0000\n" "Language-Team: Interlingua\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: out-statusnet\n" @@ -95,7 +95,7 @@ msgstr "Pagina non existe" #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -158,7 +158,7 @@ msgstr "" "Tu pote tentar [dar un pulsata a %s](../%s) in su profilo o [publicar un " "message a su attention](%%%%action.newnotice%%%%?status_textarea=%s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -389,8 +389,8 @@ msgstr "Pseudonymo ja in uso. Proba un altere." msgid "Not a valid nickname." msgstr "Non un pseudonymo valide." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -402,8 +402,8 @@ msgstr "Le pagina personal non es un URL valide." msgid "Full name is too long (max 255 chars)." msgstr "Le nomine complete es troppo longe (max. 255 characteres)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "Description es troppo longe (max %d charachteres)." @@ -480,18 +480,23 @@ msgstr "Gruppos de %s" msgid "groups on %s" msgstr "gruppos in %s" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "Dimension invalide." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -502,76 +507,84 @@ msgstr "" msgid "There was a problem with your session token. Try again, please." msgstr "Occurreva un problema con le indicio de tu session. Per favor reproba." -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 #, fuzzy msgid "Invalid nickname / password!" msgstr "Nomine de usator o contrasigno invalide." -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "Error durante le configuration del usator." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "Error durante le configuration del usator." -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "Submission de formulario inexpectate." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Pseudonymo" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Contrasigno" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 #, fuzzy msgid "Deny" msgstr "Apparentia" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 msgid "Allow" msgstr "" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -744,8 +757,8 @@ msgstr "Original" msgid "Preview" msgstr "Previsualisation" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Deler" @@ -795,8 +808,9 @@ msgstr "" "cancellate, ille non potera resubscriber se a te in le futuro, e tu non " "recipera notification de su @-responsas." -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "No" @@ -804,9 +818,9 @@ msgstr "No" msgid "Do not block this user" msgstr "Non blocar iste usator" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Si" @@ -911,6 +925,53 @@ msgstr "Conversation" msgid "Notices" msgstr "Notas" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "Tu debe aperir un session pro modificar un gruppo." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Le nota ha nulle profilo" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Tu non es membro de iste gruppo." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "Nota non trovate." + +#: actions/deleteapplication.php:149 +#, fuzzy +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" +"Es tu secur de voler deler iste usator? Isto radera tote le datos super le " +"usator del base de datos, sin copia de reserva." + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Non deler iste nota" + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Deler iste nota" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -945,7 +1006,7 @@ msgstr "Es tu secur de voler deler iste nota?" msgid "Do not delete this notice" msgstr "Non deler iste nota" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "Deler iste nota" @@ -1089,7 +1150,7 @@ msgstr "Iste nota non es favorite!" msgid "Add to favorites" msgstr "Adder al favorites" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "Documento non existe." @@ -1104,22 +1165,12 @@ msgstr "Le nota ha nulle profilo" msgid "You must be logged in to edit an application." msgstr "Tu debe aperir un session pro modificar un gruppo." -#: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy -msgid "You are not the owner of this application." -msgstr "Tu non es membro de iste gruppo." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 #, fuzzy msgid "No such application." msgstr "Nota non trovate." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "" - #: actions/editapplication.php:161 #, fuzzy msgid "Use this form to edit your application." @@ -1130,46 +1181,51 @@ msgstr "Usa iste formulario pro modificar le gruppo." msgid "Name is required." msgstr "Identic al contrasigno hic supra. Requisite." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 #, fuzzy msgid "Name is too long (max 255 chars)." msgstr "Le nomine complete es troppo longe (max. 255 characteres)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "Pseudonymo ja in uso. Proba un altere." + +#: actions/editapplication.php:186 actions/newapplication.php:168 msgid "Description is required." msgstr "" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 #, fuzzy msgid "Source URL is not valid." msgstr "Le pagina personal non es un URL valide." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 #, fuzzy msgid "Organization is too long (max 255 chars)." msgstr "Loco es troppo longe (max. 255 characteres)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 #, fuzzy msgid "Could not update application." msgstr "Non poteva actualisar gruppo." @@ -2113,11 +2169,11 @@ msgstr "Tu debe aperir un session pro crear un gruppo." msgid "Use this form to register a new application." msgstr "Usa iste formulario pro crear un nove gruppo." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy msgid "Could not create application." msgstr "Non poteva crear aliases." @@ -2255,29 +2311,29 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 #, fuzzy msgid "You are not a user of that application." msgstr "Tu non es membro de iste gruppo." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2784,19 +2840,19 @@ msgstr "Chronologia public, pagina %d" msgid "Public timeline" msgstr "Chronologia public" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "Syndication del fluxo public (RSS 1.0)" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "Syndication del fluxo public (RSS 2.0)" -#: actions/public.php:159 +#: actions/public.php:167 msgid "Public Stream Feed (Atom)" msgstr "Syndication del fluxo public (Atom)" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2805,11 +2861,11 @@ msgstr "" "Isto es le chronologia public pro %%site.name%%, ma nulle persona ha ancora " "scribite alique." -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "Sia le prime a publicar!" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2817,7 +2873,7 @@ msgstr "" "Proque non [registrar un conto](%%action.register%%) e devenir le prime a " "publicar?" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2830,7 +2886,7 @@ msgstr "" "[Inscribe te ora](%%action.register%%) pro condivider notas super te con " "amicos, familia e collegas! ([Leger plus](%%doc.help%%))" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3196,7 +3252,7 @@ msgstr "Tu non pote repeter tu proprie nota." msgid "You already repeated that notice." msgstr "Tu ha ja repetite iste nota." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 msgid "Repeated" msgstr "Repetite" @@ -3262,6 +3318,11 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Responsas a %1$s in %2$s!" +#: actions/rsd.php:146 actions/version.php:157 +#, fuzzy +msgid "StatusNet" +msgstr "Stato delite." + #: actions/sandbox.php:65 actions/unsandbox.php:65 msgid "You cannot sandbox users on this site." msgstr "Tu non pote mitter usatores in le cassa de sablo in iste sito." @@ -3337,42 +3398,42 @@ msgstr "Statisticas" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3594,12 +3655,12 @@ msgstr "Syndication de notas pro %s (Atom)" msgid "FOAF for %s" msgstr "Amico de un amico pro %s" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, fuzzy, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "Isto es le chronologia pro %s, ma %s non ha ancora publicate alique." -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -3607,7 +3668,7 @@ msgstr "" "Videva tu qualcosa de interessante recentemente? Tu non ha ancora publicate " "alcun nota, dunque iste es un bon momento pro comenciar :)" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, fuzzy, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" @@ -3616,7 +3677,7 @@ msgstr "" "Tu pote tentar pulsar %s o [publicar un nota a su attention](%%%%action." "newnotice%%%%?status_textarea=%s)." -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3630,7 +3691,7 @@ msgstr "" "pro sequer le notas de **%s** e multe alteres! ([Lege plus](%%%%doc.help%%%" "%))" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3641,7 +3702,7 @@ msgstr "" "(http://en.wikipedia.org/wiki/Microblog) a base del software libere " "[StatusNet](http://status.net/). " -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, php-format msgid "Repeat of %s" msgstr "Repetition de %s" @@ -4296,11 +4357,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -#, fuzzy -msgid "StatusNet" -msgstr "Stato delite." - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4422,21 +4478,21 @@ msgstr "" msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:790 +#: classes/Notice.php:788 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" @@ -5074,19 +5130,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 msgid "No configuration file found. " msgstr "" -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "" @@ -5641,23 +5697,23 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 msgid "Repeated by" msgstr "Repetite per" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 #, fuzzy msgid "Notice repeated" msgstr "Nota delite." @@ -5801,6 +5857,10 @@ msgstr "Repeter iste nota" msgid "Repeat this notice" msgstr "Repeter iste nota" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "" @@ -5966,47 +6026,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "" diff --git a/locale/is/LC_MESSAGES/statusnet.po b/locale/is/LC_MESSAGES/statusnet.po index 67d7825d9..32ce7ee57 100644 --- a/locale/is/LC_MESSAGES/statusnet.po +++ b/locale/is/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:42:04+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:21:15+0000\n" "Language-Team: Icelandic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: is\n" "X-Message-Group: out-statusnet\n" @@ -101,7 +101,7 @@ msgstr "Ekkert þannig merki." #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -158,7 +158,7 @@ msgid "" "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -390,8 +390,8 @@ msgstr "Stuttnefni nú þegar í notkun. Prófaðu eitthvað annað." msgid "Not a valid nickname." msgstr "Ekki tækt stuttnefni." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -403,8 +403,8 @@ msgstr "Heimasíða er ekki gild vefslóð." msgid "Full name is too long (max 255 chars)." msgstr "Fullt nafn er of langt (í mesta lagi 255 stafir)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "Lýsing er of löng (í mesta lagi 140 tákn)." @@ -484,18 +484,23 @@ msgstr "Hópar %s" msgid "groups on %s" msgstr "Hópsaðgerðir" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "Ótæk stærð." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -506,76 +511,84 @@ msgstr "" msgid "There was a problem with your session token. Try again, please." msgstr "Það kom upp vandamál með setutókann þinn. Vinsamlegast reyndu aftur." -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 #, fuzzy msgid "Invalid nickname / password!" msgstr "Ótækt notendanafn eða lykilorð." -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "Villa kom upp í stillingu notanda." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "Gagnagrunnsvilla við innsetningu myllumerkis: %s" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "Bjóst ekki við innsendingu eyðublaðs." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Aðgangur" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Stuttnefni" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Lykilorð" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 #, fuzzy msgid "Allow" msgstr "Allt" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -747,8 +760,8 @@ msgstr "Upphafleg mynd" msgid "Preview" msgstr "Forsýn" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Eyða" @@ -797,8 +810,9 @@ msgid "" "will not be notified of any @-replies from them." msgstr "" -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "Nei" @@ -807,9 +821,9 @@ msgstr "Nei" msgid "Do not block this user" msgstr "Opna á þennan notanda" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Já" @@ -916,6 +930,50 @@ msgstr "" msgid "Notices" msgstr "Babl" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "Þú verður að hafa skráð þig inn til að búa til hóp." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Babl hefur enga persónulega síðu" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Þú ert ekki meðlimur í þessum hópi." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "Það komu upp vandamál varðandi setutókann þinn." + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "Ekkert svoleiðis babl." + +#: actions/deleteapplication.php:149 +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Gat ekki uppfært hóp." + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Eyða þessu babli" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -948,7 +1006,7 @@ msgstr "Ertu viss um að þú viljir eyða þessu babli?" msgid "Do not delete this notice" msgstr "" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "Eyða þessu babli" @@ -1098,7 +1156,7 @@ msgstr "Þetta babl er ekki í uppáhaldi!" msgid "Add to favorites" msgstr "Bæta við sem uppáhaldsbabli" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "Ekkert svoleiðis skjal." @@ -1113,22 +1171,12 @@ msgstr "Aðrir valkostir" msgid "You must be logged in to edit an application." msgstr "Þú verður að hafa skráð þig inn til að búa til hóp." -#: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy -msgid "You are not the owner of this application." -msgstr "Þú ert ekki meðlimur í þessum hópi." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 #, fuzzy msgid "No such application." msgstr "Ekkert svoleiðis babl." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "Það komu upp vandamál varðandi setutókann þinn." - #: actions/editapplication.php:161 #, fuzzy msgid "Use this form to edit your application." @@ -1139,47 +1187,52 @@ msgstr "Notaðu þetta eyðublað til að breyta hópnum." msgid "Name is required." msgstr "Sama og lykilorðið hér fyrir ofan. Nauðsynlegt." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 #, fuzzy msgid "Name is too long (max 255 chars)." msgstr "Fullt nafn er of langt (í mesta lagi 255 stafir)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "Stuttnefni nú þegar í notkun. Prófaðu eitthvað annað." + +#: actions/editapplication.php:186 actions/newapplication.php:168 #, fuzzy msgid "Description is required." msgstr "Lýsing" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 #, fuzzy msgid "Source URL is not valid." msgstr "Heimasíða er ekki gild vefslóð." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 #, fuzzy msgid "Organization is too long (max 255 chars)." msgstr "Staðsetning er of löng (í mesta lagi 255 stafir)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 #, fuzzy msgid "Could not update application." msgstr "Gat ekki uppfært hóp." @@ -2111,11 +2164,11 @@ msgstr "Þú verður að hafa skráð þig inn til að búa til hóp." msgid "Use this form to register a new application." msgstr "Notaðu þetta eyðublað til að búa til nýjan hóp." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy msgid "Could not create application." msgstr "Gat ekki búið til uppáhald." @@ -2249,29 +2302,29 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 #, fuzzy msgid "You are not a user of that application." msgstr "Þú ert ekki meðlimur í þessum hópi." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2794,36 +2847,36 @@ msgstr "Almenningsrás, síða %d" msgid "Public timeline" msgstr "Almenningsrás" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "" -#: actions/public.php:159 +#: actions/public.php:167 msgid "Public Stream Feed (Atom)" msgstr "" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2832,7 +2885,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3196,7 +3249,7 @@ msgstr "Þú getur ekki nýskráð þig nema þú samþykkir leyfið." msgid "You already repeated that notice." msgstr "Þú hefur nú þegar lokað á þennan notanda." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 #, fuzzy msgid "Repeated" msgstr "à sviðsljósinu" @@ -3257,6 +3310,11 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Skilaboð til %1$s á %2$s" +#: actions/rsd.php:146 actions/version.php:157 +#, fuzzy +msgid "StatusNet" +msgstr "Tölfræði" + #: actions/sandbox.php:65 actions/unsandbox.php:65 #, fuzzy msgid "You cannot sandbox users on this site." @@ -3334,42 +3392,42 @@ msgstr "Tölfræði" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3575,25 +3633,25 @@ msgstr "" msgid "FOAF for %s" msgstr "" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3602,7 +3660,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3610,7 +3668,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Svör við %s" @@ -4292,11 +4350,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -#, fuzzy -msgid "StatusNet" -msgstr "Tölfræði" - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4421,22 +4474,22 @@ msgstr "Það hefur verið lagt bann við babli frá þér á þessari síðu." msgid "Problem saving notice." msgstr "Vandamál komu upp við að vista babl." -#: classes/Notice.php:790 +#: classes/Notice.php:788 #, fuzzy msgid "Problem saving group inbox." msgstr "Vandamál komu upp við að vista babl." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "Gagnagrunnsvilla við innsetningu svars: %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" @@ -5100,20 +5153,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 #, fuzzy msgid "No configuration file found. " msgstr "Enginn staðfestingarlykill." -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:135 +#: lib/common.php:139 #, fuzzy msgid "Go to the installer." msgstr "Skrá þig inn á síðuna" @@ -5685,24 +5738,24 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 #, fuzzy msgid "Repeated by" msgstr "à sviðsljósinu" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "Svara þessu babli" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "Svara" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 #, fuzzy msgid "Notice repeated" msgstr "Babl sent inn" @@ -5850,6 +5903,10 @@ msgstr "Svara þessu babli" msgid "Repeat this notice" msgstr "Svara þessu babli" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 #, fuzzy msgid "Sandbox" @@ -6023,47 +6080,47 @@ msgstr "Skilaboð" msgid "Moderate" msgstr "" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "fyrir nokkrum sekúndum" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "fyrir um einni mínútu síðan" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "fyrir um %d mínútum síðan" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "fyrir um einum klukkutíma síðan" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "fyrir um %d klukkutímum síðan" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "fyrir um einum degi síðan" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "fyrir um %d dögum síðan" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "fyrir um einum mánuði síðan" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "fyrir um %d mánuðum síðan" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "fyrir um einu ári síðan" diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index 4a002d115..43b1756ae 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:42:07+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:21:24+0000\n" "Language-Team: Italian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: out-statusnet\n" @@ -95,7 +95,7 @@ msgstr "Pagina inesistente." #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -159,7 +159,7 @@ msgstr "" "qualche cosa alla sua attenzione](%%%%action.newnotice%%%%?status_textarea=%3" "$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -389,8 +389,8 @@ msgstr "Soprannome già in uso. Prova con un altro." msgid "Not a valid nickname." msgstr "Non è un soprannome valido." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -402,8 +402,8 @@ msgstr "L'indirizzo della pagina web non è valido." msgid "Full name is too long (max 255 chars)." msgstr "Nome troppo lungo (max 255 caratteri)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "La descrizione è troppo lunga (max %d caratteri)." @@ -480,18 +480,23 @@ msgstr "Gruppi di %s" msgid "groups on %s" msgstr "Gruppi su %s" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." -msgstr "Richiesta non corretta." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." +msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "Dimensione non valida." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -503,19 +508,19 @@ msgid "There was a problem with your session token. Try again, please." msgstr "" "Si è verificato un problema con il tuo token di sessione. Prova di nuovo." -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 msgid "Invalid nickname / password!" msgstr "Nome utente o password non valido." -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 msgid "Database error deleting OAuth application user." msgstr "Errore nel database nell'eliminare l'applicazione utente OAuth." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 msgid "Database error inserting OAuth application user." msgstr "Errore nel database nell'inserire l'applicazione utente OAuth." -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " @@ -524,55 +529,63 @@ msgstr "" "Il token di richiesta %s è stato autorizzato. Scambiarlo con un token di " "accesso." -#: actions/apioauthauthorize.php:241 -#, php-format -msgid "The request token %s has been denied." +#: actions/apioauthauthorize.php:227 +#, fuzzy, php-format +msgid "The request token %s has been denied and revoked." msgstr "Il token di richiesta %s è stato rifiutato." -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "Invio del modulo inaspettato." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "Un'applicazione vorrebbe collegarsi al tuo account" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "Consenti o nega l'accesso" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Account" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Soprannome" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Password" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 #, fuzzy msgid "Deny" msgstr "Nega" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 #, fuzzy msgid "Allow" msgstr "Consenti" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "Consenti o nega l'accesso alle informazioni del tuo account." @@ -743,8 +756,8 @@ msgstr "Originale" msgid "Preview" msgstr "Anteprima" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Elimina" @@ -794,8 +807,9 @@ msgstr "" "tuoi messaggi, non potrà più abbonarsi e non riceverai notifica delle @-" "risposte che ti invierà." -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "No" @@ -803,9 +817,9 @@ msgstr "No" msgid "Do not block this user" msgstr "Non bloccare questo utente" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Sì" @@ -910,6 +924,53 @@ msgstr "Conversazione" msgid "Notices" msgstr "Messaggi" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "Devi eseguire l'accesso per modificare un gruppo." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Il messaggio non ha un profilo" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Non fai parte di questo gruppo." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "Si è verificato un problema con il tuo token di sessione." + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "Nessun messaggio." + +#: actions/deleteapplication.php:149 +#, fuzzy +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" +"Vuoi eliminare questo utente? Questa azione eliminerà tutti i dati " +"dell'utente dal database, senza una copia di sicurezza." + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Non eliminare il messaggio" + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Elimina questo messaggio" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -944,7 +1005,7 @@ msgstr "Vuoi eliminare questo messaggio?" msgid "Do not delete this notice" msgstr "Non eliminare il messaggio" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "Elimina questo messaggio" @@ -1088,7 +1149,7 @@ msgstr "Questo messaggio non è un preferito!" msgid "Add to favorites" msgstr "Aggiungi ai preferiti" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "Nessun documento." @@ -1103,22 +1164,12 @@ msgstr "Altre opzioni" msgid "You must be logged in to edit an application." msgstr "Devi eseguire l'accesso per modificare un gruppo." -#: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy -msgid "You are not the owner of this application." -msgstr "Non fai parte di questo gruppo." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 #, fuzzy msgid "No such application." msgstr "Nessun messaggio." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "Si è verificato un problema con il tuo token di sessione." - #: actions/editapplication.php:161 #, fuzzy msgid "Use this form to edit your application." @@ -1129,48 +1180,53 @@ msgstr "Usa questo modulo per modificare il gruppo." msgid "Name is required." msgstr "Stessa password di sopra; richiesta" -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 #, fuzzy msgid "Name is too long (max 255 chars)." msgstr "Nome troppo lungo (max 255 caratteri)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "Soprannome già in uso. Prova con un altro." + +#: actions/editapplication.php:186 actions/newapplication.php:168 #, fuzzy msgid "Description is required." msgstr "Descrizione" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 #, fuzzy msgid "Source URL is not valid." msgstr "L'URL \"%s\" dell'immagine non è valido." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 #, fuzzy msgid "Organization is too long (max 255 chars)." msgstr "Ubicazione troppo lunga (max 255 caratteri)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 #, fuzzy msgid "Callback URL is not valid." msgstr "L'URL \"%s\" dell'immagine non è valido." -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 #, fuzzy msgid "Could not update application." msgstr "Impossibile aggiornare il gruppo." @@ -2109,11 +2165,11 @@ msgstr "Devi eseguire l'accesso per creare un gruppo." msgid "Use this form to register a new application." msgstr "Usa questo modulo per creare un nuovo gruppo." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy msgid "Could not create application." msgstr "Impossibile creare gli alias." @@ -2249,29 +2305,29 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 #, fuzzy msgid "You are not a user of that application." msgstr "Non fai parte di quel gruppo." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2781,19 +2837,19 @@ msgstr "Attività pubblica, pagina %d" msgid "Public timeline" msgstr "Attività pubblica" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "Feed dell'attività pubblica (RSS 1.0)" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "Feed dell'attività pubblica (RSS 2.0)" -#: actions/public.php:159 +#: actions/public.php:167 msgid "Public Stream Feed (Atom)" msgstr "Feed dell'attività pubblica (Atom)" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2802,18 +2858,18 @@ msgstr "" "Questa è l'attività pubblica di %%site.name%%, ma nessuno ha ancora scritto " "qualche cosa." -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "Fallo tu!" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" "Perché non [crei un account](%%action.register%%) e scrivi qualche cosa!" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2826,7 +2882,7 @@ msgstr "" "net/). [Registrati](%%action.register%%) per condividere messaggi con i tuoi " "amici, i tuoi familiari e colleghi! ([Maggiori informazioni](%%doc.help%%))" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3192,7 +3248,7 @@ msgstr "Non puoi ripetere i tuoi stessi messaggi." msgid "You already repeated that notice." msgstr "Hai già ripetuto quel messaggio." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 msgid "Repeated" msgstr "Ripetuti" @@ -3258,6 +3314,10 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Risposte a %1$s su %2$s!" +#: actions/rsd.php:146 actions/version.php:157 +msgid "StatusNet" +msgstr "StatusNet" + #: actions/sandbox.php:65 actions/unsandbox.php:65 msgid "You cannot sandbox users on this site." msgstr "Non puoi mettere in \"sandbox\" gli utenti su questo sito." @@ -3333,43 +3393,43 @@ msgstr "Statistiche" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 #, fuzzy msgid "Authorize URL" msgstr "Autore" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3434,7 +3494,7 @@ msgstr "Questo è un modo per condividere ciò che ti piace." #: actions/showgroup.php:82 lib/groupnav.php:86 #, php-format msgid "%s group" -msgstr "Gruppi di %s" +msgstr "Gruppo %s" #: actions/showgroup.php:84 #, fuzzy, php-format @@ -3590,12 +3650,12 @@ msgstr "Feed dei messaggi per %s (Atom)" msgid "FOAF for %s" msgstr "FOAF per %s" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "Questa è l'attività di %1$s, ma %2$s non ha ancora scritto nulla." -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -3603,7 +3663,7 @@ msgstr "" "Visto niente di interessante? Non hai scritto ancora alcun messaggio, questo " "potrebbe essere un buon momento per iniziare! :)" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" @@ -3612,7 +3672,7 @@ msgstr "" "Puoi provare a richiamare %1$s o [scrivere qualche cosa che attiri la sua " "attenzione](%%%%action.newnotice%%%%?status_textarea=%2$s)." -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3626,7 +3686,7 @@ msgstr "" "i messaggi di **%s** e di molti altri! ([Maggiori informazioni](%%%%doc.help%" "%%%))" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3637,7 +3697,7 @@ msgstr "" "it.wikipedia.org/wiki/Microblogging) basato sul software libero [StatusNet]" "(http://status.net/). " -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, php-format msgid "Repeat of %s" msgstr "Ripetizione di %s" @@ -4316,10 +4376,6 @@ msgstr "" "Questo sito esegue il software %1$s versione %2$s, Copyright 2008-2010 " "StatusNet, Inc. e collaboratori." -#: actions/version.php:157 -msgid "StatusNet" -msgstr "StatusNet" - #: actions/version.php:161 msgid "Contributors" msgstr "Collaboratori" @@ -4458,22 +4514,22 @@ msgstr "Ti è proibito inviare messaggi su questo sito." msgid "Problem saving notice." msgstr "Problema nel salvare il messaggio." -#: classes/Notice.php:790 +#: classes/Notice.php:788 #, fuzzy msgid "Problem saving group inbox." msgstr "Problema nel salvare il messaggio." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "Errore del DB nell'inserire la risposta: %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Benvenuti su %1$s, @%2$s!" @@ -5159,21 +5215,21 @@ msgstr "" "tracks - non ancora implementato\n" "tracking - non ancora implementato\n" -#: lib/common.php:131 +#: lib/common.php:135 msgid "No configuration file found. " msgstr "Non è stato trovato alcun file di configurazione. " -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "I file di configurazione sono stati cercati in questi posti: " -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" "Potrebbe essere necessario lanciare il programma d'installazione per " "correggere il problema." -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "Vai al programma d'installazione." @@ -5819,23 +5875,23 @@ msgstr "O" msgid "at" msgstr "presso" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" -msgstr "nel contesto" +msgstr "in una discussione" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 msgid "Repeated by" msgstr "Ripetuto da" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "Rispondi a questo messaggio" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "Rispondi" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 msgid "Notice repeated" msgstr "Messaggio ripetuto" @@ -5976,6 +6032,10 @@ msgstr "Ripetere questo messaggio?" msgid "Repeat this notice" msgstr "Ripeti questo messaggio" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "Sandbox" @@ -6141,47 +6201,47 @@ msgstr "Messaggio" msgid "Moderate" msgstr "Modera" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "pochi secondi fa" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "circa un minuto fa" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "circa %d minuti fa" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "circa un'ora fa" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "circa %d ore fa" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "circa un giorno fa" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "circa %d giorni fa" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "circa un mese fa" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "circa %d mesi fa" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "circa un anno fa" diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index dc5ae1c66..9102808d8 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:42:10+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:21:28+0000\n" "Language-Team: Japanese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: out-statusnet\n" @@ -95,7 +95,7 @@ msgstr "ãã®ã‚ˆã†ãªãƒšãƒ¼ã‚¸ã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -156,7 +156,7 @@ msgstr "" "プロフィールã‹ã‚‰ [%1$s ã•ã‚“ã«åˆå›³](../%2$s) ã—ãŸã‚Šã€[知らã›ãŸã„ã“ã¨ã«ã¤ã„ã¦æŠ•" "稿](%%%%action.newnotice%%%%?status_textarea=%3$s) ã—ãŸã‚Šã§ãã¾ã™ã€‚" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -387,8 +387,8 @@ msgstr "ãã®ãƒ‹ãƒƒã‚¯ãƒãƒ¼ãƒ ã¯æ—¢ã«ä½¿ç”¨ã•ã‚Œã¦ã„ã¾ã™ã€‚ä»–ã®ã‚‚ã® msgid "Not a valid nickname." msgstr "有効ãªãƒ‹ãƒƒã‚¯ãƒãƒ¼ãƒ ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -400,8 +400,8 @@ msgstr "ホームページã®URLãŒä¸é©åˆ‡ã§ã™ã€‚" msgid "Full name is too long (max 255 chars)." msgstr "フルãƒãƒ¼ãƒ ãŒé•·ã™ãŽã¾ã™ã€‚(255å­—ã¾ã§ï¼‰" -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "記述ãŒé•·ã™ãŽã¾ã™ã€‚(最長140字)" @@ -478,18 +478,23 @@ msgstr "%s グループ" msgid "groups on %s" msgstr "%s 上ã®ã‚°ãƒ«ãƒ¼ãƒ—" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." -msgstr "悪ã„è¦æ±‚。" +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." +msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "ä¸æ­£ãªã‚µã‚¤ã‚ºã€‚" + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -500,21 +505,21 @@ msgstr "悪ã„è¦æ±‚。" msgid "There was a problem with your session token. Try again, please." msgstr "ã‚ãªãŸã®ã‚»ãƒƒã‚·ãƒ§ãƒ³ãƒˆãƒ¼ã‚¯ãƒ³ã«å•é¡ŒãŒã‚ã‚Šã¾ã—ãŸã€‚å†åº¦ãŠè©¦ã—ãã ã•ã„。" -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 msgid "Invalid nickname / password!" msgstr "ä¸æ­£ãªãƒ¦ãƒ¼ã‚¶åã¾ãŸã¯ãƒ‘スワード。" -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "OAuth アプリユーザã®å‰Šé™¤æ™‚DBエラー。" -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "OAuth アプリユーザã®è¿½åŠ æ™‚DBエラー。" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " @@ -523,53 +528,61 @@ msgstr "" "リクエストトークン %s ã¯æ‰¿èªã•ã‚Œã¾ã—ãŸã€‚ アクセストークンã¨ãれを交æ›ã—ã¦ãã " "ã•ã„。" -#: actions/apioauthauthorize.php:241 -#, php-format -msgid "The request token %s has been denied." +#: actions/apioauthauthorize.php:227 +#, fuzzy, php-format +msgid "The request token %s has been denied and revoked." msgstr "リクエストトークン%sã¯å¦å®šã•ã‚Œã¾ã—ãŸã€‚" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "予期ã›ã¬ãƒ•ã‚©ãƒ¼ãƒ é€ä¿¡ã§ã™ã€‚" -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "アプリケーションã¯ã‚ãªãŸã®ã‚¢ã‚«ã‚¦ãƒ³ãƒˆã«æŽ¥ç¶šã—ãŸã„ã§ã™" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "アクセスを許å¯ã¾ãŸã¯æ‹’絶" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "アカウント" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "ニックãƒãƒ¼ãƒ " -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "パスワード" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "拒絶" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 msgid "Allow" msgstr "許å¯" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "アカウント情報ã¸ã®ã‚¢ã‚¯ã‚»ã‚¹ã‚’許å¯ã™ã‚‹ã‹ã€ã¾ãŸã¯æ‹’絶ã—ã¦ãã ã•ã„。" @@ -738,8 +751,8 @@ msgstr "オリジナル" msgid "Preview" msgstr "プレビュー" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "削除" @@ -790,8 +803,9 @@ msgstr "" "ãŸã‹ã‚‰ãƒ•ã‚©ãƒ­ãƒ¼ã‚’外ã•ã‚Œã‚‹ã§ã—ょã†ã€å°†æ¥ã€ã‚ãªãŸã«ãƒ•ã‚©ãƒ­ãƒ¼ã§ããªã„ã§ã€ã‚ãªãŸã¯" "ã©ã‚“㪠@-返信 ã«ã¤ã„ã¦ã‚‚ãれらã‹ã‚‰é€šçŸ¥ã•ã‚Œãªã„ã§ã—ょã†ã€‚" -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "No" @@ -799,9 +813,9 @@ msgstr "No" msgid "Do not block this user" msgstr "ã“ã®ãƒ¦ãƒ¼ã‚¶ã‚’アンブロックã™ã‚‹" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Yes" @@ -905,6 +919,52 @@ msgstr "会話" msgid "Notices" msgstr "ã¤ã¶ã‚„ã" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "アプリケーションを編集ã™ã‚‹ã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ã„ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "アプリケーション情報" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +msgid "You are not the owner of this application." +msgstr "ã“ã®ã‚¢ãƒ—リケーションã®ã‚ªãƒ¼ãƒŠãƒ¼ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "ã‚ãªãŸã®ã‚»ãƒƒã‚·ãƒ§ãƒ³ãƒˆãƒ¼ã‚¯ãƒ³ã«é–¢ã™ã‚‹å•é¡ŒãŒã‚ã‚Šã¾ã—ãŸã€‚" + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "アプリケーション編集" + +#: actions/deleteapplication.php:149 +#, fuzzy +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" +"ã‚ãªãŸã¯æœ¬å½“ã«ã“ã®åˆ©ç”¨è€…を削除ã—ãŸã„ã§ã™ã‹? ã“ã‚Œã¯ãƒãƒƒã‚¯ã‚¢ãƒƒãƒ—ãªã—ã§ãƒ‡ãƒ¼ã‚¿" +"ベースã‹ã‚‰åˆ©ç”¨è€…ã«é–¢ã™ã‚‹ã™ã¹ã¦ã®ãƒ‡ãƒ¼ã‚¿ã‚’クリアã—ã¾ã™ã€‚" + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "ã“ã®ã¤ã¶ã‚„ãを削除ã§ãã¾ã›ã‚“。" + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "ã“ã®ã‚¢ãƒ—リケーションã®ã‚¢ã‚¤ã‚³ãƒ³" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -939,7 +999,7 @@ msgstr "本当ã«ã“ã®ã¤ã¶ã‚„ãを削除ã—ã¾ã™ã‹ï¼Ÿ" msgid "Do not delete this notice" msgstr "ã“ã®ã¤ã¶ã‚„ãを削除ã§ãã¾ã›ã‚“。" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "ã“ã®ã¤ã¶ã‚„ãを削除" @@ -1083,7 +1143,7 @@ msgstr "ã“ã®ã¤ã¶ã‚„ãã¯ãŠæ°—ã«å…¥ã‚Šã§ã¯ã‚ã‚Šã¾ã›ã‚“!" msgid "Add to favorites" msgstr "ãŠæ°—ã«å…¥ã‚Šã«åŠ ãˆã‚‹" -#: actions/doc.php:155 +#: actions/doc.php:158 #, php-format msgid "No such document \"%s\"" msgstr "ãã®ã‚ˆã†ãªãƒ‰ã‚­ãƒ¥ãƒ¡ãƒ³ãƒˆã¯ã‚ã‚Šã¾ã›ã‚“。\"%s\"" @@ -1096,20 +1156,11 @@ msgstr "アプリケーション編集" msgid "You must be logged in to edit an application." msgstr "アプリケーションを編集ã™ã‚‹ã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ã„ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" -#: actions/editapplication.php:77 actions/showapplication.php:94 -msgid "You are not the owner of this application." -msgstr "ã“ã®ã‚¢ãƒ—リケーションã®ã‚ªãƒ¼ãƒŠãƒ¼ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 msgid "No such application." msgstr "ãã®ã‚ˆã†ãªã‚¢ãƒ—リケーションã¯ã‚ã‚Šã¾ã›ã‚“。" -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "ã‚ãªãŸã®ã‚»ãƒƒã‚·ãƒ§ãƒ³ãƒˆãƒ¼ã‚¯ãƒ³ã«é–¢ã™ã‚‹å•é¡ŒãŒã‚ã‚Šã¾ã—ãŸã€‚" - #: actions/editapplication.php:161 msgid "Use this form to edit your application." msgstr "ã“ã®ãƒ•ã‚©ãƒ¼ãƒ ã‚’使ã£ã¦ã‚¢ãƒ—リケーションを編集ã—ã¾ã™ã€‚" @@ -1118,43 +1169,48 @@ msgstr "ã“ã®ãƒ•ã‚©ãƒ¼ãƒ ã‚’使ã£ã¦ã‚¢ãƒ—リケーションを編集ã—ã¾ã™ msgid "Name is required." msgstr "åå‰ã¯å¿…é ˆã§ã™ã€‚" -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 msgid "Name is too long (max 255 chars)." msgstr "åå‰ãŒé•·ã™ãŽã¾ã™ã€‚(最大255å­—ã¾ã§ï¼‰" -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "ãã®ãƒ‹ãƒƒã‚¯ãƒãƒ¼ãƒ ã¯æ—¢ã«ä½¿ç”¨ã•ã‚Œã¦ã„ã¾ã™ã€‚ä»–ã®ã‚‚ã®ã‚’試ã—ã¦ã¿ã¦ä¸‹ã•ã„。" + +#: actions/editapplication.php:186 actions/newapplication.php:168 msgid "Description is required." msgstr "概è¦ãŒå¿…è¦ã§ã™ã€‚" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "ソースURLãŒé•·ã™ãŽã¾ã™ã€‚" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Source URL is not valid." msgstr "ソースURLãŒä¸æ­£ã§ã™ã€‚" -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "組織ãŒå¿…è¦ã§ã™ã€‚" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization is too long (max 255 chars)." msgstr "組織ãŒé•·ã™ãŽã¾ã™ã€‚(最大255字)" -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "組織ã®ãƒ›ãƒ¼ãƒ ãƒšãƒ¼ã‚¸ãŒå¿…è¦ã§ã™ã€‚" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "コールãƒãƒƒã‚¯ãŒé•·ã™ãŽã¾ã™ã€‚" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "コールãƒãƒƒã‚¯URLãŒä¸æ­£ã§ã™ã€‚" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 msgid "Could not update application." msgstr "アプリケーションを更新ã§ãã¾ã›ã‚“。" @@ -2086,11 +2142,11 @@ msgstr "アプリケーションを登録ã™ã‚‹ã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ã„ãªã‘ msgid "Use this form to register a new application." msgstr "ã“ã®ãƒ•ã‚©ãƒ¼ãƒ ã‚’使ã£ã¦æ–°ã—ã„アプリケーションを登録ã—ã¾ã™ã€‚" -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "ソースURLãŒå¿…è¦ã§ã™ã€‚" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 msgid "Could not create application." msgstr "アプリケーションを作æˆã§ãã¾ã›ã‚“。" @@ -2223,30 +2279,30 @@ msgstr "ã‚ãªãŸãŒç™»éŒ²ã—ãŸã‚¢ãƒ—リケーション" msgid "You have not registered any applications yet." msgstr "ã‚ãªãŸã¯ã¾ã ãªã‚“ã®ã‚¢ãƒ—リケーションも登録ã—ã¦ã„ã¾ã›ã‚“。" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "接続ã•ã‚ŒãŸã‚¢ãƒ—リケーション" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "ã‚ãªãŸã®ã‚¢ã‚«ã‚¦ãƒ³ãƒˆã«ã‚¢ã‚¯ã‚»ã‚¹ã™ã‚‹ä»¥ä¸‹ã®ã‚¢ãƒ—リケーションを許å¯ã—ã¾ã—ãŸã€‚" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 msgid "You are not a user of that application." msgstr "ã‚ãªãŸã¯ãã®ã‚¢ãƒ—リケーションã®åˆ©ç”¨è€…ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "アプリケーションã®ãŸã‚ã®å–消ã—アクセスãŒã§ãã¾ã›ã‚“: " -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" "ã‚ãªãŸã¯ã€ã©ã‚“ãªã‚¢ãƒ—リケーションもã‚ãªãŸã®ã‚¢ã‚«ã‚¦ãƒ³ãƒˆã‚’使用ã™ã‚‹ã®ã‚’èªå¯ã—ã¦ã„" "ã¾ã›ã‚“。" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "開発者ã¯å½¼ã‚‰ã®ã‚¢ãƒ—リケーションã®ãŸã‚ã«ç™»éŒ²è¨­å®šã‚’編集ã§ãã¾ã™ " @@ -2747,19 +2803,19 @@ msgstr "パブリックタイムラインã€ãƒšãƒ¼ã‚¸ %d" msgid "Public timeline" msgstr "パブリックタイムライン" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "パブリックストリームフィード (RSS 1.0)" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "パブリックストリームフィード (RSS 2.0)" -#: actions/public.php:159 +#: actions/public.php:167 msgid "Public Stream Feed (Atom)" msgstr "パブリックストリームフィード (Atom)" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2768,11 +2824,11 @@ msgstr "" "ã“れ㯠%%site.name%% ã®ãƒ‘ブリックタイムラインã§ã™ã€ã—ã‹ã—ã¾ã èª°ã‚‚投稿ã—ã¦ã„ã¾" "ã›ã‚“。" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "投稿ã™ã‚‹1番目ã«ãªã£ã¦ãã ã•ã„!" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2780,7 +2836,7 @@ msgstr "" "ãªãœ [アカウント登録](%%action.register%%) ã—ãªã„ã®ã§ã™ã‹ã€ãã—ã¦æœ€åˆã®æŠ•ç¨¿ã‚’" "ã—ã¦ãã ã•ã„!" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2794,7 +2850,7 @@ msgstr "" "æ—ãã—ã¦åŒåƒšãªã©ã«ã¤ã„ã¦ã®ã¤ã¶ã‚„ãを共有ã—ã¾ã—ょã†! ([ã‚‚ã£ã¨èª­ã‚€](%%doc.help%" "%))" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3157,7 +3213,7 @@ msgstr "自分ã®ã¤ã¶ã‚„ãã¯ç¹°ã‚Šè¿”ã›ã¾ã›ã‚“。" msgid "You already repeated that notice." msgstr "ã™ã§ã«ãã®ã¤ã¶ã‚„ãã‚’ç¹°ã‚Šè¿”ã—ã¦ã„ã¾ã™ã€‚" -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 msgid "Repeated" msgstr "ç¹°ã‚Šè¿”ã•ã‚ŒãŸ" @@ -3223,6 +3279,10 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "%2$s 上㮠%1$s ã¸ã®è¿”ä¿¡!" +#: actions/rsd.php:146 actions/version.php:157 +msgid "StatusNet" +msgstr "StatusNet" + #: actions/sandbox.php:65 actions/unsandbox.php:65 msgid "You cannot sandbox users on this site." msgstr "ã‚ãªãŸã¯ã“ã®ã‚µã‚¤ãƒˆã®ã‚µãƒ³ãƒ‰ãƒœãƒƒã‚¯ã‚¹ãƒ¦ãƒ¼ã‚¶ãŒã§ãã¾ã›ã‚“。" @@ -3295,42 +3355,42 @@ msgstr "統計データ" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "アプリケーションアクション" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "key 㨠secret ã®ãƒªã‚»ãƒƒãƒˆ" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "アプリケーション情報" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "リクエストトークンURL" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "アクセストークンURL" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "承èªURL" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3554,12 +3614,12 @@ msgstr "%sã®ã¤ã¶ã‚„ãフィード (Atom)" msgid "FOAF for %s" msgstr "%s ã® FOAF" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "ã“れ㯠%1$s ã®ã‚¿ã‚¤ãƒ ãƒ©ã‚¤ãƒ³ã§ã™ãŒã€%2$s ã¯ã¾ã ãªã«ã‚‚投稿ã—ã¦ã„ã¾ã›ã‚“。" -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -3567,7 +3627,7 @@ msgstr "" "最近ãŠã‚‚ã—ã‚ã„ã‚‚ã®ã¯ä½•ã§ã—ょã†? ã‚ãªãŸã¯å°‘ã—ã®ã¤ã¶ã‚„ãも投稿ã—ã¦ã„ã¾ã›ã‚“ãŒã€" "ã„ã¾ã¯å§‹ã‚る良ã„時ã§ã—ょã†:)" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" @@ -3576,7 +3636,7 @@ msgstr "" "ã‚ãªãŸã¯ã€%1$s ã«åˆå›³ã™ã‚‹ã‹ã€[ã¾ãŸã¯ãã®äººå®›ã«ä½•ã‹ã‚’投稿](%%%%action." "newnotice%%%%?status_textarea=%2$s) ã™ã‚‹ã“ã¨ãŒã§ãã¾ã™ã€‚" -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3590,7 +3650,7 @@ msgstr "" "%%%%)ã—ã¦ã€**%s** ã®ã¤ã¶ã‚„ããªã©ã‚’フォローã—ã¾ã—ょã†! ([ã‚‚ã£ã¨èª­ã‚€](%%%%doc." "help%%%%))" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3601,7 +3661,7 @@ msgstr "" "[StatusNet](http://status.net/)を基ã«ã—ãŸ[マイクロブロギング](http://en." "wikipedia.org/wiki/Micro-blogging) サービス。" -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, php-format msgid "Repeat of %s" msgstr "%s ã®ç¹°ã‚Šè¿”ã—" @@ -4282,10 +4342,6 @@ msgstr "" "This site is powered by %1$s version %2$s, Copyright 2008-2010 StatusNet, " "Inc. and contributors." -#: actions/version.php:157 -msgid "StatusNet" -msgstr "StatusNet" - #: actions/version.php:161 msgid "Contributors" msgstr "コントリビュータ" @@ -4411,21 +4467,21 @@ msgstr "ã‚ãªãŸã¯ã“ã®ã‚µã‚¤ãƒˆã§ã¤ã¶ã‚„ãを投稿ã™ã‚‹ã®ãŒç¦æ­¢ã• msgid "Problem saving notice." msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚" -#: classes/Notice.php:790 +#: classes/Notice.php:788 msgid "Problem saving group inbox." msgstr "グループå—信箱をä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚" -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "返信を追加ã™ã‚‹éš›ã«ãƒ‡ãƒ¼ã‚¿ãƒ™ãƒ¼ã‚¹ã‚¨ãƒ©ãƒ¼ : %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "よã†ã“ã %1$sã€@%2$s!" @@ -4696,13 +4752,14 @@ msgid "Paths configuration" msgstr "パス設定" #: lib/adminpanelaction.php:337 -#, fuzzy msgid "Sessions configuration" -msgstr "デザイン設定" +msgstr "セッション設定" #: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." msgstr "" +"APIリソースã¯èª­ã¿æ›¸ãアクセスãŒå¿…è¦ã§ã™ã€ã—ã‹ã—ã‚ãªãŸã¯èª­ã¿ã‚¢ã‚¯ã‚»ã‚¹ã—ã‹æŒã£ã¦" +"ã„ã¾ã›ã‚“。" #: lib/apiauth.php:279 #, php-format @@ -5062,21 +5119,21 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 msgid "No configuration file found. " msgstr "コンフィギュレーションファイルãŒã‚ã‚Šã¾ã›ã‚“。 " -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "ç§ã¯ä»¥ä¸‹ã®å ´æ‰€ã§ã‚³ãƒ³ãƒ•ã‚£ã‚®ãƒ¥ãƒ¬ãƒ¼ã‚·ãƒ§ãƒ³ãƒ•ã‚¡ã‚¤ãƒ«ã‚’探ã—ã¾ã—ãŸ: " -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" "ã‚ãªãŸã¯ã€ã“れを修ç†ã™ã‚‹ãŸã‚ã«ã‚¤ãƒ³ã‚¹ãƒˆãƒ¼ãƒ©ã‚’å‹•ã‹ã—ãŸãŒã£ã¦ã„ã‚‹ã‹ã‚‚ã—ã‚Œã¾ã›" "ん。" -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "インストーラã¸ã€‚" @@ -5726,23 +5783,23 @@ msgstr "西" msgid "at" msgstr "at" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 msgid "Repeated by" msgstr "" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "ã“ã®ã¤ã¶ã‚„ãã¸è¿”ä¿¡" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "返信" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 msgid "Notice repeated" msgstr "ã¤ã¶ã‚„ãã‚’ç¹°ã‚Šè¿”ã—ã¾ã—ãŸ" @@ -5883,6 +5940,10 @@ msgstr "ã“ã®ã¤ã¶ã‚„ãã‚’ç¹°ã‚Šè¿”ã—ã¾ã™ã‹?" msgid "Repeat this notice" msgstr "ã“ã®ã¤ã¶ã‚„ãã‚’ç¹°ã‚Šè¿”ã™" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "サンドボックス" @@ -6049,47 +6110,47 @@ msgstr "メッセージ" msgid "Moderate" msgstr "å¸ä¼š" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "数秒å‰" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "ç´„ 1 分å‰" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "ç´„ %d 分å‰" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "ç´„ 1 時間å‰" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "ç´„ %d 時間å‰" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "ç´„ 1 æ—¥å‰" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "ç´„ %d æ—¥å‰" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "ç´„ 1 ヵ月å‰" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "ç´„ %d ヵ月å‰" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "ç´„ 1 å¹´å‰" diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index 9b939636a..3c85974bc 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:42:13+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:21:32+0000\n" "Language-Team: Korean\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: out-statusnet\n" @@ -99,7 +99,7 @@ msgstr "그러한 태그가 없습니다." #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -156,7 +156,7 @@ msgid "" "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -393,8 +393,8 @@ msgstr "ë³„ëª…ì´ ì´ë¯¸ 사용중 입니다. 다른 ë³„ëª…ì„ ì‹œë„í•´ ë³´ì‹­ msgid "Not a valid nickname." msgstr "유효한 ë³„ëª…ì´ ì•„ë‹™ë‹ˆë‹¤" -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -406,8 +406,8 @@ msgstr "홈페ì´ì§€ 주소형ì‹ì´ 올바르지 않습니다." msgid "Full name is too long (max 255 chars)." msgstr "ì‹¤ëª…ì´ ë„ˆë¬´ ê¹ë‹ˆë‹¤. (최대 255글ìž)" -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "ì„¤ëª…ì´ ë„ˆë¬´ 길어요. (최대 140글ìž)" @@ -487,18 +487,23 @@ msgstr "%s 그룹" msgid "groups on %s" msgstr "그룹 í–‰ë™" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "옳지 ì•Šì€ í¬ê¸°" + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -509,76 +514,84 @@ msgstr "" msgid "There was a problem with your session token. Try again, please." msgstr "세션토í°ì— 문제가 있습니다. 다시 ì‹œë„해주세요." -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 #, fuzzy msgid "Invalid nickname / password!" msgstr "ì‚¬ìš©ìž ì´ë¦„ì´ë‚˜ 비밀 번호가 틀렸습니다." -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "ì‚¬ìš©ìž ì„¸íŒ… 오류" -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "해쉬테그를 추가 í•  ë•Œì— ë°ì´íƒ€ë² ì´ìŠ¤ ì—러 : %s" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "ìž˜ëª»ëœ í¼ ì œì¶œ" -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "계정" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "별명" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "비밀 번호" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 #, fuzzy msgid "Allow" msgstr "모든 것" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -752,8 +765,8 @@ msgstr "ì›ëž˜ 설정" msgid "Preview" msgstr "미리보기" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "ì‚­ì œ" @@ -802,8 +815,9 @@ msgid "" "will not be notified of any @-replies from them." msgstr "" -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "아니오" @@ -812,9 +826,9 @@ msgstr "아니오" msgid "Do not block this user" msgstr "ì´ ì‚¬ìš©ìžë¥¼ 차단해제합니다." -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "네, 맞습니다." @@ -923,6 +937,50 @@ msgstr "ì¸ì¦ 코드" msgid "Notices" msgstr "통지" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "ê·¸ë£¹ì„ ë§Œë“¤ê¸° 위해서는 로그ì¸í•´ì•¼ 합니다." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "í†µì§€ì— í”„ë¡œí•„ì´ ì—†ìŠµë‹ˆë‹¤." + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "ë‹¹ì‹ ì€ í•´ë‹¹ ê·¸ë£¹ì˜ ë©¤ë²„ê°€ 아닙니다." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "ë‹¹ì‹ ì˜ ì„¸ì…˜í† í°ê´€ë ¨ 문제가 있습니다." + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "그러한 통지는 없습니다." + +#: actions/deleteapplication.php:149 +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "ì´ í†µì§€ë¥¼ 지울 수 없습니다." + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "ì´ ê²Œì‹œê¸€ 삭제하기" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -958,7 +1016,7 @@ msgstr "ì •ë§ë¡œ 통지를 삭제하시겠습니까?" msgid "Do not delete this notice" msgstr "ì´ í†µì§€ë¥¼ 지울 수 없습니다." -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "ì´ ê²Œì‹œê¸€ 삭제하기" @@ -1112,7 +1170,7 @@ msgstr "ì´ ë©”ì‹œì§€ëŠ” favoriteì´ ì•„ë‹™ë‹ˆë‹¤." msgid "Add to favorites" msgstr "좋아하는 게시글로 추가하기" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "그러한 문서는 없습니다." @@ -1127,22 +1185,12 @@ msgstr "다른 옵션들" msgid "You must be logged in to edit an application." msgstr "ê·¸ë£¹ì„ ë§Œë“¤ê¸° 위해서는 로그ì¸í•´ì•¼ 합니다." -#: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy -msgid "You are not the owner of this application." -msgstr "ë‹¹ì‹ ì€ í•´ë‹¹ ê·¸ë£¹ì˜ ë©¤ë²„ê°€ 아닙니다." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 #, fuzzy msgid "No such application." msgstr "그러한 통지는 없습니다." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "ë‹¹ì‹ ì˜ ì„¸ì…˜í† í°ê´€ë ¨ 문제가 있습니다." - #: actions/editapplication.php:161 #, fuzzy msgid "Use this form to edit your application." @@ -1153,47 +1201,52 @@ msgstr "ë‹¤ìŒ ì–‘ì‹ì„ ì´ìš©í•´ ê·¸ë£¹ì„ íŽ¸ì§‘í•˜ì‹­ì‹œì˜¤." msgid "Name is required." msgstr "위와 ê°™ì€ ë¹„ë°€ 번호. 필수 사항." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 #, fuzzy msgid "Name is too long (max 255 chars)." msgstr "ì‹¤ëª…ì´ ë„ˆë¬´ ê¹ë‹ˆë‹¤. (최대 255글ìž)" -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "ë³„ëª…ì´ ì´ë¯¸ 사용중 입니다. 다른 ë³„ëª…ì„ ì‹œë„í•´ 보십시오." + +#: actions/editapplication.php:186 actions/newapplication.php:168 #, fuzzy msgid "Description is required." msgstr "설명" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 #, fuzzy msgid "Source URL is not valid." msgstr "홈페ì´ì§€ 주소형ì‹ì´ 올바르지 않습니다." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 #, fuzzy msgid "Organization is too long (max 255 chars)." msgstr "위치가 너무 ê¹ë‹ˆë‹¤. (최대 255글ìž)" -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 #, fuzzy msgid "Could not update application." msgstr "ê·¸ë£¹ì„ ì—…ë°ì´íŠ¸ í•  수 없습니다." @@ -2129,11 +2182,11 @@ msgstr "ê·¸ë£¹ì„ ë§Œë“¤ê¸° 위해서는 로그ì¸í•´ì•¼ 합니다." msgid "Use this form to register a new application." msgstr "새 ê·¸ë£¹ì„ ë§Œë“¤ê¸° 위해 ì´ ì–‘ì‹ì„ 사용하세요." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy msgid "Could not create application." msgstr "좋아하는 ê²Œì‹œê¸€ì„ ìƒì„±í•  수 없습니다." @@ -2266,29 +2319,29 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 #, fuzzy msgid "You are not a user of that application." msgstr "ë‹¹ì‹ ì€ í•´ë‹¹ ê·¸ë£¹ì˜ ë©¤ë²„ê°€ 아닙니다." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2806,39 +2859,39 @@ msgstr "공개 타임ë¼ì¸, %d 페ì´ì§€" msgid "Public timeline" msgstr "í¼ë¸”릭 타임ë¼ì¸" -#: actions/public.php:151 +#: actions/public.php:159 #, fuzzy msgid "Public Stream Feed (RSS 1.0)" msgstr "í¼ë¸”릭 스트림 피드" -#: actions/public.php:155 +#: actions/public.php:163 #, fuzzy msgid "Public Stream Feed (RSS 2.0)" msgstr "í¼ë¸”릭 스트림 피드" -#: actions/public.php:159 +#: actions/public.php:167 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "í¼ë¸”릭 스트림 피드" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2847,7 +2900,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:238 +#: actions/public.php:246 #, fuzzy, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3210,7 +3263,7 @@ msgstr "ë¼ì´ì„ ìŠ¤ì— ë™ì˜í•˜ì§€ 않는다면 등ë¡í•  수 없습니다." msgid "You already repeated that notice." msgstr "ë‹¹ì‹ ì€ ì´ë¯¸ ì´ ì‚¬ìš©ìžë¥¼ 차단하고 있습니다." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 #, fuzzy msgid "Repeated" msgstr "ìƒì„±" @@ -3272,6 +3325,11 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "%2$sì—ì„œ %1$s까지 메시지" +#: actions/rsd.php:146 actions/version.php:157 +#, fuzzy +msgid "StatusNet" +msgstr "아바타가 ì—…ë°ì´íŠ¸ ë˜ì—ˆìŠµë‹ˆë‹¤." + #: actions/sandbox.php:65 actions/unsandbox.php:65 #, fuzzy msgid "You cannot sandbox users on this site." @@ -3350,42 +3408,42 @@ msgstr "통계" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3595,25 +3653,25 @@ msgstr "%sì˜ í†µì§€ 피드" msgid "FOAF for %s" msgstr "%sì˜ ë³´ë‚¸ìª½ì§€í•¨" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3622,7 +3680,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, fuzzy, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3632,7 +3690,7 @@ msgstr "" "**%s**는 %%%%site.name%%%% [마ì´í¬ë¡œë¸”로깅](http://en.wikipedia.org/wiki/" "Micro-blogging) ì„œë¹„ìŠ¤ì— ê³„ì •ì„ ê°–ê³  있습니다." -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, fuzzy, php-format msgid "Repeat of %s" msgstr "%sì— ë‹µì‹ " @@ -4313,11 +4371,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -#, fuzzy -msgid "StatusNet" -msgstr "아바타가 ì—…ë°ì´íŠ¸ ë˜ì—ˆìŠµë‹ˆë‹¤." - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4446,22 +4499,22 @@ msgstr "ì´ ì‚¬ì´íŠ¸ì— 게시글 í¬ìŠ¤íŒ…으로부터 ë‹¹ì‹ ì€ ê¸ˆì§€ë˜ì—ˆ msgid "Problem saving notice." msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:790 +#: classes/Notice.php:788 #, fuzzy msgid "Problem saving group inbox." msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "ë‹µì‹ ì„ ì¶”ê°€ í•  ë•Œì— ë°ì´íƒ€ë² ì´ìŠ¤ ì—러 : %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" -#: classes/User.php:382 +#: classes/User.php:385 #, fuzzy, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "%2$sì—ì„œ %1$s까지 메시지" @@ -5124,20 +5177,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 #, fuzzy msgid "No configuration file found. " msgstr "í™•ì¸ ì½”ë“œê°€ 없습니다." -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:135 +#: lib/common.php:139 #, fuzzy msgid "Go to the installer." msgstr "ì´ ì‚¬ì´íŠ¸ 로그ì¸" @@ -5708,25 +5761,25 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 #, fuzzy msgid "in context" msgstr "ë‚´ìš©ì´ ì—†ìŠµë‹ˆë‹¤!" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 #, fuzzy msgid "Repeated by" msgstr "ìƒì„±" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "ì´ ê²Œì‹œê¸€ì— ëŒ€í•´ 답장하기" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "답장하기" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 #, fuzzy msgid "Notice repeated" msgstr "ê²Œì‹œê¸€ì´ ë“±ë¡ë˜ì—ˆìŠµë‹ˆë‹¤." @@ -5875,6 +5928,10 @@ msgstr "ì´ ê²Œì‹œê¸€ì— ëŒ€í•´ 답장하기" msgid "Repeat this notice" msgstr "ì´ ê²Œì‹œê¸€ì— ëŒ€í•´ 답장하기" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 #, fuzzy msgid "Sandbox" @@ -6052,47 +6109,47 @@ msgstr "메시지" msgid "Moderate" msgstr "" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "몇 ì´ˆ ì „" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "1분 ì „" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "%d분 ì „" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "1시간 ì „" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "%d시간 ì „" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "하루 ì „" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "%dì¼ ì „" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "1달 ì „" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "%d달 ì „" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "1ë…„ ì „" diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index acd8005c5..87e375047 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:42:17+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:21:36+0000\n" "Language-Team: Macedonian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: out-statusnet\n" @@ -95,7 +95,7 @@ msgstr "Ðема таква Ñтраница" #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -158,7 +158,7 @@ msgstr "" "на кориÑникот или да [објавите нешто што Ñакате тој да го прочита](%%%%" "action.newnotice%%%%?status_textarea=%3$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -390,8 +390,8 @@ msgstr "Тој прекар е во употреба. Одберете друг. msgid "Not a valid nickname." msgstr "Ðеправилен прекар." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -403,8 +403,8 @@ msgstr "Главната Ñтраница не е важечка URL-Ð°Ð´Ñ€ÐµÑ msgid "Full name is too long (max 255 chars)." msgstr "Целото име е предолго (макÑимум 255 знаци)" -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "ОпиÑот е предолг (дозволено е највеќе %d знаци)." @@ -481,18 +481,23 @@ msgstr "%s групи" msgid "groups on %s" msgstr "групи на %s" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." -msgstr "Лошо барање." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." +msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "Погрешна големина." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -503,74 +508,82 @@ msgstr "Лошо барање." msgid "There was a problem with your session token. Try again, please." msgstr "Се поајви проблем Ñо Вашиот ÑеÑиÑки жетон. Обидете Ñе повторно." -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 msgid "Invalid nickname / password!" msgstr "Погрешен прекар / лозинка!" -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 msgid "Database error deleting OAuth application user." msgstr "Грешка при бришењето на кориÑникот на OAuth-програмот." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 msgid "Database error inserting OAuth application user." msgstr "" "Грешка во базата на податоци при вметнувањето на кориÑникот на OAuth-" "програмот." -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "Жетонот на барањето %s е одобрен. Заменете го Ñо жетон за приÑтап." -#: actions/apioauthauthorize.php:241 -#, php-format -msgid "The request token %s has been denied." +#: actions/apioauthauthorize.php:227 +#, fuzzy, php-format +msgid "The request token %s has been denied and revoked." msgstr "Жетонот на барањето %s е одбиен." -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "Ðеочекувано поднеÑување на образец." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "Има програм кој Ñака да Ñе поврзе Ñо Вашата Ñметка" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "Дозволи или одбиј приÑтап" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Сметка" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Прекар" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Лозинка" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "Одбиј" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 msgid "Allow" msgstr "Дозволи" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "Дозволете или одбијте приÑтап до податоците за Вашата Ñметка." @@ -743,8 +756,8 @@ msgstr "Оригинал" msgid "Preview" msgstr "Преглед" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Бриши" @@ -795,8 +808,9 @@ msgstr "" "претплати на Ð’Ð°Ñ Ð²Ð¾ иднина, и нема да бидете извеÑтени ако имате @-одговори " "од кориÑникот." -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "Ðе" @@ -804,9 +818,9 @@ msgstr "Ðе" msgid "Do not block this user" msgstr "Ðе го блокирај кориÑников" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Да" @@ -910,6 +924,52 @@ msgstr "Разговор" msgid "Notices" msgstr "Забелешки" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "Мора да Ñте најавени за да можете да уредувате програми." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Инфо за програмот" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +msgid "You are not the owner of this application." +msgstr "Ðе Ñте ÑопÑтвеник на овој програм." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "Се појави проблем Ñо Вашиот ÑеÑиÑки жетон." + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "Уреди програм" + +#: actions/deleteapplication.php:149 +#, fuzzy +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" +"Дали Ñе Ñигурни дека Ñакате да го избришете овој кориÑник? Ова воедно ќе ги " +"избрише Ñите податоци за кориÑникот од базата, без да може да Ñе вратат." + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Ðе ја бриши оваа забелешка" + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Икона за овој програм" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -944,7 +1004,7 @@ msgstr "Дали Ñте Ñигурни дека Ñакате да ја избр msgid "Do not delete this notice" msgstr "Ðе ја бриши оваа забелешка" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "Бриши ја оваа забелешка" @@ -1088,7 +1148,7 @@ msgstr "Оваа забелешка не Ви е омилена!" msgid "Add to favorites" msgstr "Додај во омилени" -#: actions/doc.php:155 +#: actions/doc.php:158 #, php-format msgid "No such document \"%s\"" msgstr "Ðема документ Ñо наÑлов „%s“" @@ -1101,20 +1161,11 @@ msgstr "Уреди програм" msgid "You must be logged in to edit an application." msgstr "Мора да Ñте најавени за да можете да уредувате програми." -#: actions/editapplication.php:77 actions/showapplication.php:94 -msgid "You are not the owner of this application." -msgstr "Ðе Ñте ÑопÑтвеник на овој програм." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 msgid "No such application." msgstr "Ðема таков програм." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "Се појави проблем Ñо Вашиот ÑеÑиÑки жетон." - #: actions/editapplication.php:161 msgid "Use this form to edit your application." msgstr "Образецов Ñлужи за уредување на програмот." @@ -1123,43 +1174,48 @@ msgstr "Образецов Ñлужи за уредување на програ msgid "Name is required." msgstr "Треба име." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 msgid "Name is too long (max 255 chars)." msgstr "Името е предолго (макÑимум 255 знаци)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "Тој прекар е во употреба. Одберете друг." + +#: actions/editapplication.php:186 actions/newapplication.php:168 msgid "Description is required." msgstr "Треба опиÑ." -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "Изворната URL-адреÑа е предолга." -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Source URL is not valid." msgstr "Изворната URL-адреÑа е неважечка." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "Треба организација." -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization is too long (max 255 chars)." msgstr "Организацијата е предолга (макÑимумот е 255 знаци)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "Треба домашна Ñтраница на организацијата." -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "Повикувањето е предолго." -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "URL-адреÑата за повикување е неважечка." -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 msgid "Could not update application." msgstr "Ðе можев да го подновам програмот." @@ -2097,11 +2153,11 @@ msgstr "Мора да Ñте најавени за да можете да рег msgid "Use this form to register a new application." msgstr "Овој образец Ñлужи за региÑтрирање на нов програм." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "Треба изворна URL-адреÑа." -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 msgid "Could not create application." msgstr "Ðе можеше да Ñе Ñоздаде програмот." @@ -2237,28 +2293,28 @@ msgstr "Програми што ги имате региÑтрирано" msgid "You have not registered any applications yet." msgstr "Сè уште немате региÑтрирано ниеден програм," -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "Поврзани програми" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "Им имате дозволено приÑтап до Вашата Ñметка на Ñледните програми." -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 msgid "You are not a user of that application." msgstr "Ðе Ñте кориÑник на тој програм." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "Ðе можам да му го одземам приÑтапот на програмот: " -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "Му немате дозволено приÑтап до Вашата Ñметка на ниеден програм." -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" "Развивачите можат да ги нагодат региÑтрациÑките поÑтавки за нивните програми " @@ -2764,19 +2820,19 @@ msgstr "Јавна иÑторија, ÑÑ‚Ñ€. %d" msgid "Public timeline" msgstr "Јавна иÑторија" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "Канал на јавниот поток (RSS 1.0)" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "Канал на јавниот поток (RSS 2.0)" -#: actions/public.php:159 +#: actions/public.php:167 msgid "Public Stream Feed (Atom)" msgstr "Канал на јавниот поток (Atom)" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2784,11 +2840,11 @@ msgid "" msgstr "" "Ова е јавната иÑторија за %%site.name%%, но доÑега никој ништо нема објавено." -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "Создајте ја првата забелешка!" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2796,7 +2852,7 @@ msgstr "" "Зошто не [региÑтрирате Ñметка](%%action.register%%) и Ñтанете првиот " "објавувач!" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2810,7 +2866,7 @@ msgstr "" "Ñподелувате забелешки за Ñебе Ñо приајтелите, ÑемејÑтвото и колегите! " "([Прочитајте повеќе](%%doc.help%%))" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3179,7 +3235,7 @@ msgstr "Ðе можете да повторувате ÑопÑтвена заб msgid "You already repeated that notice." msgstr "Веќе ја имате повторено таа забелешка." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 msgid "Repeated" msgstr "Повторено" @@ -3245,6 +3301,10 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Одговори на %1$s на %2$s!" +#: actions/rsd.php:146 actions/version.php:157 +msgid "StatusNet" +msgstr "StatusNet" + #: actions/sandbox.php:65 actions/unsandbox.php:65 msgid "You cannot sandbox users on this site." msgstr "Ðе можете да Ñтавате кориÑници во пеÑочен режим на оваа веб-Ñтраница." @@ -3259,9 +3319,8 @@ msgid "Sessions" msgstr "СеÑии" #: actions/sessionsadminpanel.php:65 -#, fuzzy msgid "Session settings for this StatusNet site." -msgstr "Ðагодувања на изгледот на оваа StatusNet веб-Ñтраница." +msgstr "Ðагодувања на ÑеÑиите за оваа StatusNet веб-Ñтраница." #: actions/sessionsadminpanel.php:175 msgid "Handle sessions" @@ -3316,43 +3375,43 @@ msgid "Statistics" msgstr "СтатиÑтики" #: actions/showapplication.php:204 -#, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +#, fuzzy, php-format +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "Ñоздал: %1$s - оÑновен приÑтап: %2$s - %3$d кориÑници" #: actions/showapplication.php:214 msgid "Application actions" msgstr "ДејÑтва на програмот" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "Клуч за промена и тајна" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "Инфо за програмот" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "Потрошувачки клуч" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "Потрошувачка тајна" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "URL на жетонот на барањето" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "URL на приÑтапниот жетон" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "Одобри URL" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3577,12 +3636,12 @@ msgstr "Канал Ñо забелешки за %s (Atom)" msgid "FOAF for %s" msgstr "FOAF за %s" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "Ова е иÑторијата за %1$s, но %2$s Ñè уште нема објавено ништо." -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -3590,7 +3649,7 @@ msgstr "" "Имате видено нешто интереÑно во поÑледно време? Сè уште немате објавено " "ниедна забелешка, но Ñега е добро време за да почнете :)" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" @@ -3599,7 +3658,7 @@ msgstr "" "Можете да го подбуцнете кориÑникот %1$s или [да објавите нешто што Ñакате да " "го прочита](%%%%action.newnotice%%%%?status_textarea=%2$s)." -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3613,7 +3672,7 @@ msgstr "" "register%%%%) за да можете да ги Ñледите забелешките на **%s** и многу " "повеќе! ([Прочитајте повеќе](%%%%doc.help%%%%))" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3624,7 +3683,7 @@ msgstr "" "(http://mk.wikipedia.org/wiki/Микроблогирање) базирана на Ñлободната " "програмÑка алатка [StatusNet](http://status.net/). " -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, php-format msgid "Repeat of %s" msgstr "Повторувања на %s" @@ -4307,10 +4366,6 @@ msgstr "" "Оваа веб-Ñтраница работи на %1$s верзија %2$s, ÐвторÑки права 2008-2010 " "StatusNet, Inc. и учеÑници." -#: actions/version.php:157 -msgid "StatusNet" -msgstr "StatusNet" - #: actions/version.php:161 msgid "Contributors" msgstr "УчеÑници" @@ -4445,21 +4500,21 @@ msgstr "Забрането Ви е да објавувате забелешки msgid "Problem saving notice." msgstr "Проблем во зачувувањето на белешката." -#: classes/Notice.php:790 +#: classes/Notice.php:788 msgid "Problem saving group inbox." msgstr "Проблем при зачувувањето на групното приемно Ñандаче." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "Одговор од внеÑот во базата: %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Добредојдовте на %1$s, @%2$s!" @@ -4734,9 +4789,8 @@ msgid "Paths configuration" msgstr "Конфигурација на патеки" #: lib/adminpanelaction.php:337 -#, fuzzy msgid "Sessions configuration" -msgstr "Конфигурација на изгледот" +msgstr "Конфигурација на ÑеÑиите" #: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." @@ -5144,19 +5198,19 @@ msgstr "" "tracks - Ñè уште не е имплементирано.\n" "tracking - Ñè уште не е имплементирано.\n" -#: lib/common.php:131 +#: lib/common.php:135 msgid "No configuration file found. " msgstr "Ðема пронајдено конфигурациÑка податотека. " -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "Побарав конфигурациони податотеки на Ñледниве меÑта: " -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "Препорачуваме да го пуштите инÑталатерот за да го поправите ова." -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "Оди на инÑталаторот." @@ -5807,23 +5861,23 @@ msgstr "З" msgid "at" msgstr "во" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "во контекÑÑ‚" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 msgid "Repeated by" msgstr "Повторено од" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "Одговори на забелешкава" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "Одговор" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 msgid "Notice repeated" msgstr "Забелешката е повторена" @@ -5964,6 +6018,10 @@ msgstr "Да ја повторам белешкава?" msgid "Repeat this notice" msgstr "Повтори ја забелешкава" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "ПеÑок" @@ -6130,47 +6188,47 @@ msgstr "Порака" msgid "Moderate" msgstr "Модерирај" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "пред неколку Ñекунди" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "пред една минута" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "пред %d минути" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "пред еден чаÑ" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "пред %d чаÑа" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "пред еден ден" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "пред %d денови" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "пред еден меÑец" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "пред %d меÑеца" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "пред една година" diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index ef35a39b1..13d763b26 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:42:20+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:21:39+0000\n" "Language-Team: Norwegian (bokmÃ¥l)‬\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: out-statusnet\n" @@ -96,7 +96,7 @@ msgstr "Ingen slik side" #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -158,7 +158,7 @@ msgstr "" "hans eller hennes oppmerksomhet](%%%%action.newnotice%%%%?status_textarea=%" "s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -393,8 +393,8 @@ msgstr "Det nicket er allerede i bruk. Prøv et annet." msgid "Not a valid nickname." msgstr "Ugyldig nick." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -406,8 +406,8 @@ msgstr "Hjemmesiden er ikke en gyldig URL." msgid "Full name is too long (max 255 chars)." msgstr "Beklager, navnet er for langt (max 250 tegn)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "Beskrivelsen er for lang (maks %d tegn)." @@ -486,18 +486,23 @@ msgstr "" msgid "groups on %s" msgstr "" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "Ugyldig størrelse" + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -508,74 +513,82 @@ msgstr "" msgid "There was a problem with your session token. Try again, please." msgstr "" -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 #, fuzzy msgid "Invalid nickname / password!" msgstr "Ugyldig brukernavn eller passord" -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 msgid "Database error deleting OAuth application user." msgstr "" -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 msgid "Database error inserting OAuth application user." msgstr "" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "" -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 #, fuzzy msgid "Account" msgstr "Om" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Nick" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Passord" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 msgid "Allow" msgstr "" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -748,8 +761,8 @@ msgstr "" msgid "Preview" msgstr "" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 #, fuzzy msgid "Delete" msgstr "slett" @@ -799,8 +812,9 @@ msgid "" "will not be notified of any @-replies from them." msgstr "" -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "" @@ -809,9 +823,9 @@ msgstr "" msgid "Do not block this user" msgstr "Kan ikke slette notisen." -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Ja" @@ -918,6 +932,50 @@ msgstr "Bekreftelseskode" msgid "Notices" msgstr "" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "Gjør brukeren til en administrator for gruppen" + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Fant ikke bekreftelseskode." + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Du er allerede logget inn!" + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "Ingen slik side" + +#: actions/deleteapplication.php:149 +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Kan ikke slette notisen." + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Beskriv degselv og dine interesser med 140 tegn" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -951,7 +1009,7 @@ msgstr "Er du sikker pÃ¥ at du vil slette denne notisen?" msgid "Do not delete this notice" msgstr "Kan ikke slette notisen." -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "" @@ -1101,7 +1159,7 @@ msgstr "" msgid "Add to favorites" msgstr "" -#: actions/doc.php:155 +#: actions/doc.php:158 #, php-format msgid "No such document \"%s\"" msgstr "" @@ -1116,22 +1174,12 @@ msgstr "Ingen slik side" msgid "You must be logged in to edit an application." msgstr "Gjør brukeren til en administrator for gruppen" -#: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy -msgid "You are not the owner of this application." -msgstr "Du er allerede logget inn!" - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 #, fuzzy msgid "No such application." msgstr "Ingen slik side" -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "" - #: actions/editapplication.php:161 msgid "Use this form to edit your application." msgstr "" @@ -1140,47 +1188,52 @@ msgstr "" msgid "Name is required." msgstr "" -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 #, fuzzy msgid "Name is too long (max 255 chars)." msgstr "Beklager, navnet er for langt (max 250 tegn)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "Det nicket er allerede i bruk. Prøv et annet." + +#: actions/editapplication.php:186 actions/newapplication.php:168 #, fuzzy msgid "Description is required." msgstr "Alle abonnementer" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 #, fuzzy msgid "Source URL is not valid." msgstr "Hjemmesiden er ikke en gyldig URL." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 #, fuzzy msgid "Organization is too long (max 255 chars)." msgstr "Beskrivelsen er for lang (maks %d tegn)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 #, fuzzy msgid "Could not update application." msgstr "Klarte ikke Ã¥ oppdatere bruker." @@ -2086,11 +2139,11 @@ msgstr "" msgid "Use this form to register a new application." msgstr "" -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy msgid "Could not create application." msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" @@ -2216,29 +2269,29 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 #, fuzzy msgid "You are not a user of that application." msgstr "Du er allerede logget inn!" -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2748,37 +2801,37 @@ msgstr "" msgid "Public timeline" msgstr "" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "" -#: actions/public.php:159 +#: actions/public.php:167 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "%s offentlig strøm" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2787,7 +2840,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3140,7 +3193,7 @@ msgstr "" msgid "You already repeated that notice." msgstr "Du er allerede logget inn!" -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 #, fuzzy msgid "Repeated" msgstr "Opprett" @@ -3205,6 +3258,11 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Svar til %s" +#: actions/rsd.php:146 actions/version.php:157 +#, fuzzy +msgid "StatusNet" +msgstr "Statistikk" + #: actions/sandbox.php:65 actions/unsandbox.php:65 #, fuzzy msgid "You cannot sandbox users on this site." @@ -3282,42 +3340,42 @@ msgstr "Statistikk" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3525,18 +3583,18 @@ msgstr "" msgid "FOAF for %s" msgstr "Feed for taggen %s" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, fuzzy, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "Dette er tidslinjen for %s og venner, men ingen har postet noe enda." -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, fuzzy, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" @@ -3546,7 +3604,7 @@ msgstr "" "hans eller hennes oppmerksomhet](%%%%action.newnotice%%%%?status_textarea=%" "s)." -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3555,7 +3613,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3563,7 +3621,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Svar til %s" @@ -4224,11 +4282,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -#, fuzzy -msgid "StatusNet" -msgstr "Statistikk" - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4350,21 +4403,21 @@ msgstr "" msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:790 +#: classes/Notice.php:788 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" @@ -5015,20 +5068,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 #, fuzzy msgid "No configuration file found. " msgstr "Fant ikke bekreftelseskode." -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "" @@ -5602,25 +5655,25 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 #, fuzzy msgid "Repeated by" msgstr "Opprett" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 #, fuzzy msgid "Reply" msgstr "svar" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 #, fuzzy msgid "Notice repeated" msgstr "Nytt nick" @@ -5767,6 +5820,10 @@ msgstr "Kan ikke slette notisen." msgid "Repeat this notice" msgstr "Kan ikke slette notisen." +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "" @@ -5942,47 +5999,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "noen fÃ¥ sekunder siden" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "omtrent ett minutt siden" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "omtrent %d minutter siden" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "omtrent én time siden" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "omtrent %d timer siden" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "omtrent én dag siden" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "omtrent %d dager siden" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "omtrent én mÃ¥ned siden" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "omtrent %d mÃ¥neder siden" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "omtrent ett Ã¥r siden" diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index 9de175f9a..c00e68ce6 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:42:26+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:21:47+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: out-statusnet\n" @@ -94,7 +94,7 @@ msgstr "Deze pagina bestaat niet" #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -158,7 +158,7 @@ msgstr "" "bericht voor die gebruiker plaatsen](%%%%action.newnotice%%%%?" "status_textarea=%3$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -394,8 +394,8 @@ msgstr "" msgid "Not a valid nickname." msgstr "Ongeldige gebruikersnaam!" -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -407,8 +407,8 @@ msgstr "De thuispagina is geen geldige URL." msgid "Full name is too long (max 255 chars)." msgstr "De volledige naam is te lang (maximaal 255 tekens)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "De beschrijving is te lang (maximaal %d tekens)." @@ -485,18 +485,23 @@ msgstr "%s groepen" msgid "groups on %s" msgstr "groepen op %s" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." -msgstr "Ongeldig verzoek." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." +msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "Ongeldige afmetingen." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -509,23 +514,23 @@ msgstr "" "Er is een probleem ontstaan met uw sessie. Probeer het nog een keer, " "alstublieft." -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 msgid "Invalid nickname / password!" msgstr "Ongeldige gebruikersnaam of wachtwoord." -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 msgid "Database error deleting OAuth application user." msgstr "" "Er is een databasefout opgetreden tijdens het verwijderen van de OAuth " "applicatiegebruiker." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 msgid "Database error inserting OAuth application user." msgstr "" "Er is een databasefout opgetreden tijdens het toevoegen van de OAuth " "applicatiegebruiker." -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " @@ -534,53 +539,61 @@ msgstr "" "Het verzoektoken %s is geautoriseerd. Wissel het alstublieft uit voor een " "toegangstoken." -#: actions/apioauthauthorize.php:241 -#, php-format -msgid "The request token %s has been denied." +#: actions/apioauthauthorize.php:227 +#, fuzzy, php-format +msgid "The request token %s has been denied and revoked." msgstr "Het verzoektoken %s is geweigerd." -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "Het formulier is onverwacht ingezonden." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "Een applicatie vraagt toegang tot uw gebruikersgegevens" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "Toegang toestaan of ontzeggen" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Gebruiker" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Gebruikersnaam" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Wachtwoord" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "Ontzeggen" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 msgid "Allow" msgstr "Toestaan" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "Toegang tot uw gebruikersgegevens toestaan of ontzeggen." @@ -752,8 +765,8 @@ msgstr "Origineel" msgid "Preview" msgstr "Voorvertoning" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Verwijderen" @@ -804,8 +817,9 @@ msgstr "" "niet meer volgen en u wordt niet op de hoogte gebracht van \"@\"-antwoorden " "van deze gebruiker." -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "Nee" @@ -813,9 +827,9 @@ msgstr "Nee" msgid "Do not block this user" msgstr "Gebruiker niet blokkeren" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Ja" @@ -919,6 +933,53 @@ msgstr "Dialoog" msgid "Notices" msgstr "Mededelingen" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "U moet aangemeld zijn om een applicatie te kunnen bewerken." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Applicatieinformatie" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +msgid "You are not the owner of this application." +msgstr "U bent niet de eigenaar van deze applicatie." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "Er is een probleem met uw sessietoken." + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "Applicatie bewerken" + +#: actions/deleteapplication.php:149 +#, fuzzy +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" +"Weet u zeker dat u deze gebruiker wilt verwijderen? Door deze handeling " +"worden alle gegevens van deze gebruiker uit de database verwijderd. Het is " +"niet mogelijk ze terug te zetten." + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Deze mededeling niet verwijderen" + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Icoon voor deze applicatie" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -953,7 +1014,7 @@ msgstr "Weet u zeker dat u deze aankondiging wilt verwijderen?" msgid "Do not delete this notice" msgstr "Deze mededeling niet verwijderen" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "Deze mededeling verwijderen" @@ -1098,7 +1159,7 @@ msgstr "Deze mededeling staats niet op uw favorietenlijst." msgid "Add to favorites" msgstr "Aan favorieten toevoegen" -#: actions/doc.php:155 +#: actions/doc.php:158 #, php-format msgid "No such document \"%s\"" msgstr "Onbekend document \"%s\"" @@ -1111,20 +1172,11 @@ msgstr "Applicatie bewerken" msgid "You must be logged in to edit an application." msgstr "U moet aangemeld zijn om een applicatie te kunnen bewerken." -#: actions/editapplication.php:77 actions/showapplication.php:94 -msgid "You are not the owner of this application." -msgstr "U bent niet de eigenaar van deze applicatie." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 msgid "No such application." msgstr "De applicatie bestaat niet." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "Er is een probleem met uw sessietoken." - #: actions/editapplication.php:161 msgid "Use this form to edit your application." msgstr "Gebruik dit formulier om uw applicatiegegevens te bewerken." @@ -1133,43 +1185,49 @@ msgstr "Gebruik dit formulier om uw applicatiegegevens te bewerken." msgid "Name is required." msgstr "Een naam is verplicht." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 msgid "Name is too long (max 255 chars)." msgstr "De naam is te lang (maximaal 255 tekens)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "" +"De opgegeven gebruikersnaam is al in gebruik. Kies een andere gebruikersnaam." + +#: actions/editapplication.php:186 actions/newapplication.php:168 msgid "Description is required." msgstr "Een beschrijving is verplicht" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "De bron-URL is te lang." -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Source URL is not valid." msgstr "De bron-URL is niet geldig." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "Organisatie is verplicht." -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization is too long (max 255 chars)." msgstr "De organisatienaam is te lang (maximaal 255 tekens)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "De homepage voor een organisatie is verplicht." -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "De callback is te lang." -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "De callback-URL is niet geldig." -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 msgid "Could not update application." msgstr "Het was niet mogelijk de applicatie bij te werken." @@ -2114,11 +2172,11 @@ msgstr "U moet aangemeld zijn om een applicatie te kunnen registreren." msgid "Use this form to register a new application." msgstr "Gebruik dit formulier om een nieuwe applicatie te registreren." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "Een bron-URL is verplicht." -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 msgid "Could not create application." msgstr "Het was niet mogelijk de applicatie aan te maken." @@ -2253,32 +2311,32 @@ msgstr "Door u geregistreerde applicaties" msgid "You have not registered any applications yet." msgstr "U hebt nog geen applicaties geregistreerd." -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "Verbonden applicaties" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" "U hebt de volgende applicaties toegang gegeven tot uw gebruikersgegevens." -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 msgid "You are not a user of that application." msgstr "U bent geen gebruiker van die applicatie." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" "Het was niet mogelijk de toegang te ontzeggen voor de volgende applicatie: " -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" "U hebt geen enkele applicatie geautoriseerd voor toegang tot uw " "gebruikersgegevens." -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" "Ontwikkelaars kunnen de registratiegegevens voor hun applicaties bewerken " @@ -2784,19 +2842,19 @@ msgstr "Openbare tijdlijn, pagina %d" msgid "Public timeline" msgstr "Openbare tijdlijn" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "Publieke streamfeed (RSS 1.0)" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "Publieke streamfeed (RSS 1.0)" -#: actions/public.php:159 +#: actions/public.php:167 msgid "Public Stream Feed (Atom)" msgstr "Publieke streamfeed (Atom)" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2805,11 +2863,11 @@ msgstr "" "Dit is de publieke tijdlijn voor %%site.name%%, maar niemand heeft nog " "berichten geplaatst." -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "U kunt de eerste zijn die een bericht plaatst!" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2817,7 +2875,7 @@ msgstr "" "Waarom [registreert u geen gebruiker](%%action.register%%) en plaatst u als " "eerste een bericht?" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2830,7 +2888,7 @@ msgstr "" "net/). [Registreer nu](%%action.register%%) om mededelingen over uzelf te " "delen met vrienden, familie en collega's! [Meer lezen...](%%doc.help%%)" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3201,7 +3259,7 @@ msgstr "U kunt uw eigen mededeling niet herhalen." msgid "You already repeated that notice." msgstr "U hent die mededeling al herhaald." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 msgid "Repeated" msgstr "Herhaald" @@ -3267,6 +3325,10 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Antwoorden aan %1$s op %2$s." +#: actions/rsd.php:146 actions/version.php:157 +msgid "StatusNet" +msgstr "StatusNet" + #: actions/sandbox.php:65 actions/unsandbox.php:65 msgid "You cannot sandbox users on this site." msgstr "Op deze website kunt u gebruikers niet in de zandbak plaatsen." @@ -3281,9 +3343,8 @@ msgid "Sessions" msgstr "Sessies" #: actions/sessionsadminpanel.php:65 -#, fuzzy msgid "Session settings for this StatusNet site." -msgstr "Instellingen voor de vormgeving van deze StatusNet-website." +msgstr "Sessieinstellingen voor deze StatusNet-website." #: actions/sessionsadminpanel.php:175 msgid "Handle sessions" @@ -3338,43 +3399,43 @@ msgid "Statistics" msgstr "Statistieken" #: actions/showapplication.php:204 -#, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +#, fuzzy, php-format +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "aangemaakt door %1$s - standaardtoegang \"%2$s\" - %3$d gebruikers" #: actions/showapplication.php:214 msgid "Application actions" msgstr "Applicatiehandelingen" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "Sleutel en wachtwoord op nieuw instellen" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "Applicatieinformatie" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "Gebruikerssleutel" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "Gebruikerswachtwoord" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "URL voor verzoektoken" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "URL voor toegangstoken" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "Autorisatie-URL" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3600,13 +3661,13 @@ msgstr "Mededelingenfeed voor %s (Atom)" msgid "FOAF for %s" msgstr "Vriend van een vriend (FOAF) voor %s" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" "Dit is de tijdlijn voor %1$s, maar %2$s heeft nog geen berichten verzonden." -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -3614,7 +3675,7 @@ msgstr "" "Hebt u recentelijk iets interessants gezien? U hebt nog geen mededelingen " "verstuurd, dus dit is een ideaal moment om daarmee te beginnen!" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" @@ -3623,7 +3684,7 @@ msgstr "" "U kunt proberen %1$s te porren of [een bericht voor die gebruiker plaatsen](%" "%%%action.newnotice%%%%?status_textarea=%2$s)." -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3637,7 +3698,7 @@ msgstr "" "abonneren op de mededelingen van **%s** en nog veel meer! [Meer lezen...](%%%" "%doc.help%%%%)" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3648,7 +3709,7 @@ msgstr "" "(http://en.wikipedia.org/wiki/Micro-blogging) gebaseerd op de Vrije Software " "[StatusNet](http://status.net/). " -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, php-format msgid "Repeat of %s" msgstr "Herhaald van %s" @@ -4336,10 +4397,6 @@ msgstr "" "Deze website wordt aangedreven door %1$2 versie %2$s. Auteursrechten " "voorbehouden 2008-2010 Statusnet, Inc. en medewerkers." -#: actions/version.php:157 -msgid "StatusNet" -msgstr "StatusNet" - #: actions/version.php:161 msgid "Contributors" msgstr "Medewerkers" @@ -4480,24 +4537,24 @@ msgstr "" msgid "Problem saving notice." msgstr "Er is een probleem opgetreden bij het opslaan van de mededeling." -#: classes/Notice.php:790 +#: classes/Notice.php:788 msgid "Problem saving group inbox." msgstr "" "Er is een probleem opgetreden bij het opslaan van het Postvak IN van de " "groep." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "" "Er is een databasefout opgetreden bij het invoegen van het antwoord: %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Welkom bij %1$s, @%2$s!" @@ -4772,9 +4829,8 @@ msgid "Paths configuration" msgstr "Padinstellingen" #: lib/adminpanelaction.php:337 -#, fuzzy msgid "Sessions configuration" -msgstr "Instellingen vormgeving" +msgstr "Sessieinstellingen" #: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." @@ -5189,20 +5245,20 @@ msgstr "" "tracks - nog niet beschikbaar\n" "tracking - nog niet beschikbaar\n" -#: lib/common.php:131 +#: lib/common.php:135 msgid "No configuration file found. " msgstr "Er is geen instellingenbestand aangetroffen. " -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "Er is gezocht naar instellingenbestanden op de volgende plaatsen: " -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" "U kunt proberen de installer uit te voeren om dit probleem op te lossen." -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "Naar het installatieprogramma gaan." @@ -5852,23 +5908,23 @@ msgstr "W" msgid "at" msgstr "op" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "in context" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 msgid "Repeated by" msgstr "Herhaald door" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "Op deze mededeling antwoorden" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "Antwoorden" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 msgid "Notice repeated" msgstr "Mededeling herhaald" @@ -6010,6 +6066,10 @@ msgstr "Deze mededeling herhalen?" msgid "Repeat this notice" msgstr "Deze mededeling herhalen" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "Zandbak" @@ -6175,47 +6235,47 @@ msgstr "Bericht" msgid "Moderate" msgstr "Modereren" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "een paar seconden geleden" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "ongeveer een minuut geleden" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "ongeveer %d minuten geleden" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "ongeveer een uur geleden" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "ongeveer %d uur geleden" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "ongeveer een dag geleden" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "ongeveer %d dagen geleden" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "ongeveer een maand geleden" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "ongeveer %d maanden geleden" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "ongeveer een jaar geleden" diff --git a/locale/nn/LC_MESSAGES/statusnet.po b/locale/nn/LC_MESSAGES/statusnet.po index 934c0e32d..084e2d6fe 100644 --- a/locale/nn/LC_MESSAGES/statusnet.po +++ b/locale/nn/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:42:23+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:21:43+0000\n" "Language-Team: Norwegian Nynorsk\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nn\n" "X-Message-Group: out-statusnet\n" @@ -99,7 +99,7 @@ msgstr "Dette emneord finst ikkje." #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -156,7 +156,7 @@ msgid "" "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -391,8 +391,8 @@ msgstr "Kallenamnet er allereie i bruk. Prøv eit anna." msgid "Not a valid nickname." msgstr "Ikkje eit gyldig brukarnamn." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -404,8 +404,8 @@ msgstr "Heimesida er ikkje ei gyldig internettadresse." msgid "Full name is too long (max 255 chars)." msgstr "Ditt fulle namn er for langt (maksimalt 255 teikn)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "skildringa er for lang (maks 140 teikn)." @@ -485,18 +485,23 @@ msgstr "%s grupper" msgid "groups on %s" msgstr "Gruppe handlingar" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "Ugyldig storleik." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -507,76 +512,84 @@ msgstr "" msgid "There was a problem with your session token. Try again, please." msgstr "Der var eit problem med sesjonen din. Vennlegst prøv pÃ¥ nytt." -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 #, fuzzy msgid "Invalid nickname / password!" msgstr "Ugyldig brukarnamn eller passord." -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "Feil ved Ã¥ setja brukar." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "databasefeil ved innsetjing av skigardmerkelapp (#merkelapp): %s" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "Uventa skjemasending." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Konto" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Kallenamn" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Passord" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 #, fuzzy msgid "Allow" msgstr "Alle" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -750,8 +763,8 @@ msgstr "Original" msgid "Preview" msgstr "Forhandsvis" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Slett" @@ -800,8 +813,9 @@ msgid "" "will not be notified of any @-replies from them." msgstr "" -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "Nei" @@ -810,9 +824,9 @@ msgstr "Nei" msgid "Do not block this user" msgstr "LÃ¥s opp brukaren" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Jau" @@ -921,6 +935,50 @@ msgstr "Stadfestingskode" msgid "Notices" msgstr "Notisar" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "Du mÃ¥ være logga inn for Ã¥ lage ei gruppe." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Notisen har ingen profil" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Du er ikkje medlem av den gruppa." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "Det var eit problem med sesjons billetten din." + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "Denne notisen finst ikkje." + +#: actions/deleteapplication.php:149 +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Kan ikkje sletta notisen." + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Slett denne notisen" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -957,7 +1015,7 @@ msgstr "Sikker pÃ¥ at du vil sletta notisen?" msgid "Do not delete this notice" msgstr "Kan ikkje sletta notisen." -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "Slett denne notisen" @@ -1111,7 +1169,7 @@ msgstr "Denne notisen er ikkje ein favoritt!" msgid "Add to favorites" msgstr "Legg til i favorittar" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "Slikt dokument finst ikkje." @@ -1126,22 +1184,12 @@ msgstr "Andre val" msgid "You must be logged in to edit an application." msgstr "Du mÃ¥ være logga inn for Ã¥ lage ei gruppe." -#: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy -msgid "You are not the owner of this application." -msgstr "Du er ikkje medlem av den gruppa." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 #, fuzzy msgid "No such application." msgstr "Denne notisen finst ikkje." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "Det var eit problem med sesjons billetten din." - #: actions/editapplication.php:161 #, fuzzy msgid "Use this form to edit your application." @@ -1152,47 +1200,52 @@ msgstr "Bruk dette skjemaet for Ã¥ redigere gruppa" msgid "Name is required." msgstr "Samme som passord over. PÃ¥krevd." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 #, fuzzy msgid "Name is too long (max 255 chars)." msgstr "Ditt fulle namn er for langt (maksimalt 255 teikn)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "Kallenamnet er allereie i bruk. Prøv eit anna." + +#: actions/editapplication.php:186 actions/newapplication.php:168 #, fuzzy msgid "Description is required." msgstr "Beskriving" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 #, fuzzy msgid "Source URL is not valid." msgstr "Heimesida er ikkje ei gyldig internettadresse." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 #, fuzzy msgid "Organization is too long (max 255 chars)." msgstr "Plassering er for lang (maksimalt 255 teikn)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 #, fuzzy msgid "Could not update application." msgstr "Kann ikkje oppdatera gruppa." @@ -2132,11 +2185,11 @@ msgstr "Du mÃ¥ være logga inn for Ã¥ lage ei gruppe." msgid "Use this form to register a new application." msgstr "Bruk dette skjemaet for Ã¥ lage ein ny gruppe." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy msgid "Could not create application." msgstr "Kunne ikkje lagre favoritt." @@ -2271,29 +2324,29 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 #, fuzzy msgid "You are not a user of that application." msgstr "Du er ikkje medlem av den gruppa." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2815,39 +2868,39 @@ msgstr "Offentleg tidsline, side %d" msgid "Public timeline" msgstr "Offentleg tidsline" -#: actions/public.php:151 +#: actions/public.php:159 #, fuzzy msgid "Public Stream Feed (RSS 1.0)" msgstr "Offentleg straum" -#: actions/public.php:155 +#: actions/public.php:163 #, fuzzy msgid "Public Stream Feed (RSS 2.0)" msgstr "Offentleg straum" -#: actions/public.php:159 +#: actions/public.php:167 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "Offentleg straum" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2856,7 +2909,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:238 +#: actions/public.php:246 #, fuzzy, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3223,7 +3276,7 @@ msgstr "Du kan ikkje registrera deg om du ikkje godtek vilkÃ¥ra i lisensen." msgid "You already repeated that notice." msgstr "Du har allereie blokkert denne brukaren." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 #, fuzzy msgid "Repeated" msgstr "Lag" @@ -3285,6 +3338,11 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Melding til %1$s pÃ¥ %2$s" +#: actions/rsd.php:146 actions/version.php:157 +#, fuzzy +msgid "StatusNet" +msgstr "Lasta opp brukarbilete." + #: actions/sandbox.php:65 actions/unsandbox.php:65 #, fuzzy msgid "You cannot sandbox users on this site." @@ -3363,42 +3421,42 @@ msgstr "Statistikk" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3608,25 +3666,25 @@ msgstr "Notisstraum for %s" msgid "FOAF for %s" msgstr "Utboks for %s" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3635,7 +3693,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, fuzzy, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3645,7 +3703,7 @@ msgstr "" "**%s** har ein konto pÃ¥ %%%%site.name%%%%, ei [mikroblogging](http://en." "wikipedia.org/wiki/Micro-blogging)-teneste" -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Svar til %s" @@ -4332,11 +4390,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -#, fuzzy -msgid "StatusNet" -msgstr "Lasta opp brukarbilete." - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4463,22 +4516,22 @@ msgstr "Du kan ikkje lengre legge inn notisar pÃ¥ denne sida." msgid "Problem saving notice." msgstr "Eit problem oppstod ved lagring av notis." -#: classes/Notice.php:790 +#: classes/Notice.php:788 #, fuzzy msgid "Problem saving group inbox." msgstr "Eit problem oppstod ved lagring av notis." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "Databasefeil, kan ikkje lagra svar: %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" -#: classes/User.php:382 +#: classes/User.php:385 #, fuzzy, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Melding til %1$s pÃ¥ %2$s" @@ -5144,20 +5197,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 #, fuzzy msgid "No configuration file found. " msgstr "Ingen stadfestingskode." -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:135 +#: lib/common.php:139 #, fuzzy msgid "Go to the installer." msgstr "Logg inn or sida" @@ -5735,25 +5788,25 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 #, fuzzy msgid "in context" msgstr "Ingen innhald." -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 #, fuzzy msgid "Repeated by" msgstr "Lag" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "Svar pÃ¥ denne notisen" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "Svar" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 #, fuzzy msgid "Notice repeated" msgstr "Melding lagra" @@ -5902,6 +5955,10 @@ msgstr "Svar pÃ¥ denne notisen" msgid "Repeat this notice" msgstr "Svar pÃ¥ denne notisen" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 #, fuzzy msgid "Sandbox" @@ -6079,47 +6136,47 @@ msgstr "Melding" msgid "Moderate" msgstr "" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "eit par sekund sidan" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "omtrent eitt minutt sidan" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "~%d minutt sidan" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "omtrent ein time sidan" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "~%d timar sidan" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "omtrent ein dag sidan" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "~%d dagar sidan" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "omtrent ein mÃ¥nad sidan" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "~%d mÃ¥nadar sidan" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "omtrent eitt Ã¥r sidan" diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index 02a3face1..372892a6d 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:42:30+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:21:50+0000\n" "Last-Translator: Piotr DrÄ…g \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -19,7 +19,7 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: out-statusnet\n" @@ -30,7 +30,7 @@ msgstr "DostÄ™p" #: actions/accessadminpanel.php:65 msgid "Site access settings" -msgstr "Ustawienia dostÄ™pu strony" +msgstr "Ustawienia dostÄ™pu witryny" #: actions/accessadminpanel.php:158 msgid "Registration" @@ -42,7 +42,7 @@ msgstr "Prywatna" #: actions/accessadminpanel.php:163 msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "Zabronić anonimowym użytkownikom (niezalogowanym) przeglÄ…dać stronÄ™?" +msgstr "Zabronić anonimowym użytkownikom (niezalogowanym) przeglÄ…dać witrynÄ™?" #: actions/accessadminpanel.php:167 msgid "Invite only" @@ -97,7 +97,7 @@ msgstr "Nie ma takiej strony" #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -161,7 +161,7 @@ msgstr "" "[wysÅ‚ać coÅ› wymagajÄ…cego jego uwagi](%%%%action.newnotice%%%%?" "status_textarea=%3$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -391,8 +391,8 @@ msgstr "Pseudonim jest już używany. Spróbuj innego." msgid "Not a valid nickname." msgstr "To nie jest prawidÅ‚owy pseudonim." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -404,8 +404,8 @@ msgstr "Strona domowa nie jest prawidÅ‚owym adresem URL." msgid "Full name is too long (max 255 chars)." msgstr "ImiÄ™ i nazwisko jest za dÅ‚ugie (maksymalnie 255 znaków)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "Opis jest za dÅ‚ugi (maksymalnie %d znaków)." @@ -482,18 +482,23 @@ msgstr "Grupy %s" msgid "groups on %s" msgstr "grupy na %s" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." -msgstr "BÅ‚Ä™dne żądanie." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." +msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "NieprawidÅ‚owy rozmiar." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -504,19 +509,19 @@ msgstr "BÅ‚Ä™dne żądanie." msgid "There was a problem with your session token. Try again, please." msgstr "WystÄ…piÅ‚ problem z tokenem sesji. Spróbuj ponownie." -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 msgid "Invalid nickname / password!" msgstr "NieprawidÅ‚owy pseudonim/hasÅ‚o." -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 msgid "Database error deleting OAuth application user." msgstr "BÅ‚Ä…d bazy danych podczas usuwania użytkownika aplikacji OAuth." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 msgid "Database error inserting OAuth application user." msgstr "BÅ‚Ä…d bazy danych podczas wprowadzania użytkownika aplikacji OAuth." -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " @@ -524,53 +529,61 @@ msgid "" msgstr "" "Token żądania %s zostaÅ‚ upoważniony. ProszÄ™ wymienić go na token dostÄ™pu." -#: actions/apioauthauthorize.php:241 -#, php-format -msgid "The request token %s has been denied." +#: actions/apioauthauthorize.php:227 +#, fuzzy, php-format +msgid "The request token %s has been denied and revoked." msgstr "Token żądania %s zostaÅ‚ odrzucony." -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "Nieoczekiwane wysÅ‚anie formularza." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "Aplikacja chce poÅ‚Ä…czyć siÄ™ z kontem użytkownika" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "Zezwolić czy odmówić dostÄ™p" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Konto" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Pseudonim" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "HasÅ‚o" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "Odrzuć" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 msgid "Allow" msgstr "Zezwól" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "Zezwól lub odmów dostÄ™p do informacji konta." @@ -739,8 +752,8 @@ msgstr "OryginaÅ‚" msgid "Preview" msgstr "PodglÄ…d" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "UsuÅ„" @@ -790,8 +803,9 @@ msgstr "" "do ciebie zostanie usuniÄ™ta, nie bÄ™dzie mógÅ‚ ciÄ™ subskrybować w przyszÅ‚oÅ›ci " "i nie bÄ™dziesz powiadamiany o żadnych odpowiedziach @ od niego." -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "Nie" @@ -799,9 +813,9 @@ msgstr "Nie" msgid "Do not block this user" msgstr "Nie blokuj tego użytkownika" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Tak" @@ -905,6 +919,52 @@ msgstr "Rozmowa" msgid "Notices" msgstr "Wpisy" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "Musisz być zalogowany, aby zmodyfikować aplikacjÄ™." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Informacje o aplikacji" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +msgid "You are not the owner of this application." +msgstr "Nie jesteÅ› wÅ‚aÅ›cicielem tej aplikacji." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "WystÄ…piÅ‚ problem z tokenem sesji." + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "Zmodyfikuj aplikacjÄ™" + +#: actions/deleteapplication.php:149 +#, fuzzy +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" +"Na pewno usunąć tego użytkownika? WyczyÅ›ci to wszystkie dane o użytkowniku z " +"bazy danych, bez utworzenia kopii zapasowej." + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Nie usuwaj tego wpisu" + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Ikona tej aplikacji" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -939,7 +999,7 @@ msgstr "JesteÅ› pewien, że chcesz usunąć ten wpis?" msgid "Do not delete this notice" msgstr "Nie usuwaj tego wpisu" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "UsuÅ„ ten wpis" @@ -974,7 +1034,7 @@ msgstr "WyglÄ…d" #: actions/designadminpanel.php:73 msgid "Design settings for this StatusNet site." -msgstr "Ustawienia wyglÄ…du tej strony StatusNet." +msgstr "Ustawienia wyglÄ…du tej witryny StatusNet." #: actions/designadminpanel.php:275 msgid "Invalid logo URL." @@ -991,7 +1051,7 @@ msgstr "ZmieÅ„ logo" #: actions/designadminpanel.php:380 msgid "Site logo" -msgstr "Logo strony" +msgstr "Logo witryny" #: actions/designadminpanel.php:387 msgid "Change theme" @@ -999,11 +1059,11 @@ msgstr "ZmieÅ„ motyw" #: actions/designadminpanel.php:404 msgid "Site theme" -msgstr "Motyw strony" +msgstr "Motyw witryny" #: actions/designadminpanel.php:405 msgid "Theme for the site." -msgstr "Motyw strony." +msgstr "Motyw witryny." #: actions/designadminpanel.php:417 lib/designsettings.php:101 msgid "Change background image" @@ -1019,7 +1079,7 @@ msgstr "TÅ‚o" msgid "" "You can upload a background image for the site. The maximum file size is %1" "$s." -msgstr "Można wysÅ‚ać obraz tÅ‚a dla strony. Maksymalny rozmiar pliku to %1$s." +msgstr "Można wysÅ‚ać obraz tÅ‚a dla witryny. Maksymalny rozmiar pliku to %1$s." #: actions/designadminpanel.php:457 lib/designsettings.php:139 msgid "On" @@ -1081,7 +1141,7 @@ msgstr "Ten wpis nie jest ulubiony." msgid "Add to favorites" msgstr "Dodaj do ulubionych" -#: actions/doc.php:155 +#: actions/doc.php:158 #, php-format msgid "No such document \"%s\"" msgstr "Nie ma takiego dokumentu \\\"%s\\\"" @@ -1094,20 +1154,11 @@ msgstr "Zmodyfikuj aplikacjÄ™" msgid "You must be logged in to edit an application." msgstr "Musisz być zalogowany, aby zmodyfikować aplikacjÄ™." -#: actions/editapplication.php:77 actions/showapplication.php:94 -msgid "You are not the owner of this application." -msgstr "Nie jesteÅ› wÅ‚aÅ›cicielem tej aplikacji." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 msgid "No such application." msgstr "Nie ma takiej aplikacji." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "WystÄ…piÅ‚ problem z tokenem sesji." - #: actions/editapplication.php:161 msgid "Use this form to edit your application." msgstr "Użyj tego formularza, aby zmodyfikować aplikacjÄ™." @@ -1116,43 +1167,48 @@ msgstr "Użyj tego formularza, aby zmodyfikować aplikacjÄ™." msgid "Name is required." msgstr "Nazwa jest wymagana." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 msgid "Name is too long (max 255 chars)." msgstr "Nazwa jest za dÅ‚uga (maksymalnie 255 znaków)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "Pseudonim jest już używany. Spróbuj innego." + +#: actions/editapplication.php:186 actions/newapplication.php:168 msgid "Description is required." msgstr "Opis jest wymagany." -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "ŹródÅ‚owy adres URL jest za dÅ‚ugi." -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Source URL is not valid." msgstr "ŹródÅ‚owy adres URL jest nieprawidÅ‚owy." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "Organizacja jest wymagana." -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization is too long (max 255 chars)." msgstr "Organizacja jest za dÅ‚uga (maksymalnie 255 znaków)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "Strona domowa organizacji jest wymagana." -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "Adres zwrotny jest za dÅ‚ugi." -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "Adres zwrotny URL jest nieprawidÅ‚owy." -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 msgid "Could not update application." msgstr "Nie można zaktualizować aplikacji." @@ -1392,7 +1448,7 @@ msgstr "Popularne wpisy, strona %d" #: actions/favorited.php:79 msgid "The most popular notices on the site right now." -msgstr "Najpopularniejsze wpisy na stronie w te chwili." +msgstr "Najpopularniejsze wpisy na witrynie w te chwili." #: actions/favorited.php:150 msgid "Favorite notices appear on this page but no one has favorited one yet." @@ -1881,7 +1937,7 @@ msgid "" "on the site. Thanks for growing the community!" msgstr "" "Zostaniesz powiadomiony, kiedy ktoÅ› zaakceptuje zaproszenie i zarejestruje " -"siÄ™ na stronie. DziÄ™kujemy za pomoc w zwiÄ™kszaniu spoÅ‚ecznoÅ›ci." +"siÄ™ na witrynie. DziÄ™kujemy za pomoc w zwiÄ™kszaniu spoÅ‚ecznoÅ›ci." #: actions/invite.php:162 msgid "" @@ -2013,7 +2069,7 @@ msgstr "Zaloguj siÄ™" #: actions/login.php:227 msgid "Login to site" -msgstr "Zaloguj siÄ™ na stronie" +msgstr "Zaloguj siÄ™ na witrynie" #: actions/login.php:236 actions/register.php:478 msgid "Remember me" @@ -2081,11 +2137,11 @@ msgstr "Musisz być zalogowany, aby zarejestrować aplikacjÄ™." msgid "Use this form to register a new application." msgstr "Użyj tego formularza, aby zarejestrować aplikacjÄ™." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "ŹródÅ‚owy adres URL jest wymagany." -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 msgid "Could not create application." msgstr "Nie można utworzyć aplikacji." @@ -2219,28 +2275,28 @@ msgstr "Zarejestrowane aplikacje" msgid "You have not registered any applications yet." msgstr "Nie zarejestrowano jeszcze żadnych aplikacji." -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "PoÅ‚Ä…czone aplikacje" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "Zezwolono nastÄ™pujÄ…cym aplikacjom na dostÄ™p do konta." -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 msgid "You are not a user of that application." msgstr "Nie jesteÅ› użytkownikiem tej aplikacji." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "Nie można unieważnić dostÄ™pu dla aplikacji: " -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "Nie upoważniono żadnych aplikacji do używania konta." -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "ProgramiÅ›ci mogÄ… zmodyfikować ustawienia rejestracji swoich aplikacji " @@ -2407,7 +2463,7 @@ msgstr "Åšcieżki" #: actions/pathsadminpanel.php:70 msgid "Path and server settings for this StatusNet site." -msgstr "Ustawienia Å›cieżki i serwera dla tej strony StatusNet." +msgstr "Ustawienia Å›cieżki i serwera dla tej witryny StatusNet." #: actions/pathsadminpanel.php:157 #, php-format @@ -2436,7 +2492,7 @@ msgstr "NieprawidÅ‚owy serwer SSL. Maksymalna dÅ‚ugość to 255 znaków." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 msgid "Site" -msgstr "Strona" +msgstr "Witryny" #: actions/pathsadminpanel.php:238 msgid "Server" @@ -2452,7 +2508,7 @@ msgstr "Åšcieżka" #: actions/pathsadminpanel.php:242 msgid "Site path" -msgstr "Åšcieżka do strony" +msgstr "Åšcieżka do witryny" #: actions/pathsadminpanel.php:246 msgid "Path to locales" @@ -2587,7 +2643,7 @@ msgstr "NieprawidÅ‚owa zawartość wpisu" #: actions/postnotice.php:90 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." -msgstr "Licencja wpisu \"%1$s\" nie jest zgodna z licencjÄ… strony \"%2$s\"." +msgstr "Licencja wpisu \"%1$s\" nie jest zgodna z licencjÄ… witryny \"%2$s\"." #: actions/profilesettings.php:60 msgid "Profile settings" @@ -2621,7 +2677,7 @@ msgstr "Strona domowa" #: actions/profilesettings.php:117 actions/register.php:455 msgid "URL of your homepage, blog, or profile on another site" -msgstr "Adres URL strony domowej, bloga lub profilu na innej stronie" +msgstr "Adres URL strony domowej, bloga lub profilu na innej witrynie" #: actions/profilesettings.php:122 actions/register.php:461 #, php-format @@ -2742,19 +2798,19 @@ msgstr "Publiczna oÅ› czasu, strona %d" msgid "Public timeline" msgstr "Publiczna oÅ› czasu" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "KanaÅ‚ publicznego strumienia (RSS 1.0)" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "KanaÅ‚ publicznego strumienia (RSS 2.0)" -#: actions/public.php:159 +#: actions/public.php:167 msgid "Public Stream Feed (Atom)" msgstr "KanaÅ‚ publicznego strumienia (Atom)" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2763,11 +2819,11 @@ msgstr "" "To jest publiczna oÅ› czasu dla %%site.name%%, ale nikt jeszcze nic nie " "wysÅ‚aÅ‚." -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "ZostaÅ„ pierwszym, który coÅ› wyÅ›le." -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2775,7 +2831,7 @@ msgstr "" "Dlaczego nie [zarejestrujesz konta](%%action.register%%) i zostaniesz " "pierwszym, który coÅ› wyÅ›le." -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2788,7 +2844,7 @@ msgstr "" "[DoÅ‚Ä…cz teraz](%%action.register%%), aby dzielić siÄ™ wpisami o sobie z " "przyjaciółmi, rodzinÄ… i kolegami. ([Przeczytaj wiÄ™cej](%%doc.help%%))" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3088,7 +3144,7 @@ msgid "" msgstr "" "Aby subskrybować, można [zalogować siÄ™](%%action.login%%) lub [zarejestrować]" "(%%action.register%%) nowe konto. JeÅ›li już posiadasz konto na [zgodnej " -"stronie mikroblogowania](%%doc.openmublog%%), podaj poniżej adres URL " +"witrynie mikroblogowania](%%doc.openmublog%%), podaj poniżej adres URL " "profilu." #: actions/remotesubscribe.php:112 @@ -3154,7 +3210,7 @@ msgstr "Nie można powtórzyć wÅ‚asnego wpisu." msgid "You already repeated that notice." msgstr "Już powtórzono ten wpis." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 msgid "Repeated" msgstr "Powtórzono" @@ -3220,9 +3276,13 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "odpowiedzi dla użytkownika %1$s na %2$s." +#: actions/rsd.php:146 actions/version.php:157 +msgid "StatusNet" +msgstr "StatusNet" + #: actions/sandbox.php:65 actions/unsandbox.php:65 msgid "You cannot sandbox users on this site." -msgstr "Nie można ograniczać użytkowników na tej stronie." +msgstr "Nie można ograniczać użytkowników na tej witrynie." #: actions/sandbox.php:72 msgid "User is already sandboxed." @@ -3234,9 +3294,8 @@ msgid "Sessions" msgstr "Sesje" #: actions/sessionsadminpanel.php:65 -#, fuzzy msgid "Session settings for this StatusNet site." -msgstr "Ustawienia wyglÄ…du tej strony StatusNet." +msgstr "Ustawienia sesji tej witryny StatusNet." #: actions/sessionsadminpanel.php:175 msgid "Handle sessions" @@ -3257,7 +3316,7 @@ msgstr "WÅ‚Ä…cza wyjÅ›cie debugowania dla sesji." #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 #: actions/useradminpanel.php:293 msgid "Save site settings" -msgstr "Zapisz ustawienia strony" +msgstr "Zapisz ustawienia witryny" #: actions/showapplication.php:82 msgid "You must be logged in to view an application." @@ -3291,43 +3350,43 @@ msgid "Statistics" msgstr "Statystyki" #: actions/showapplication.php:204 -#, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +#, fuzzy, php-format +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "utworzona przez %1$s - domyÅ›lny dostÄ™p: %2$s - %3$d użytkowników" #: actions/showapplication.php:214 msgid "Application actions" msgstr "CzynnoÅ›ci aplikacji" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "Przywrócenie klucza i sekretu" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "Informacje o aplikacji" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "Klucz klienta" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "Sekret klienta" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "Adres URL tokenu żądania" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "Adres URL tokenu żądania" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "Adres URL upoważnienia" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3552,13 +3611,13 @@ msgstr "KanaÅ‚ wpisów dla %s (Atom)" msgid "FOAF for %s" msgstr "FOAF dla %s" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" "To jest oÅ› czasu dla użytkownika %1$s, ale %2$s nie nic jeszcze nie wysÅ‚aÅ‚." -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -3566,7 +3625,7 @@ msgstr "" "WidziaÅ‚eÅ› ostatnio coÅ› interesujÄ…cego? Nie wysÅ‚aÅ‚eÅ› jeszcze żadnych wpisów, " "teraz jest dobry czas, aby zacząć. :)" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" @@ -3575,7 +3634,7 @@ msgstr "" "Można spróbować szturchnąć użytkownika %1$s lub [wysÅ‚ać coÅ›, co wymaga jego " "uwagi](%%%%action.newnotice%%%%?status_textarea=%2$s)." -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3589,7 +3648,7 @@ msgstr "" "obserwować wpisy użytkownika **%s** i wiele wiÄ™cej. ([Przeczytaj wiÄ™cej](%%%%" "doc.help%%%%))" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3600,14 +3659,14 @@ msgstr "" "pl.wikipedia.org/wiki/Mikroblog) opartej na wolnym narzÄ™dziu [StatusNet]" "(http://status.net/). " -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, php-format msgid "Repeat of %s" msgstr "Powtórzenia %s" #: actions/silence.php:65 actions/unsilence.php:65 msgid "You cannot silence users on this site." -msgstr "Nie można wyciszać użytkowników na tej stronie." +msgstr "Nie można wyciszać użytkowników na tej witrynie." #: actions/silence.php:72 msgid "User is already silenced." @@ -3615,11 +3674,11 @@ msgstr "Użytkownik jest już wyciszony." #: actions/siteadminpanel.php:69 msgid "Basic settings for this StatusNet site." -msgstr "Podstawowe ustawienia tej strony StatusNet." +msgstr "Podstawowe ustawienia tej witryny StatusNet." #: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." -msgstr "Nazwa strony nie może mieć zerowÄ… dÅ‚ugość." +msgstr "Nazwa witryny nie może mieć zerowÄ… dÅ‚ugość." #: actions/siteadminpanel.php:140 msgid "You must have a valid contact email address." @@ -3656,7 +3715,7 @@ msgstr "Ogólne" #: actions/siteadminpanel.php:242 msgid "Site name" -msgstr "Nazwa strony" +msgstr "Nazwa witryny" #: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" @@ -3680,7 +3739,7 @@ msgstr "Adres URL używany do odnoÅ›nika do zasÅ‚ug w stopce każdej strony" #: actions/siteadminpanel.php:257 msgid "Contact email address for your site" -msgstr "Kontaktowy adres e-mail strony" +msgstr "Kontaktowy adres e-mail witryny" #: actions/siteadminpanel.php:263 msgid "Local" @@ -3692,11 +3751,11 @@ msgstr "DomyÅ›lna strefa czasowa" #: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." -msgstr "DomyÅ›la strefa czasowa strony, zwykle UTC." +msgstr "DomyÅ›la strefa czasowa witryny, zwykle UTC." #: actions/siteadminpanel.php:281 msgid "Default site language" -msgstr "DomyÅ›lny jÄ™zyk strony" +msgstr "DomyÅ›lny jÄ™zyk witryny" #: actions/siteadminpanel.php:289 msgid "Snapshots" @@ -4059,7 +4118,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" "Licencja nasÅ‚uchiwanego strumienia \"%1$s\" nie jest zgodna z licencjÄ… " -"strony \"%2$s\"." +"witryny \"%2$s\"." #: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 #: lib/personalgroupnav.php:115 @@ -4068,7 +4127,7 @@ msgstr "Użytkownik" #: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site." -msgstr "Ustawienia użytkownika dla tej strony StatusNet." +msgstr "Ustawienia użytkownika dla tej witryny StatusNet." #: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." @@ -4178,7 +4237,7 @@ msgid "" "subscription. Your subscription token is:" msgstr "" "Subskrypcja zostaÅ‚a upoważniona, ale nie przekazano zwrotnego adresu URL. " -"Sprawdź w instrukcjach strony, jak upoważnić subskrypcjÄ™. Token subskrypcji:" +"Sprawdź w instrukcjach witryny, jak upoważnić subskrypcjÄ™. Token subskrypcji:" #: actions/userauthorization.php:259 msgid "Subscription rejected" @@ -4191,7 +4250,7 @@ msgid "" "subscription." msgstr "" "Subskrypcja zostaÅ‚a odrzucona, ale nie przekazano zwrotnego adresu URL. " -"Sprawdź w instrukcjach strony, jak w peÅ‚ni odrzucić subskrypcjÄ™." +"Sprawdź w instrukcjach witryny, jak w peÅ‚ni odrzucić subskrypcjÄ™." #: actions/userauthorization.php:296 #, php-format @@ -4273,13 +4332,9 @@ msgid "" "This site is powered by %1$s version %2$s, Copyright 2008-2010 StatusNet, " "Inc. and contributors." msgstr "" -"Ta strona korzysta z oprogramowania %1$s w wersji %2$s, Copyright 2008-2010 " +"Ta witryna korzysta z oprogramowania %1$s w wersji %2$s, Copyright 2008-2010 " "StatusNet, Inc. i współtwórcy." -#: actions/version.php:157 -msgid "StatusNet" -msgstr "StatusNet" - #: actions/version.php:161 msgid "Contributors" msgstr "Współtwórcy" @@ -4412,27 +4467,27 @@ msgstr "" #: classes/Notice.php:235 msgid "You are banned from posting notices on this site." -msgstr "Zabroniono ci wysyÅ‚ania wpisów na tej stronie." +msgstr "Zabroniono ci wysyÅ‚ania wpisów na tej witrynie." #: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." msgstr "Problem podczas zapisywania wpisu." -#: classes/Notice.php:790 +#: classes/Notice.php:788 msgid "Problem saving group inbox." msgstr "Problem podczas zapisywania skrzynki odbiorczej grupy." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "BÅ‚Ä…d bazy danych podczas wprowadzania odpowiedzi: %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Witaj w %1$s, @%2$s." @@ -4484,7 +4539,7 @@ msgstr "Strona bez nazwy" #: lib/action.php:433 msgid "Primary site navigation" -msgstr "Główna nawigacja strony" +msgstr "Główna nawigacja witryny" #: lib/action.php:439 msgid "Home" @@ -4508,7 +4563,7 @@ msgstr "PoÅ‚Ä…cz z serwisami" #: lib/action.php:448 msgid "Change site configuration" -msgstr "ZmieÅ„ konfiguracjÄ™ strony" +msgstr "ZmieÅ„ konfiguracjÄ™ witryny" #: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" @@ -4525,7 +4580,7 @@ msgstr "Wyloguj siÄ™" #: lib/action.php:458 msgid "Logout from the site" -msgstr "Wyloguj siÄ™ ze strony" +msgstr "Wyloguj siÄ™ z witryny" #: lib/action.php:463 msgid "Create an account" @@ -4533,7 +4588,7 @@ msgstr "Utwórz konto" #: lib/action.php:466 msgid "Login to the site" -msgstr "Zaloguj siÄ™ na stronÄ™" +msgstr "Zaloguj siÄ™ na witrynie" #: lib/action.php:469 lib/action.php:732 msgid "Help" @@ -4553,7 +4608,7 @@ msgstr "Wyszukaj osoby lub tekst" #: lib/action.php:493 msgid "Site notice" -msgstr "Wpis strony" +msgstr "Wpis witryny" #: lib/action.php:559 msgid "Local views" @@ -4565,7 +4620,7 @@ msgstr "Wpis strony" #: lib/action.php:727 msgid "Secondary site navigation" -msgstr "Druga nawigacja strony" +msgstr "Druga nawigacja witryny" #: lib/action.php:734 msgid "About" @@ -4626,7 +4681,7 @@ msgstr "" #: lib/action.php:801 msgid "Site content license" -msgstr "Licencja zawartoÅ›ci strony" +msgstr "Licencja zawartoÅ›ci witryny" #: lib/action.php:806 #, php-format @@ -4668,7 +4723,7 @@ msgstr "WczeÅ›niej" #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." -msgstr "Nie można wprowadzić zmian strony." +msgstr "Nie można wprowadzić zmian witryny." #: lib/adminpanelaction.php:107 msgid "Changes to that panel are not allowed." @@ -4688,7 +4743,7 @@ msgstr "Nie można usunąć ustawienia wyglÄ…du." #: lib/adminpanelaction.php:312 msgid "Basic site configuration" -msgstr "Podstawowa konfiguracja strony" +msgstr "Podstawowa konfiguracja witryny" #: lib/adminpanelaction.php:317 msgid "Design configuration" @@ -4707,9 +4762,8 @@ msgid "Paths configuration" msgstr "Konfiguracja Å›cieżek" #: lib/adminpanelaction.php:337 -#, fuzzy msgid "Sessions configuration" -msgstr "Konfiguracja wyglÄ…du" +msgstr "Konfiguracja sesji" #: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." @@ -5123,19 +5177,19 @@ msgstr "" "tracks - jeszcze nie zaimplementowano\n" "tracking - jeszcze nie zaimplementowano\n" -#: lib/common.php:131 +#: lib/common.php:135 msgid "No configuration file found. " msgstr "Nie odnaleziono pliku konfiguracji." -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "Szukano plików konfiguracji w nastÄ™pujÄ…cych miejscach: " -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "Należy uruchomić instalator, aby to naprawić." -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "Przejdź do instalatora." @@ -5780,23 +5834,23 @@ msgstr "Zachód" msgid "at" msgstr "w" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "w rozmowie" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 msgid "Repeated by" msgstr "Powtórzone przez" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "Odpowiedz na ten wpis" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "Odpowiedz" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 msgid "Notice repeated" msgstr "Powtórzono wpis" @@ -5937,6 +5991,10 @@ msgstr "Powtórzyć ten wpis?" msgid "Repeat this notice" msgstr "Powtórz ten wpis" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "Ogranicz" @@ -5947,7 +6005,7 @@ msgstr "Ogranicz tego użytkownika" #: lib/searchaction.php:120 msgid "Search site" -msgstr "Przeszukaj stronÄ™" +msgstr "Przeszukaj witrynÄ™" #: lib/searchaction.php:126 msgid "Keyword(s)" @@ -5963,7 +6021,7 @@ msgstr "Osoby" #: lib/searchgroupnav.php:81 msgid "Find people on this site" -msgstr "Znajdź osoby na tej stronie" +msgstr "Znajdź osoby na tej witrynie" #: lib/searchgroupnav.php:83 msgid "Find content of notices" @@ -5971,7 +6029,7 @@ msgstr "Przeszukaj zawartość wpisów" #: lib/searchgroupnav.php:85 msgid "Find groups on this site" -msgstr "Znajdź grupy na tej stronie" +msgstr "Znajdź grupy na tej witrynie" #: lib/section.php:89 msgid "Untitled section" @@ -6102,47 +6160,47 @@ msgstr "Wiadomość" msgid "Moderate" msgstr "Moderuj" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "kilka sekund temu" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "okoÅ‚o minutÄ™ temu" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "okoÅ‚o %d minut temu" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "okoÅ‚o godzinÄ™ temu" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "okoÅ‚o %d godzin temu" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "blisko dzieÅ„ temu" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "okoÅ‚o %d dni temu" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "okoÅ‚o miesiÄ…c temu" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "okoÅ‚o %d miesiÄ™cy temu" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "okoÅ‚o rok temu" diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index 178f0c581..96d35bf8a 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:42:34+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:21:54+0000\n" "Language-Team: Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: out-statusnet\n" @@ -96,7 +96,7 @@ msgstr "Página não encontrada." #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -158,7 +158,7 @@ msgstr "" "Pode tentar [dar um toque em %1$s](../%2$s) a partir do perfil ou [publicar " "qualquer coisa à sua atenção](%%%%action.newnotice%%%%?status_textarea=%3$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -387,8 +387,8 @@ msgstr "Utilizador já é usado. Tente outro." msgid "Not a valid nickname." msgstr "Utilizador não é válido." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -400,8 +400,8 @@ msgstr "Página de ínicio não é uma URL válida." msgid "Full name is too long (max 255 chars)." msgstr "Nome completo demasiado longo (máx. 255 caracteres)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "Descrição demasiado longa (máx. 140 caracteres)." @@ -478,18 +478,23 @@ msgstr "Grupos de %s" msgid "groups on %s" msgstr "Grupos em %s" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "Tamanho inválido." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -500,77 +505,85 @@ msgstr "" msgid "There was a problem with your session token. Try again, please." msgstr "Ocorreu um problema com a sua sessão. Por favor, tente novamente." -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 #, fuzzy msgid "Invalid nickname / password!" msgstr "Nome de utilizador ou senha inválidos." -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "Erro ao configurar utilizador." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "Erro na base de dados ao inserir a marca: %s" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "Envio inesperado de formulário." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Conta" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Utilizador" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Senha" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 #, fuzzy msgid "Deny" msgstr "Estilo" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 #, fuzzy msgid "Allow" msgstr "Todas" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -739,8 +752,8 @@ msgstr "Original" msgid "Preview" msgstr "Antevisão" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Apagar" @@ -790,8 +803,9 @@ msgstr "" "subscrição por este utilizador será cancelada, ele não poderá subscrevê-lo " "de futuro e você não receberá notificações das @-respostas dele." -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "Não" @@ -799,9 +813,9 @@ msgstr "Não" msgid "Do not block this user" msgstr "Não bloquear este utilizador" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Sim" @@ -906,6 +920,53 @@ msgstr "Conversação" msgid "Notices" msgstr "Notas" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "Precisa de iniciar sessão para editar um grupo." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Nota não tem perfil" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Não é membro deste grupo." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "Ocorreu um problema com a sua sessão." + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "Nota não encontrada." + +#: actions/deleteapplication.php:149 +#, fuzzy +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" +"Tem a certeza de que quer apagar este utilizador? Todos os dados do " +"utilizador serão eliminados da base de dados, sem haver cópias." + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Não apagar esta nota" + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Apagar esta nota" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -940,7 +1001,7 @@ msgstr "Tem a certeza de que quer apagar esta nota?" msgid "Do not delete this notice" msgstr "Não apagar esta nota" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "Apagar esta nota" @@ -1084,7 +1145,7 @@ msgstr "Esta nota não é uma favorita!" msgid "Add to favorites" msgstr "Adicionar às favoritas" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "Documento não encontrado." @@ -1099,22 +1160,12 @@ msgstr "Outras opções" msgid "You must be logged in to edit an application." msgstr "Precisa de iniciar sessão para editar um grupo." -#: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy -msgid "You are not the owner of this application." -msgstr "Não é membro deste grupo." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 #, fuzzy msgid "No such application." msgstr "Nota não encontrada." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "Ocorreu um problema com a sua sessão." - #: actions/editapplication.php:161 #, fuzzy msgid "Use this form to edit your application." @@ -1125,48 +1176,53 @@ msgstr "Use este formulário para editar o grupo." msgid "Name is required." msgstr "Repita a senha acima. Obrigatório." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 #, fuzzy msgid "Name is too long (max 255 chars)." msgstr "Nome completo demasiado longo (máx. 255 caracteres)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "Utilizador já é usado. Tente outro." + +#: actions/editapplication.php:186 actions/newapplication.php:168 #, fuzzy msgid "Description is required." msgstr "Descrição" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 #, fuzzy msgid "Source URL is not valid." msgstr "A URL ‘%s’ do avatar é inválida." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 #, fuzzy msgid "Organization is too long (max 255 chars)." msgstr "Localidade demasiado longa (máx. 255 caracteres)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 #, fuzzy msgid "Callback URL is not valid." msgstr "A URL ‘%s’ do avatar é inválida." -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 #, fuzzy msgid "Could not update application." msgstr "Não foi possível actualizar o grupo." @@ -2106,11 +2162,11 @@ msgstr "Tem de iniciar uma sessão para criar o grupo." msgid "Use this form to register a new application." msgstr "Use este formulário para criar um grupo novo." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy msgid "Could not create application." msgstr "Não foi possível criar sinónimos." @@ -2246,29 +2302,29 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 #, fuzzy msgid "You are not a user of that application." msgstr "Não é um membro desse grupo." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2775,19 +2831,19 @@ msgstr "Notas públicas, página %d" msgid "Public timeline" msgstr "Notas públicas" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "Fonte de Notas Públicas (RSS 1.0)" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "Fonte de Notas Públicas (RSS 2.0)" -#: actions/public.php:159 +#: actions/public.php:167 msgid "Public Stream Feed (Atom)" msgstr "Fonte de Notas Públicas (Atom)" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2796,11 +2852,11 @@ msgstr "" "Estas são as notas públicas do site %%site.name%% mas ninguém publicou nada " "ainda." -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "Seja a primeira pessoa a publicar!" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2808,7 +2864,7 @@ msgstr "" "Podia [registar uma conta](%%action.register%%) e ser a primeira pessoa a " "publicar!" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2821,7 +2877,7 @@ msgstr "" "[StatusNet](http://status.net/). [Registe-se agora](%%action.register%%) " "para partilhar notas sobre si, família e amigos! ([Saber mais](%%doc.help%%))" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3190,7 +3246,7 @@ msgstr "Não pode repetir a sua própria nota." msgid "You already repeated that notice." msgstr "Já repetiu essa nota." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 msgid "Repeated" msgstr "Repetida" @@ -3256,6 +3312,10 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Respostas a %1$s em %2$s!" +#: actions/rsd.php:146 actions/version.php:157 +msgid "StatusNet" +msgstr "StatusNet" + #: actions/sandbox.php:65 actions/unsandbox.php:65 msgid "You cannot sandbox users on this site." msgstr "Não pode impedir notas públicas neste site." @@ -3331,43 +3391,43 @@ msgstr "Estatísticas" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 #, fuzzy msgid "Authorize URL" msgstr "Autor" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3590,12 +3650,12 @@ msgstr "Fonte de notas para %s (Atom)" msgid "FOAF for %s" msgstr "FOAF para %s" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "Estas são as notas de %1$s, mas %2$s ainda não publicou nenhuma." -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -3603,7 +3663,7 @@ msgstr "" "Viu algo de interessante ultimamente? Como ainda não publicou nenhuma nota, " "esta seria uma óptima altura para começar :)" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" @@ -3612,7 +3672,7 @@ msgstr "" "Pode tentar dar um toque em %1$s ou [publicar algo à sua atenção](%%%%action." "newnotice%%%%?status_textarea=%2$s)." -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3626,7 +3686,7 @@ msgstr "" "register%%) para seguir as notas de **%s** e de muitos mais! ([Saber mais](%%" "doc.help%%))" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3637,7 +3697,7 @@ msgstr "" "(http://en.wikipedia.org/wiki/Micro-blogging) baseado no programa de " "Software Livre [StatusNet](http://status.net/). " -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, php-format msgid "Repeat of %s" msgstr "Repetência de %s" @@ -4316,10 +4376,6 @@ msgstr "" "Este site utiliza o %1$s versão %2$s, (c) 2008-2010 StatusNet, Inc. e " "colaboradores." -#: actions/version.php:157 -msgid "StatusNet" -msgstr "StatusNet" - #: actions/version.php:161 msgid "Contributors" msgstr "Colaboradores" @@ -4456,22 +4512,22 @@ msgstr "Está proibido de publicar notas neste site." msgid "Problem saving notice." msgstr "Problema na gravação da nota." -#: classes/Notice.php:790 +#: classes/Notice.php:788 #, fuzzy msgid "Problem saving group inbox." msgstr "Problema na gravação da nota." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "Ocorreu um erro na base de dados ao inserir a resposta: %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "%1$s dá-lhe as boas-vindas, @%2$s!" @@ -5155,19 +5211,19 @@ msgstr "" "tracks - ainda não implementado.\n" "tracking - ainda não implementado.\n" -#: lib/common.php:131 +#: lib/common.php:135 msgid "No configuration file found. " msgstr "Ficheiro de configuração não encontrado. " -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "Procurei ficheiros de configuração nos seguintes sítios: " -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "Talvez queira correr o instalador para resolver esta questão." -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "Ir para o instalador." @@ -5813,23 +5869,23 @@ msgstr "O" msgid "at" msgstr "coords." -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "no contexto" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 msgid "Repeated by" msgstr "Repetida por" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "Responder a esta nota" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "Responder" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 msgid "Notice repeated" msgstr "Nota repetida" @@ -5970,6 +6026,10 @@ msgstr "Repetir esta nota?" msgid "Repeat this notice" msgstr "Repetir esta nota" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "Bloquear notas públicas" @@ -6135,47 +6195,47 @@ msgstr "Mensagem" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "há alguns segundos" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "há cerca de um minuto" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "há cerca de %d minutos" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "há cerca de uma hora" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "há cerca de %d horas" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "há cerca de um dia" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "há cerca de %d dias" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "há cerca de um mês" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "há cerca de %d meses" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "há cerca de um ano" diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index 6d8a577e7..81c931c45 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:42:37+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:21:58+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" @@ -97,7 +97,7 @@ msgstr "Esta página não existe." #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -161,7 +161,7 @@ msgstr "" "[publicar alguma coisa que desperte seu interesse](%%%%action.newnotice%%%%?" "status_textarea=%3$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -393,8 +393,8 @@ msgstr "Esta identificação já está em uso. Tente outro." msgid "Not a valid nickname." msgstr "Não é uma identificação válida." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -406,8 +406,8 @@ msgstr "A URL informada não é válida." msgid "Full name is too long (max 255 chars)." msgstr "Nome completo muito extenso (máx. 255 caracteres)" -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "Descrição muito extensa (máximo %d caracteres)." @@ -484,18 +484,23 @@ msgstr "Grupos de %s" msgid "groups on %s" msgstr "grupos no %s" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." -msgstr "Requisição errada." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." +msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "Tamanho inválido." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -507,23 +512,23 @@ msgid "There was a problem with your session token. Try again, please." msgstr "" "Ocorreu um problema com o seu token de sessão. Tente novamente, por favor." -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 msgid "Invalid nickname / password!" msgstr "Nome de usuário e/ou senha inválido(s)!" -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "" "Erro no banco de dados durante a exclusão do aplicativo OAuth do usuário." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "" "Erro no banco de dados durante a inserção do aplicativo OAuth do usuário." -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " @@ -532,53 +537,61 @@ msgstr "" "O token de requisição %s foi autorizado. Por favor, troque-o por um token de " "acesso." -#: actions/apioauthauthorize.php:241 -#, php-format -msgid "The request token %s has been denied." +#: actions/apioauthauthorize.php:227 +#, fuzzy, php-format +msgid "The request token %s has been denied and revoked." msgstr "O token de requisição %s foi negado." -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "Submissão inesperada de formulário." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "Uma aplicação gostaria de se conectar à sua conta" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "Permitir ou negar o acesso" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Conta" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Usuário" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Senha" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "Negar" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 msgid "Allow" msgstr "Permitir" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "Permitir ou negar o acesso às informações da sua conta." @@ -748,8 +761,8 @@ msgstr "Original" msgid "Preview" msgstr "Visualização" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Excluir" @@ -800,8 +813,9 @@ msgstr "" "nenhuma notificação acerca de qualquer citação (@usuário) que ele fizer de " "você." -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "Não" @@ -809,9 +823,9 @@ msgstr "Não" msgid "Do not block this user" msgstr "Não bloquear este usuário" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Sim" @@ -915,6 +929,52 @@ msgstr "Conversa" msgid "Notices" msgstr "Mensagens" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "Você precisa estar autenticado para editar uma aplicação." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Informação da aplicação" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +msgid "You are not the owner of this application." +msgstr "Você não é o dono desta aplicação." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "Ocorreu um problema com o seu token de sessão." + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "Editar a aplicação" + +#: actions/deleteapplication.php:149 +#, fuzzy +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" +"Tem certeza que deseja excluir este usuário? Isso irá eliminar todos os " +"dados deste usuário do banco de dados, sem cópia de segurança." + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Não excluir esta mensagem." + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Ãcone para esta aplicação" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -949,7 +1009,7 @@ msgstr "Tem certeza que deseja excluir esta mensagem?" msgid "Do not delete this notice" msgstr "Não excluir esta mensagem." -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "Excluir esta mensagem" @@ -1093,7 +1153,7 @@ msgstr "Esta mensagem não é uma favorita!" msgid "Add to favorites" msgstr "Adicionar às favoritas" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "Esse documento não existe." @@ -1107,20 +1167,11 @@ msgstr "Editar a aplicação" msgid "You must be logged in to edit an application." msgstr "Você precisa estar autenticado para editar uma aplicação." -#: actions/editapplication.php:77 actions/showapplication.php:94 -msgid "You are not the owner of this application." -msgstr "Você não é o dono desta aplicação." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 msgid "No such application." msgstr "Essa aplicação não existe." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "Ocorreu um problema com o seu token de sessão." - #: actions/editapplication.php:161 msgid "Use this form to edit your application." msgstr "Use este formulário para editar a sua aplicação." @@ -1129,43 +1180,48 @@ msgstr "Use este formulário para editar a sua aplicação." msgid "Name is required." msgstr "O nome é obrigatório." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 msgid "Name is too long (max 255 chars)." msgstr "O nome é muito extenso (máx. 255 caracteres)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "Esta identificação já está em uso. Tente outro." + +#: actions/editapplication.php:186 actions/newapplication.php:168 msgid "Description is required." msgstr "A descrição é obrigatória." -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "A URL da fonte é muito extensa." -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Source URL is not valid." msgstr "A URL da fonte não é válida." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "A organização é obrigatória." -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization is too long (max 255 chars)." msgstr "A organização é muito extensa (máx. 255 caracteres)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "O site da organização é obrigatório." -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "O retorno é muito extenso." -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "A URL de retorno não é válida." -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 msgid "Could not update application." msgstr "Não foi possível atualizar a aplicação." @@ -2109,11 +2165,11 @@ msgstr "Você deve estar autenticado para registrar uma aplicação." msgid "Use this form to register a new application." msgstr "Utilize este formulário para registrar uma nova aplicação." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "A URL da fonte é obrigatória." -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 msgid "Could not create application." msgstr "Não foi possível criar a aplicação." @@ -2249,28 +2305,28 @@ msgstr "Aplicações que você registrou" msgid "You have not registered any applications yet." msgstr "Você ainda não registrou nenhuma aplicação." -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "Aplicações conectadas" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "Você permitiu que as seguintes aplicações acessem a sua conta." -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 msgid "You are not a user of that application." msgstr "Você não é um usuário dessa aplicação." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "Não foi possível revogar o acesso para a aplicação: " -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "Você não autorizou nenhuma aplicação a usar a sua conta." -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" "Os desenvolvedores podem editar as configurações de registro para suas " @@ -2775,19 +2831,19 @@ msgstr "Mensagens públicas, pág. %d" msgid "Public timeline" msgstr "Mensagens públicas" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "Fonte de mensagens públicas (RSS 1.0)" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "Fonte de mensagens públicas (RSS 2.0)" -#: actions/public.php:159 +#: actions/public.php:167 msgid "Public Stream Feed (Atom)" msgstr "Fonte de mensagens públicas (Atom)" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2796,11 +2852,11 @@ msgstr "" "Esse é o fluxo de mensagens públicas de %%site.name%%, mas ninguém publicou " "nada ainda." -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "Seja o primeiro a publicar!" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2808,7 +2864,7 @@ msgstr "" "Por que você não [registra uma conta](%%action.register%%) pra ser o " "primeiro a publicar?" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2821,7 +2877,7 @@ msgstr "" "[Cadastre-se agora](%%action.register%%) para compartilhar notícias sobre " "você com seus amigos, família e colegas! ([Saiba mais](%%doc.help%%))" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3190,7 +3246,7 @@ msgstr "Você não pode repetir sua própria mensagem." msgid "You already repeated that notice." msgstr "Você já repetiu essa mensagem." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 msgid "Repeated" msgstr "Repetida" @@ -3257,6 +3313,10 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Respostas para %1$s no %2$s" +#: actions/rsd.php:146 actions/version.php:157 +msgid "StatusNet" +msgstr "StatusNet" + #: actions/sandbox.php:65 actions/unsandbox.php:65 msgid "You cannot sandbox users on this site." msgstr "Você não pode colocar usuários deste site em isolamento." @@ -3328,43 +3388,43 @@ msgid "Statistics" msgstr "Estatísticas" #: actions/showapplication.php:204 -#, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +#, fuzzy, php-format +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "criado por %1$s - %2$s acessa por padrão - %3$d usuários" #: actions/showapplication.php:214 msgid "Application actions" msgstr "Ações da aplicação" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "Restaurar a chave e o segredo" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "Informação da aplicação" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "Chave do consumidor" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "Segredo do consumidor" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "URL do token de requisição" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "URL do token de acesso" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "Autorizar a URL" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3589,14 +3649,14 @@ msgstr "Fonte de mensagens de %s (Atom)" msgid "FOAF for %s" msgstr "FOAF de %s" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" "Este é o fluxo público de mensagens de %1$s, mas %2$s não publicou nada " "ainda." -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -3604,7 +3664,7 @@ msgstr "" "Viu alguma coisa interessante recentemente? Você ainda não publicou nenhuma " "mensagem. Que tal começar agora? :)" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" @@ -3613,7 +3673,7 @@ msgstr "" "Você pode tentar chamar a atenção de %1$s ou [publicar alguma coisa que " "desperte seu interesse](%%%%action.newnotice%%%%?status_textarea=%2$s)." -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3627,7 +3687,7 @@ msgstr "" "acompanhar as mensagens de **%s** e muito mais! ([Saiba mais](%%%%doc.help%%%" "%))" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3638,7 +3698,7 @@ msgstr "" "pt.wikipedia.org/wiki/Micro-blogging) baseado no software livre [StatusNet]" "(http://status.net/). " -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, php-format msgid "Repeat of %s" msgstr "Repetição de %s" @@ -4318,10 +4378,6 @@ msgstr "" "Este site funciona sobre %1$s versão %2$s, Copyright 2008-2010 StatusNet, " "Inc. e colaboradores." -#: actions/version.php:157 -msgid "StatusNet" -msgstr "StatusNet" - #: actions/version.php:161 msgid "Contributors" msgstr "Colaboradores" @@ -4455,22 +4511,22 @@ msgstr "Você está proibido de publicar mensagens neste site." msgid "Problem saving notice." msgstr "Problema no salvamento da mensagem." -#: classes/Notice.php:790 +#: classes/Notice.php:788 #, fuzzy msgid "Problem saving group inbox." msgstr "Problema no salvamento da mensagem." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "Erro no banco de dados na inserção da reposta: %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Bem vindo(a) a %1$s, @%2$s!" @@ -5155,19 +5211,19 @@ msgstr "" "tracks - não implementado ainda\n" "tracking - não implementado ainda\n" -#: lib/common.php:131 +#: lib/common.php:135 msgid "No configuration file found. " msgstr "Não foi encontrado nenhum arquivo de configuração. " -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "Eu procurei pelos arquivos de configuração nos seguintes lugares: " -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "Você pode querer executar o instalador para corrigir isto." -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "Ir para o instalador." @@ -5815,23 +5871,23 @@ msgstr "O" msgid "at" msgstr "em" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "no contexto" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 msgid "Repeated by" msgstr "Repetida por" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "Responder a esta mensagem" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "Responder" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 msgid "Notice repeated" msgstr "Mensagem repetida" @@ -5972,6 +6028,10 @@ msgstr "Repetir esta mensagem?" msgid "Repeat this notice" msgstr "Repetir esta mensagem" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "Isolamento" @@ -6137,47 +6197,47 @@ msgstr "Mensagem" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "alguns segundos atrás" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "cerca de 1 minuto atrás" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "cerca de %d minutos atrás" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "cerca de 1 hora atrás" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "cerca de %d horas atrás" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "cerca de 1 dia atrás" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "cerca de %d dias atrás" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "cerca de 1 mês atrás" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "cerca de %d meses atrás" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "cerca de 1 ano atrás" diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index 8e501c51c..a9fd1e3cf 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:42:40+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:22:02+0000\n" "Language-Team: Russian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: out-statusnet\n" @@ -97,7 +97,7 @@ msgstr "Ðет такой Ñтраницы" #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -159,7 +159,7 @@ msgstr "" "что-нибудь Ð´Ð»Ñ Ð¿Ñ€Ð¸Ð²Ð»ÐµÑ‡ÐµÐ½Ð¸Ñ ÐµÐ³Ð¾ или её вниманиÑ](%%%%action.newnotice%%%%?" "status_textarea=%3$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -392,8 +392,8 @@ msgstr "Такое Ð¸Ð¼Ñ ÑƒÐ¶Ðµ иÑпользуетÑÑ. Попробуйте msgid "Not a valid nickname." msgstr "Ðеверное имÑ." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -405,8 +405,8 @@ msgstr "URL Главной Ñтраницы неверен." msgid "Full name is too long (max 255 chars)." msgstr "Полное Ð¸Ð¼Ñ Ñлишком длинное (не больше 255 знаков)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "Слишком длинное опиÑание (макÑимум %d Ñимволов)" @@ -483,18 +483,23 @@ msgstr "Группы %s" msgid "groups on %s" msgstr "группы на %s" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." -msgstr "Ðеверный запроÑ." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." +msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "Ðеверный размер." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -505,19 +510,19 @@ msgstr "Ðеверный запроÑ." msgid "There was a problem with your session token. Try again, please." msgstr "Проблема Ñ Ð’Ð°ÑˆÐµÐ¹ ÑеÑÑией. Попробуйте ещё раз, пожалуйÑта." -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 msgid "Invalid nickname / password!" msgstr "Ðеверное Ð¸Ð¼Ñ Ð¸Ð»Ð¸ пароль." -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 msgid "Database error deleting OAuth application user." msgstr "Ошибка базы данных при удалении Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð¿Ñ€Ð¸Ð»Ð¾Ð¶ÐµÐ½Ð¸Ñ OAuth." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 msgid "Database error inserting OAuth application user." msgstr "Ошибка базы данных при добавлении Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð¿Ñ€Ð¸Ð»Ð¾Ð¶ÐµÐ½Ð¸Ñ OAuth." -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " @@ -525,53 +530,61 @@ msgid "" msgstr "" "Ключ запроÑа %s авторизован. ПожалуйÑта, обменÑйте его на ключ доÑтупа." -#: actions/apioauthauthorize.php:241 -#, php-format -msgid "The request token %s has been denied." +#: actions/apioauthauthorize.php:227 +#, fuzzy, php-format +msgid "The request token %s has been denied and revoked." msgstr "Ключ запроÑа %s отклонён." -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "Ðетиповое подтверждение формы." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "Приложение хочет ÑоединитьÑÑ Ñ Ð²Ð°ÑˆÐµÐ¹ учётной запиÑью" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "Разрешить или запретить доÑтуп" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "ÐаÑтройки" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "ИмÑ" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Пароль" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "Запретить" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 msgid "Allow" msgstr "Разрешить" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "Разрешить или запретить доÑтуп к информации вашей учётной запиÑи." @@ -741,8 +754,8 @@ msgstr "Оригинал" msgid "Preview" msgstr "ПроÑмотр" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Удалить" @@ -792,8 +805,9 @@ msgstr "" "будет отпиÑан от Ð²Ð°Ñ Ð±ÐµÐ· возможноÑти подпиÑатьÑÑ Ð² будущем, а вам не будут " "приходить ÑƒÐ²ÐµÐ´Ð¾Ð¼Ð»ÐµÐ½Ð¸Ñ Ð¾Ð± @-ответах от него." -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "Ðет" @@ -801,9 +815,9 @@ msgstr "Ðет" msgid "Do not block this user" msgstr "Ðе блокировать Ñтого пользователÑ" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Да" @@ -907,6 +921,52 @@ msgstr "ДиÑкуÑÑиÑ" msgid "Notices" msgstr "ЗапиÑи" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "Ð’Ñ‹ должны авторизоватьÑÑ, чтобы изменить приложение." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Ð˜Ð½Ñ„Ð¾Ñ€Ð¼Ð°Ñ†Ð¸Ñ Ð¾ приложении" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +msgid "You are not the owner of this application." +msgstr "Ð’Ñ‹ не ÑвлÑетеÑÑŒ владельцем Ñтого приложениÑ." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "Проблема Ñ Ð’Ð°ÑˆÐµÐ¹ ÑеÑÑией. Попробуйте ещё раз, пожалуйÑта." + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "Изменить приложение" + +#: actions/deleteapplication.php:149 +#, fuzzy +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" +"Ð’Ñ‹ дейÑтвительно хотите удалить Ñтого пользователÑ? Это повлечёт удаление " +"вÑех данных о пользователе из базы данных без возможноÑти воÑÑтановлениÑ." + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Ðе удалÑÑ‚ÑŒ Ñту запиÑÑŒ" + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Иконка Ð´Ð»Ñ Ñтого приложениÑ" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -941,7 +1001,7 @@ msgstr "Ð’Ñ‹ уверены, что хотите удалить Ñту запи msgid "Do not delete this notice" msgstr "Ðе удалÑÑ‚ÑŒ Ñту запиÑÑŒ" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "Удалить Ñту запиÑÑŒ" @@ -1085,7 +1145,7 @@ msgstr "Эта запиÑÑŒ не входит в чиÑло ваших люби msgid "Add to favorites" msgstr "Добавить в любимые" -#: actions/doc.php:155 +#: actions/doc.php:158 #, php-format msgid "No such document \"%s\"" msgstr "Ðет такого документа «%s»" @@ -1098,20 +1158,11 @@ msgstr "Изменить приложение" msgid "You must be logged in to edit an application." msgstr "Ð’Ñ‹ должны авторизоватьÑÑ, чтобы изменить приложение." -#: actions/editapplication.php:77 actions/showapplication.php:94 -msgid "You are not the owner of this application." -msgstr "Ð’Ñ‹ не ÑвлÑетеÑÑŒ владельцем Ñтого приложениÑ." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 msgid "No such application." msgstr "Ðет такого приложениÑ." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "Проблема Ñ Ð’Ð°ÑˆÐµÐ¹ ÑеÑÑией. Попробуйте ещё раз, пожалуйÑта." - #: actions/editapplication.php:161 msgid "Use this form to edit your application." msgstr "ВоÑпользуйтеÑÑŒ Ñтой формой, чтобы изменить приложение." @@ -1120,43 +1171,48 @@ msgstr "ВоÑпользуйтеÑÑŒ Ñтой формой, чтобы изме msgid "Name is required." msgstr "Ð˜Ð¼Ñ Ð¾Ð±Ñзательно." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 msgid "Name is too long (max 255 chars)." msgstr "Ð˜Ð¼Ñ Ñлишком длинное (не больше 255 знаков)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "Такое Ð¸Ð¼Ñ ÑƒÐ¶Ðµ иÑпользуетÑÑ. Попробуйте какое-нибудь другое." + +#: actions/editapplication.php:186 actions/newapplication.php:168 msgid "Description is required." msgstr "ОпиÑание обÑзательно." -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "URL иÑточника Ñлишком длинный." -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Source URL is not valid." msgstr "URL иÑточника недейÑтвителен." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "ÐžÑ€Ð³Ð°Ð½Ð¸Ð·Ð°Ñ†Ð¸Ñ Ð¾Ð±Ñзательна." -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization is too long (max 255 chars)." msgstr "Слишком длинное название организации (макÑимум 255 знаков)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "ДомашнÑÑ Ñтраница организации обÑзательна." -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "Обратный вызов Ñлишком длинный." -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "URL-Ð°Ð´Ñ€ÐµÑ Ð¾Ð±Ñ€Ð°Ñ‚Ð½Ð¾Ð³Ð¾ вызова недейÑтвителен." -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 msgid "Could not update application." msgstr "Ðе удаётÑÑ Ð¾Ð±Ð½Ð¾Ð²Ð¸Ñ‚ÑŒ приложение." @@ -2099,11 +2155,11 @@ msgstr "Ð’Ñ‹ должны авторизоватьÑÑ, чтобы зареги msgid "Use this form to register a new application." msgstr "ИÑпользуйте Ñту форму Ð´Ð»Ñ ÑÐ¾Ð·Ð´Ð°Ð½Ð¸Ñ Ð½Ð¾Ð²Ð¾Ð³Ð¾ приложениÑ." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "URL иÑточника обÑзателен." -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 msgid "Could not create application." msgstr "Ðе удаётÑÑ Ñоздать приложение." @@ -2236,28 +2292,28 @@ msgstr "ПриложениÑ, которые вы зарегиÑтрировал msgid "You have not registered any applications yet." msgstr "Ð’Ñ‹ пока не зарегиÑтрировали ни одного приложениÑ." -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "Подключённые приложениÑ" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "Ð’Ñ‹ разрешили доÑтуп к учётной запиÑи Ñледующим приложениÑм." -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 msgid "You are not a user of that application." msgstr "Ð’Ñ‹ не ÑвлÑетеÑÑŒ пользователем Ñтого приложениÑ." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "Ðе удаётÑÑ Ð¾Ñ‚Ð¾Ð·Ð²Ð°Ñ‚ÑŒ права Ð´Ð»Ñ Ð¿Ñ€Ð¸Ð»Ð¾Ð¶ÐµÐ½Ð¸Ñ: " -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "Ð’Ñ‹ не разрешили приложениÑм иÑпользовать вашу учётную запиÑÑŒ." -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "Разработчики могут изменÑÑ‚ÑŒ наÑтройки региÑтрации Ñвоих приложений " @@ -2757,30 +2813,30 @@ msgstr "ÐžÐ±Ñ‰Ð°Ñ Ð»ÐµÐ½Ñ‚Ð°, Ñтраница %d" msgid "Public timeline" msgstr "ÐžÐ±Ñ‰Ð°Ñ Ð»ÐµÐ½Ñ‚Ð°" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "Лента публичного потока (RSS 1.0)" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "Лента публичного потока (RSS 2.0)" -#: actions/public.php:159 +#: actions/public.php:167 msgid "Public Stream Feed (Atom)" msgstr "Лента публичного потока (Atom)" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "Это Ð¾Ð±Ñ‰Ð°Ñ Ð»ÐµÐ½Ñ‚Ð° %%site.name%%, однако пока никто ничего не отправил." -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "Создайте первую запиÑÑŒ!" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2788,7 +2844,7 @@ msgstr "" "Почему бы не [зарегиÑтрироватьÑÑ](%%action.register%%), чтобы Ñтать первым " "отправителем?" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2802,7 +2858,7 @@ msgstr "" "register%%), чтобы держать в курÑе Ñвоих Ñобытий поклонников, друзей, " "родÑтвенников и коллег! ([Читать далее](%%doc.help%%))" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3168,7 +3224,7 @@ msgstr "Ð’Ñ‹ не можете повторить ÑобÑтвенную зап msgid "You already repeated that notice." msgstr "Ð’Ñ‹ уже повторили Ñту запиÑÑŒ." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 msgid "Repeated" msgstr "Повторено" @@ -3234,6 +3290,10 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Ответы на запиÑи %1$s на %2$s!" +#: actions/rsd.php:146 actions/version.php:157 +msgid "StatusNet" +msgstr "StatusNet" + #: actions/sandbox.php:65 actions/unsandbox.php:65 msgid "You cannot sandbox users on this site." msgstr "" @@ -3249,9 +3309,8 @@ msgid "Sessions" msgstr "СеÑÑии" #: actions/sessionsadminpanel.php:65 -#, fuzzy msgid "Session settings for this StatusNet site." -msgstr "ÐаÑтройки Ð¾Ñ„Ð¾Ñ€Ð¼Ð»ÐµÐ½Ð¸Ñ Ð´Ð»Ñ Ñтого Ñайта StatusNet." +msgstr "ÐаÑтройки ÑеÑÑии Ð´Ð»Ñ Ñтого Ñайта StatusNet." #: actions/sessionsadminpanel.php:175 msgid "Handle sessions" @@ -3306,43 +3365,43 @@ msgid "Statistics" msgstr "СтатиÑтика" #: actions/showapplication.php:204 -#, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +#, fuzzy, php-format +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "Ñоздано %1$s — %2$s доÑтуп по умолчанию — %3$d польз." #: actions/showapplication.php:214 msgid "Application actions" msgstr "ДейÑÑ‚Ð²Ð¸Ñ Ð¿Ñ€Ð¸Ð»Ð¾Ð¶ÐµÐ½Ð¸Ñ" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "СброÑить ключ и Ñекретную фразу" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "Ð˜Ð½Ñ„Ð¾Ñ€Ð¼Ð°Ñ†Ð¸Ñ Ð¾ приложении" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "ПотребительÑкий ключ" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "Ð¡ÐµÐºÑ€ÐµÑ‚Ð½Ð°Ñ Ñ„Ñ€Ð°Ð·Ð° потребителÑ" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "URL ключа запроÑа" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "URL ключа доÑтупа" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "URL авторизации" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3566,12 +3625,12 @@ msgstr "Лента запиÑей Ð´Ð»Ñ %s (Atom)" msgid "FOAF for %s" msgstr "FOAF Ð´Ð»Ñ %s" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "Это лента %1$s, однако %2$s пока ничего не отправил." -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -3579,7 +3638,7 @@ msgstr "" "Видели недавно что-нибудь интереÑное? Ð’Ñ‹ ещё не отправили ни одной запиÑи, " "ÑÐµÐ¹Ñ‡Ð°Ñ Ñ…Ð¾Ñ€Ð¾ÑˆÐµÐµ Ð²Ñ€ÐµÐ¼Ñ Ð´Ð»Ñ Ð½Ð°Ñ‡Ð°Ð»Ð° :)" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" @@ -3589,7 +3648,7 @@ msgstr "" "Ð¿Ñ€Ð¸Ð²Ð»ÐµÑ‡ÐµÐ½Ð¸Ñ ÐµÐ³Ð¾ или её вниманиÑ](%%%%action.newnotice%%%%?status_textarea=%2" "$s)." -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3604,7 +3663,7 @@ msgstr "" "ÑÐ¾Ð¾Ð±Ñ‰ÐµÐ½Ð¸Ñ ÑƒÑ‡Ð°Ñтника **%s** и иметь доÑтуп ко множеÑтву других возможноÑтей! " "([Читать далее](%%%%doc.help%%%%))" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3616,7 +3675,7 @@ msgstr "" "иÑпользованием Ñвободного программного обеÑÐ¿ÐµÑ‡ÐµÐ½Ð¸Ñ [StatusNet](http://status." "net/)." -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, php-format msgid "Repeat of %s" msgstr "Повтор за %s" @@ -4297,10 +4356,6 @@ msgstr "" "Этот Ñайт Ñоздан на оÑнове %1$s верÑии %2$s, Copyright 2008-2010 StatusNet, " "Inc. и учаÑтники." -#: actions/version.php:157 -msgid "StatusNet" -msgstr "StatusNet" - #: actions/version.php:161 msgid "Contributors" msgstr "Разработчики" @@ -4434,21 +4489,21 @@ msgstr "Вам запрещено поÑтитьÑÑ Ð½Ð° Ñтом Ñайте ( msgid "Problem saving notice." msgstr "Проблемы Ñ Ñохранением запиÑи." -#: classes/Notice.php:790 +#: classes/Notice.php:788 msgid "Problem saving group inbox." msgstr "Проблемы Ñ Ñохранением входÑщих Ñообщений группы." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "Ошибка баз данных при вÑтавке ответа Ð´Ð»Ñ %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Добро пожаловать на %1$s, @%2$s!" @@ -4636,8 +4691,8 @@ msgid "" "s, available under the [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." msgstr "" -"Этот ÑÐµÑ€Ð²Ð¸Ñ Ñ€Ð°Ð±Ð¾Ñ‚Ð°ÐµÑ‚ при помощи [StatusNet](http://status.net/) - " -"программного обеÑÐ¿ÐµÑ‡ÐµÐ½Ð¸Ñ Ð´Ð»Ñ Ð¼Ð¸ÐºÑ€Ð¾Ð±Ð»Ð¾Ð³Ð¸Ð½Ð³Ð°, верÑии %s, доÑтупного под " +"Этот ÑÐµÑ€Ð²Ð¸Ñ Ñ€Ð°Ð±Ð¾Ñ‚Ð°ÐµÑ‚ при помощи [StatusNet](http://status.net/) — " +"программного обеÑÐ¿ÐµÑ‡ÐµÐ½Ð¸Ñ Ð´Ð»Ñ Ð¼Ð¸ÐºÑ€Ð¾Ð±Ð»Ð¾Ð³Ð³Ð¸Ð½Ð³Ð°, верÑии %s, доÑтупного под " "лицензией [GNU Affero General Public License](http://www.fsf.org/licensing/" "licenses/agpl-3.0.html)." @@ -4723,9 +4778,8 @@ msgid "Paths configuration" msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¿ÑƒÑ‚ÐµÐ¹" #: lib/adminpanelaction.php:337 -#, fuzzy msgid "Sessions configuration" -msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¾Ñ„Ð¾Ñ€Ð¼Ð»ÐµÐ½Ð¸Ñ" +msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ ÑеÑÑий" #: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." @@ -5135,19 +5189,19 @@ msgstr "" "tracks — пока не реализовано.\n" "tracking — пока не реализовано.\n" -#: lib/common.php:131 +#: lib/common.php:135 msgid "No configuration file found. " msgstr "Конфигурационный файл не найден. " -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "Конфигурационные файлы иÑкалиÑÑŒ в Ñледующих меÑтах: " -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "Возможно, вы решите запуÑтить уÑтановщик Ð´Ð»Ñ Ð¸ÑÐ¿Ñ€Ð°Ð²Ð»ÐµÐ½Ð¸Ñ Ñтого." -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "Перейти к уÑтановщику" @@ -5793,23 +5847,23 @@ msgstr "з. д." msgid "at" msgstr "на" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "в контекÑте" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 msgid "Repeated by" msgstr "Повторено" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "Ответить на Ñту запиÑÑŒ" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "Ответить" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 msgid "Notice repeated" msgstr "ЗапиÑÑŒ повторена" @@ -5950,6 +6004,10 @@ msgstr "Повторить Ñту запиÑÑŒ?" msgid "Repeat this notice" msgstr "Повторить Ñту запиÑÑŒ" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "ПеÑочница" @@ -6115,47 +6173,47 @@ msgstr "Сообщение" msgid "Moderate" msgstr "Модерировать" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "пару Ñекунд назад" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "около минуты назад" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "около %d минут(Ñ‹) назад" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "около чаÑа назад" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "около %d чаÑа(ов) назад" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "около Ð´Ð½Ñ Ð½Ð°Ð·Ð°Ð´" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "около %d днÑ(ей) назад" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "около меÑÑца назад" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "около %d меÑÑца(ев) назад" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "около года назад" diff --git a/locale/statusnet.po b/locale/statusnet.po index 6f6f1e58b..bdd6f05cd 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -90,7 +90,7 @@ msgstr "" #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -147,7 +147,7 @@ msgid "" "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -369,8 +369,8 @@ msgstr "" msgid "Not a valid nickname." msgstr "" -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -382,8 +382,8 @@ msgstr "" msgid "Full name is too long (max 255 chars)." msgstr "" -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "" @@ -460,18 +460,22 @@ msgstr "" msgid "groups on %s" msgstr "" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +msgid "Invalid token." +msgstr "" + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -482,72 +486,80 @@ msgstr "" msgid "There was a problem with your session token. Try again, please." msgstr "" -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 msgid "Invalid nickname / password!" msgstr "" -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 msgid "Database error deleting OAuth application user." msgstr "" -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 msgid "Database error inserting OAuth application user." msgstr "" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "" -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 msgid "Allow" msgstr "" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -716,8 +728,8 @@ msgstr "" msgid "Preview" msgstr "" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "" @@ -764,8 +776,9 @@ msgid "" "will not be notified of any @-replies from them." msgstr "" -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "" @@ -773,9 +786,9 @@ msgstr "" msgid "Do not block this user" msgstr "" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "" @@ -879,6 +892,44 @@ msgstr "" msgid "Notices" msgstr "" +#: actions/deleteapplication.php:63 +msgid "You must be logged in to delete an application." +msgstr "" + +#: actions/deleteapplication.php:71 +msgid "Application not found." +msgstr "" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +msgid "You are not the owner of this application." +msgstr "" + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +msgid "Delete application" +msgstr "" + +#: actions/deleteapplication.php:149 +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" + +#: actions/deleteapplication.php:156 +msgid "Do not delete this application" +msgstr "" + +#: actions/deleteapplication.php:160 +msgid "Delete this application" +msgstr "" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -911,7 +962,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "" @@ -1051,7 +1102,7 @@ msgstr "" msgid "Add to favorites" msgstr "" -#: actions/doc.php:155 +#: actions/doc.php:158 #, php-format msgid "No such document \"%s\"" msgstr "" @@ -1064,20 +1115,11 @@ msgstr "" msgid "You must be logged in to edit an application." msgstr "" -#: actions/editapplication.php:77 actions/showapplication.php:94 -msgid "You are not the owner of this application." -msgstr "" - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 msgid "No such application." msgstr "" -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "" - #: actions/editapplication.php:161 msgid "Use this form to edit your application." msgstr "" @@ -1086,43 +1128,47 @@ msgstr "" msgid "Name is required." msgstr "" -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 msgid "Name is too long (max 255 chars)." msgstr "" -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +msgid "Name already in use. Try another one." +msgstr "" + +#: actions/editapplication.php:186 actions/newapplication.php:168 msgid "Description is required." msgstr "" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Source URL is not valid." msgstr "" -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization is too long (max 255 chars)." msgstr "" -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 msgid "Could not update application." msgstr "" @@ -1976,11 +2022,11 @@ msgstr "" msgid "Use this form to register a new application." msgstr "" -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 msgid "Could not create application." msgstr "" @@ -2105,28 +2151,28 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 msgid "You are not a user of that application." msgstr "" -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2618,36 +2664,36 @@ msgstr "" msgid "Public timeline" msgstr "" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "" -#: actions/public.php:159 +#: actions/public.php:167 msgid "Public Stream Feed (Atom)" msgstr "" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2656,7 +2702,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2985,7 +3031,7 @@ msgstr "" msgid "You already repeated that notice." msgstr "" -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 msgid "Repeated" msgstr "" @@ -3045,6 +3091,10 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "" +#: actions/rsd.php:146 actions/version.php:157 +msgid "StatusNet" +msgstr "" + #: actions/sandbox.php:65 actions/unsandbox.php:65 msgid "You cannot sandbox users on this site." msgstr "" @@ -3116,42 +3166,42 @@ msgstr "" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3356,25 +3406,25 @@ msgstr "" msgid "FOAF for %s" msgstr "" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3383,7 +3433,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3391,7 +3441,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, php-format msgid "Repeat of %s" msgstr "" @@ -4031,10 +4081,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -msgid "StatusNet" -msgstr "" - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4152,21 +4198,21 @@ msgstr "" msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:790 +#: classes/Notice.php:788 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" @@ -4795,19 +4841,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 msgid "No configuration file found. " msgstr "" -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "" @@ -5358,23 +5404,23 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 msgid "Repeated by" msgstr "" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 msgid "Notice repeated" msgstr "" @@ -5515,6 +5561,10 @@ msgstr "" msgid "Repeat this notice" msgstr "" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "" @@ -5680,47 +5730,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index de78d46d8..a6a277ba1 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:42:45+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:22:06+0000\n" "Language-Team: Swedish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: out-statusnet\n" @@ -94,7 +94,7 @@ msgstr "Ingen sÃ¥dan sida" #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -107,7 +107,7 @@ msgstr "Ingen sÃ¥dan användare." #: actions/all.php:84 #, php-format msgid "%1$s and friends, page %2$d" -msgstr "%1$s blockerade profiler, sida %2$d" +msgstr "%1$s och vänner, sida %2$d" #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 @@ -156,7 +156,7 @@ msgstr "" "nÃ¥gonting för hans eller hennes uppmärksamhet](%%%%action.newnotice%%%%?" "status_textarea=%3$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -280,7 +280,7 @@ msgstr "Hävning av blockering av användare misslyckades." #: actions/apidirectmessage.php:89 #, php-format msgid "Direct messages from %s" -msgstr "Direktmeddelande frÃ¥n %s" +msgstr "Direktmeddelanden frÃ¥n %s" #: actions/apidirectmessage.php:93 #, php-format @@ -383,8 +383,8 @@ msgstr "Smeknamnet används redan. Försök med ett annat." msgid "Not a valid nickname." msgstr "Inte ett giltigt smeknamn." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -396,8 +396,8 @@ msgstr "Hemsida är inte en giltig URL." msgid "Full name is too long (max 255 chars)." msgstr "Fullständigt namn är för lÃ¥ngt (max 255 tecken)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "Beskrivning är för lÃ¥ng (max 140 tecken)." @@ -474,18 +474,23 @@ msgstr "%s grupper" msgid "groups on %s" msgstr "grupper pÃ¥ %s" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." -msgstr "DÃ¥lig förfrÃ¥gan." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." +msgstr "" + +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "Ogiltig storlek." -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -496,72 +501,80 @@ msgstr "DÃ¥lig förfrÃ¥gan." msgid "There was a problem with your session token. Try again, please." msgstr "Det var ett problem med din sessions-token. Var vänlig försök igen." -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 msgid "Invalid nickname / password!" msgstr "Ogiltigt smeknamn / lösenord!" -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 msgid "Database error deleting OAuth application user." msgstr "Databasfel vid borttagning av OAuth-applikationsanvändare." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 msgid "Database error inserting OAuth application user." msgstr "Databasfel vid infogning av OAuth-applikationsanvändare." -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "Begäran-token %s har godkänts. Byt ut den mot en Ã¥tkomst-token." -#: actions/apioauthauthorize.php:241 -#, php-format -msgid "The request token %s has been denied." +#: actions/apioauthauthorize.php:227 +#, fuzzy, php-format +msgid "The request token %s has been denied and revoked." msgstr "Begäran-token %s har nekats." -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "Oväntat inskick av formulär." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "En applikation skulle vilja ansluta till ditt konto" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "TillÃ¥t eller neka Ã¥tkomst" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Konto" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Smeknamn" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Lösenord" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "Neka" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 msgid "Allow" msgstr "TillÃ¥t" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "TillÃ¥t eller neka Ã¥tkomst till din kontoinformation." @@ -731,8 +744,8 @@ msgstr "Orginal" msgid "Preview" msgstr "Förhandsgranska" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Ta bort" @@ -782,8 +795,9 @@ msgstr "" "prenumeration pÃ¥ dig tas bort, de kommer inte kunna prenumerera pÃ¥ dig i " "framtiden och du kommer inte bli underrättad om nÃ¥gra @-svar frÃ¥n dem." -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "Nej" @@ -791,9 +805,9 @@ msgstr "Nej" msgid "Do not block this user" msgstr "Blockera inte denna användare" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Ja" @@ -898,6 +912,52 @@ msgstr "Konversationer" msgid "Notices" msgstr "Notiser" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "Du mÃ¥ste vara inloggad för att redigera en applikation." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Information om applikation" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +msgid "You are not the owner of this application." +msgstr "Du är inte ägaren av denna applikation." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "Det var ett problem med din sessions-token." + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "Redigera applikation" + +#: actions/deleteapplication.php:149 +#, fuzzy +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" +"Är du säker pÃ¥ att du vill ta bort denna användare? Det kommer rensa all " +"data om användaren frÃ¥n databasen, utan en säkerhetskopia." + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Ta inte bort denna notis" + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Ikon för denna applikation" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -932,7 +992,7 @@ msgstr "Är du säker pÃ¥ att du vill ta bort denna notis?" msgid "Do not delete this notice" msgstr "Ta inte bort denna notis" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "Ta bort denna notis" @@ -1076,7 +1136,7 @@ msgstr "Denna notis är inte en favorit!" msgid "Add to favorites" msgstr "Lägg till i favoriter" -#: actions/doc.php:155 +#: actions/doc.php:158 #, php-format msgid "No such document \"%s\"" msgstr "Inget sÃ¥dant dokument \"%s\"" @@ -1089,20 +1149,11 @@ msgstr "Redigera applikation" msgid "You must be logged in to edit an application." msgstr "Du mÃ¥ste vara inloggad för att redigera en applikation." -#: actions/editapplication.php:77 actions/showapplication.php:94 -msgid "You are not the owner of this application." -msgstr "Du är inte ägaren av denna applikation." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 msgid "No such application." msgstr "Ingen sÃ¥dan applikation." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "Det var ett problem med din sessions-token." - #: actions/editapplication.php:161 msgid "Use this form to edit your application." msgstr "Använd detta formulär för att redigera din applikation." @@ -1111,43 +1162,48 @@ msgstr "Använd detta formulär för att redigera din applikation." msgid "Name is required." msgstr "Namn krävs." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 msgid "Name is too long (max 255 chars)." msgstr "Namnet är för lÃ¥ngt (max 255 tecken)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "Smeknamnet används redan. Försök med ett annat." + +#: actions/editapplication.php:186 actions/newapplication.php:168 msgid "Description is required." msgstr "Beskrivning krävs." -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "URL till källa är för lÃ¥ng." -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Source URL is not valid." msgstr "URL till källa är inte giltig." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "Organisation krävs." -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization is too long (max 255 chars)." msgstr "Organisation är för lÃ¥ng (max 255 tecken)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "Hemsida för organisation krävs." -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "Anrop är för lÃ¥ng." -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "URL för anrop är inte giltig." -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 msgid "Could not update application." msgstr "Kunde inte uppdatera applikation." @@ -2078,11 +2134,11 @@ msgstr "Du mÃ¥ste vara inloggad för att registrera en applikation." msgid "Use this form to register a new application." msgstr "Använd detta formulär för att registrera en ny applikation." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "URL till källa krävs." -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 msgid "Could not create application." msgstr "Kunde inte skapa applikation." @@ -2217,28 +2273,28 @@ msgstr "Applikationer du har registrerat" msgid "You have not registered any applications yet." msgstr "Du har inte registrerat nÃ¥gra applikationer än." -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "Anslutna applikationer" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "Du har tillÃ¥tit följande applikationer att komma Ã¥t ditt konto." -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 msgid "You are not a user of that application." msgstr "Du är inte en användare av den applikationen." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "Kunde inte Ã¥terkalla Ã¥tkomst för applikation: " -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "Du har inte tillÃ¥tit nÃ¥gra applikationer att använda ditt konto." -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" "Utvecklare kan redigera registreringsinställningarna för sina applikationer " @@ -2740,19 +2796,19 @@ msgstr "Publik tidslinje, sida %d" msgid "Public timeline" msgstr "Publik tidslinje" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "Publikt flöde av ström (RSS 1.0)" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "Publikt flöde av ström (RSS 2.0)" -#: actions/public.php:159 +#: actions/public.php:167 msgid "Public Stream Feed (Atom)" msgstr "Publikt flöde av ström (Atom)" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2761,11 +2817,11 @@ msgstr "" "Detta är den publika tidslinjen för %%site.name%% men ingen har postat nÃ¥got " "än." -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "Bli först att posta!" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2773,7 +2829,7 @@ msgstr "" "Varför inte [registrera ett konto](%%action.register%%) och bli först att " "posta!" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2786,7 +2842,7 @@ msgstr "" "net/). [GÃ¥ med nu](%%action.register%%) för att dela notiser om dig själv " "med vänner, familj och kollegor! ([Läs mer](%%doc.help%%))" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3155,7 +3211,7 @@ msgstr "Du kan inte upprepa din egna notis." msgid "You already repeated that notice." msgstr "Du har redan upprepat denna notis." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 msgid "Repeated" msgstr "Upprepad" @@ -3221,6 +3277,10 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Svar till %1$s pÃ¥ %2$s" +#: actions/rsd.php:146 actions/version.php:157 +msgid "StatusNet" +msgstr "StatusNet" + #: actions/sandbox.php:65 actions/unsandbox.php:65 msgid "You cannot sandbox users on this site." msgstr "Du kan inte flytta användare till sandlÃ¥dan pÃ¥ denna webbplats." @@ -3235,9 +3295,8 @@ msgid "Sessions" msgstr "Sessioner" #: actions/sessionsadminpanel.php:65 -#, fuzzy msgid "Session settings for this StatusNet site." -msgstr "Utseendeinställningar för denna StatusNet-webbplats." +msgstr "Sessionsinställningar för denna StatusNet-webbplats." #: actions/sessionsadminpanel.php:175 msgid "Handle sessions" @@ -3292,43 +3351,43 @@ msgid "Statistics" msgstr "Statistik" #: actions/showapplication.php:204 -#, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +#, fuzzy, php-format +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "skapad av %1$s - %2$s standardÃ¥tkomst - %3$d användare" #: actions/showapplication.php:214 msgid "Application actions" msgstr "Ã…tgärder för applikation" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "Ã…terställ nyckel & hemlighet" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "Information om applikation" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "Nyckel för konsument" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "Hemlighet för konsument" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "URL för begäran-token" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "URL för Ã¥tkomst-token" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "TillÃ¥t URL" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3552,12 +3611,12 @@ msgstr "Flöde av notiser för %s (Atom)" msgid "FOAF for %s" msgstr "FOAF för %s" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "Detta är tidslinjen för %1$s men %2$s har inte postat nÃ¥got än." -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -3565,7 +3624,7 @@ msgstr "" "Sett nÃ¥got intressant nyligen? Du har inte postat nÃ¥gra notiser än. Varför " "inte börja nu?" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" @@ -3574,7 +3633,7 @@ msgstr "" "Du kan prova att knuffa %1$s eller [posta nÃ¥got för hans eller hennes " "uppmärksamhet](%%%%action.newnotice%%%%?status_textarea=%2$s)." -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3587,7 +3646,7 @@ msgstr "" "[StatusNet](http://status.net/). [GÃ¥ med nu](%%%%action.register%%%%) för " "att följa **%s**s notiser och mÃ¥nga fler! ([Läs mer](%%%%doc.help%%%%))" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3598,7 +3657,7 @@ msgstr "" "wikipedia.org/wiki/Micro-blogging)tjänst baserad pÃ¥ den fria programvaran " "[StatusNet](http://status.net/). " -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, php-format msgid "Repeat of %s" msgstr "Upprepning av %s" @@ -4278,10 +4337,6 @@ msgstr "" "Denna webbplats drivs med %1$s version %2$s, Copyright 2008-2010 StatusNet, " "Inc. och medarbetare." -#: actions/version.php:157 -msgid "StatusNet" -msgstr "StatusNet" - #: actions/version.php:161 msgid "Contributors" msgstr "Medarbetare" @@ -4415,21 +4470,21 @@ msgstr "Du är utestängd frÃ¥n att posta notiser pÃ¥ denna webbplats." msgid "Problem saving notice." msgstr "Problem med att spara notis." -#: classes/Notice.php:790 +#: classes/Notice.php:788 msgid "Problem saving group inbox." msgstr "Problem med att spara gruppinkorg." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "Databasfel vid infogning av svar: %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Välkommen till %1$s, @%2$s!" @@ -4701,9 +4756,8 @@ msgid "Paths configuration" msgstr "Konfiguration av sökvägar" #: lib/adminpanelaction.php:337 -#, fuzzy msgid "Sessions configuration" -msgstr "Konfiguration av utseende" +msgstr "Konfiguration av sessioner" #: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." @@ -5110,19 +5164,19 @@ msgstr "" "tracks - inte implementerat än.\n" "tracking - inte implementerat än.\n" -#: lib/common.php:131 +#: lib/common.php:135 msgid "No configuration file found. " msgstr "Ingen konfigurationsfil hittades. " -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "Jag letade efter konfigurationsfiler pÃ¥ följande platser: " -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "Du kanske vill köra installeraren för att Ã¥tgärda detta." -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "GÃ¥ till installeraren." @@ -5766,23 +5820,23 @@ msgstr "V" msgid "at" msgstr "pÃ¥" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "i sammanhang" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 msgid "Repeated by" msgstr "Upprepad av" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "Svara pÃ¥ denna notis" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "Svara" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 msgid "Notice repeated" msgstr "Notis upprepad" @@ -5923,6 +5977,10 @@ msgstr "Upprepa denna notis?" msgid "Repeat this notice" msgstr "Upprepa denna notis" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "Flytta till sandlÃ¥dan" @@ -6088,47 +6146,47 @@ msgstr "Meddelande" msgid "Moderate" msgstr "Moderera" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "ett par sekunder sedan" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "för nÃ¥n minut sedan" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "för %d minuter sedan" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "för en timma sedan" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "för %d timmar sedan" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "för en dag sedan" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "för %d dagar sedan" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "för en mÃ¥nad sedan" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "för %d mÃ¥nader sedan" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "för ett Ã¥r sedan" diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index 59757cc82..d8eae4dc5 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:42:48+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:22:10+0000\n" "Language-Team: Telugu\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: out-statusnet\n" @@ -95,7 +95,7 @@ msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ పేజీ లేదà±" #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -152,7 +152,7 @@ msgid "" "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -381,8 +381,8 @@ msgstr "à°† పేరà±à°¨à°¿ ఇపà±à°ªà°Ÿà°¿à°•à±‡ వాడà±à°¤à±à°¨à± msgid "Not a valid nickname." msgstr "సరైన పేరౠకాదà±." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -394,8 +394,8 @@ msgstr "హోమౠపేజీ URL సరైనది కాదà±." msgid "Full name is too long (max 255 chars)." msgstr "పూరà±à°¤à°¿ పేరౠచాలా పెదà±à°¦à°—à°¾ ఉంది (à°—à°°à°¿à°·à±à° à°‚à°—à°¾ 255 à°…à°•à±à°·à°°à°¾à°²à±)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "వివరణ చాలా పెదà±à°¦à°—à°¾ ఉంది (%d à°…à°•à±à°·à°°à°¾à°²à± à°—à°°à°¿à°·à±à° à°‚)." @@ -472,18 +472,23 @@ msgstr "%s à°—à±à°‚à°ªà±à°²à±" msgid "groups on %s" msgstr "%s పై à°—à±à°‚à°ªà±à°²à±" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." -msgstr "తపà±à°ªà±à°¡à± à°…à°­à±à°¯à°°à±à°¥à°¨." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." +msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "తపà±à°ªà±à°¡à± పరిమాణం." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -494,74 +499,82 @@ msgstr "తపà±à°ªà±à°¡à± à°…à°­à±à°¯à°°à±à°¥à°¨." msgid "There was a problem with your session token. Try again, please." msgstr "" -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 msgid "Invalid nickname / password!" msgstr "తపà±à°ªà±à°¡à± పేరౠ/ సంకేతపదం!" -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "అవతారానà±à°¨à°¿ పెటà±à°Ÿà°¡à°‚లో పొరపాటà±" -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "అవతారానà±à°¨à°¿ పెటà±à°Ÿà°¡à°‚లో పొరపాటà±" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "" -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "ఖాతా" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "పేరà±" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "సంకేతపదం" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "తిరసà±à°•à°°à°¿à°‚à°šà±" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 msgid "Allow" msgstr "à°…à°¨à±à°®à°¤à°¿à°‚à°šà±" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -733,8 +746,8 @@ msgstr "అసలà±" msgid "Preview" msgstr "à°®à±à°¨à±à°œà±‚à°ªà±" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "తొలగించà±" @@ -781,8 +794,9 @@ msgid "" "will not be notified of any @-replies from them." msgstr "" -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "కాదà±" @@ -790,9 +804,9 @@ msgstr "కాదà±" msgid "Do not block this user" msgstr "à°ˆ వాడà±à°•à°°à°¿à°¨à°¿ నిరోధించకà±" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "à°…à°µà±à°¨à±" @@ -898,6 +912,52 @@ msgstr "సంభాషణ" msgid "Notices" msgstr "సందేశాలà±" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "ఉపకరణాలని మారà±à°šà°¡à°¾à°¨à°¿à°•à°¿ మీరౠపà±à°°à°µà±‡à°¶à°¿à°‚à°šà°¿ ఉండాలి." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "ఉపకరణ సమాచారం" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +msgid "You are not the owner of this application." +msgstr "మీరౠఈ ఉపకరణం యొకà±à°• యజమాని కాదà±." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "ఉపకరణానà±à°¨à°¿ మారà±à°šà±" + +#: actions/deleteapplication.php:149 +#, fuzzy +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" +"మీరౠనిజంగానే à°ˆ వాడà±à°•à°°à°¿à°¨à°¿ తొలగించాలనà±à°•à±à°‚à°Ÿà±à°¨à±à°¨à°¾à°°à°¾? ఇది à°† వాడà±à°•à°°à°¿ భోగటà±à°Ÿà°¾à°¨à°¿ డాటాబేసౠనà±à°‚à°¡à°¿ తొలగిసà±à°¤à±à°‚ది, " +"వెనకà±à°•à°¿ తేలేకà±à°‚à°¡à°¾." + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "à°ˆ నోటీసà±à°¨à°¿ తొలగించకà±" + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "à°ˆ ఉపకరణానికి à°ªà±à°°à°¤à±€à°•à°‚" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -930,7 +990,7 @@ msgstr "మీరౠనిజంగానే à°ˆ నోటీసà±à°¨à°¿ à°¤ msgid "Do not delete this notice" msgstr "à°ˆ నోటీసà±à°¨à°¿ తొలగించకà±" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "à°ˆ నోటీసà±à°¨à°¿ తొలగించà±" @@ -1072,7 +1132,7 @@ msgstr "à°ˆ నోటీసౠఇషà±à°Ÿà°¾à°‚శం కాదà±!" msgid "Add to favorites" msgstr "ఇషà±à°Ÿà°¾à°‚శాలకౠచేరà±à°šà±" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ పతà±à°°à°®à±‡à°®à±€ లేదà±." @@ -1086,20 +1146,11 @@ msgstr "ఉపకరణానà±à°¨à°¿ మారà±à°šà±" msgid "You must be logged in to edit an application." msgstr "ఉపకరణాలని మారà±à°šà°¡à°¾à°¨à°¿à°•à°¿ మీరౠపà±à°°à°µà±‡à°¶à°¿à°‚à°šà°¿ ఉండాలి." -#: actions/editapplication.php:77 actions/showapplication.php:94 -msgid "You are not the owner of this application." -msgstr "మీరౠఈ ఉపకరణం యొకà±à°• యజమాని కాదà±." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 msgid "No such application." msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ ఉపకరణం లేదà±." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "" - #: actions/editapplication.php:161 msgid "Use this form to edit your application." msgstr "మీ ఉపకరణానà±à°¨à°¿ మారà±à°šà°¡à°¾à°¨à°¿à°•à°¿ à°ˆ ఫారానà±à°¨à°¿ ఉపయోగించండి." @@ -1108,44 +1159,49 @@ msgstr "మీ ఉపకరణానà±à°¨à°¿ మారà±à°šà°¡à°¾à°¨à°¿à°•à°¿ msgid "Name is required." msgstr "పేరౠతపà±à°ªà°¨à°¿à°¸à°°à°¿." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 msgid "Name is too long (max 255 chars)." msgstr "పేరౠచాలా పెదà±à°¦à°—à°¾ ఉంది (à°—à°°à°¿à°·à±à° à°‚à°—à°¾ 255 à°…à°•à±à°·à°°à°¾à°²à±)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "à°† పేరà±à°¨à°¿ ఇపà±à°ªà°Ÿà°¿à°•à±‡ వాడà±à°¤à±à°¨à±à°¨à°¾à°°à±. మరోటి à°ªà±à°°à°¯à°¤à±à°¨à°¿à°‚à°šà°‚à°¡à°¿." + +#: actions/editapplication.php:186 actions/newapplication.php:168 msgid "Description is required." msgstr "వివరణ తపà±à°ªà°¨à°¿à°¸à°°à°¿." -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 #, fuzzy msgid "Source URL is not valid." msgstr "హోమౠపేజీ URL సరైనది కాదà±." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "సంసà±à°¥ తపà±à°ªà°¨à°¿à°¸à°°à°¿." -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization is too long (max 255 chars)." msgstr "సంసà±à°¥ పేరౠమరీ పెదà±à°¦à°—à°¾ ఉంది (255 à°…à°•à±à°·à°°à°¾à°²à± à°—à°°à°¿à°·à±à° à°‚)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 #, fuzzy msgid "Could not update application." msgstr "à°—à±à°‚à°ªà±à°¨à°¿ తాజాకరించలేకà±à°¨à±à°¨à°¾à°‚." @@ -2014,11 +2070,11 @@ msgstr "ఉపకరణాలని నమోదà±à°šà±‡à°¸à±à°•à±‹à°¡à°¾à°¨ msgid "Use this form to register a new application." msgstr "కొతà±à°¤ ఉపకరణానà±à°¨à°¿ నమోదà±à°šà±‡à°¸à±à°•à±‹à°¡à°¾à°¨à°¿à°•à°¿ à°ˆ ఫారానà±à°¨à°¿ ఉపయోగించండి." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy msgid "Could not create application." msgstr "మారà±à°ªà±‡à°°à±à°²à°¨à°¿ సృషà±à°Ÿà°¿à°‚చలేకపోయాం." @@ -2150,28 +2206,28 @@ msgstr "మీరౠనమోదౠచేసివà±à°¨à±à°¨ ఉపకరణ msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "సంధానిత ఉపకరణాలà±" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 msgid "You are not a user of that application." msgstr "మీరౠఆ ఉపకరణం యొకà±à°• వాడà±à°•à°°à°¿ కాదà±." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2679,39 +2735,39 @@ msgstr "à°ªà±à°°à°œà°¾ కాలరేఖ, పేజీ %d" msgid "Public timeline" msgstr "à°ªà±à°°à°œà°¾ కాలరేఖ" -#: actions/public.php:151 +#: actions/public.php:159 #, fuzzy msgid "Public Stream Feed (RSS 1.0)" msgstr "à°ªà±à°°à°œà°¾ వాహిని ఫీడà±" -#: actions/public.php:155 +#: actions/public.php:163 #, fuzzy msgid "Public Stream Feed (RSS 2.0)" msgstr "à°ªà±à°°à°œà°¾ వాహిని ఫీడà±" -#: actions/public.php:159 +#: actions/public.php:167 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "à°ªà±à°°à°œà°¾ వాహిని ఫీడà±" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2720,7 +2776,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3069,7 +3125,7 @@ msgstr "à°ˆ లైసెనà±à°¸à±à°•à°¿ అంగీకరించకపో msgid "You already repeated that notice." msgstr "మీరౠఇపà±à°ªà°Ÿà°¿à°•à±‡ à°† వాడà±à°•à°°à°¿à°¨à°¿ నిరోధించారà±." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 #, fuzzy msgid "Repeated" msgstr "సృషà±à°Ÿà°¿à°¤à°‚" @@ -3133,6 +3189,10 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "%sà°•à°¿ à°¸à±à°ªà°‚దనలà±" +#: actions/rsd.php:146 actions/version.php:157 +msgid "StatusNet" +msgstr "à°¸à±à°Ÿà±‡à°Ÿà°¸à±â€Œà°¨à±†à°Ÿà±" + #: actions/sandbox.php:65 actions/unsandbox.php:65 #, fuzzy msgid "You cannot sandbox users on this site." @@ -3208,43 +3268,43 @@ msgstr "గణాంకాలà±" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "ఉపకరణ à°šà°°à±à°¯à°²à±" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "ఉపకరణ సమాచారం" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 #, fuzzy msgid "Authorize URL" msgstr "రచయిత" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3449,26 +3509,26 @@ msgstr "%s యొకà±à°• సందేశమà±à°² ఫీడà±" msgid "FOAF for %s" msgstr "" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, fuzzy, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "ఇది %s మరియౠమితà±à°°à±à°² కాలరేఖ కానీ ఇంకా ఎవరూ à°à°®à±€ రాయలేదà±." -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" "ఈమధà±à°¯à±‡ à°à°¦à±ˆà°¨à°¾ ఆసకà±à°¤à°¿à°•à°°à°®à±ˆà°¨à°¦à°¿ చూసారా? మీరౠఇంకా నోటీసà±à°²à±‡à°®à±€ à°µà±à°°à°¾à°¯à°²à±‡à°¦à±, మొదలà±à°ªà±†à°Ÿà±à°Ÿà°¡à°¾à°¨à°¿à°•à°¿ ఇదే మంచి సమయం :)" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3477,7 +3537,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3485,7 +3545,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, php-format msgid "Repeat of %s" msgstr "%s యొకà±à°• à°ªà±à°¨à°°à°¾à°µà±ƒà°¤à°‚" @@ -4137,10 +4197,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -msgid "StatusNet" -msgstr "à°¸à±à°Ÿà±‡à°Ÿà°¸à±â€Œà°¨à±†à°Ÿà±" - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4260,22 +4316,22 @@ msgstr "à°ˆ సైటà±à°²à±‹ నోటీసà±à°²à± రాయడం నౠmsgid "Problem saving notice." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:790 +#: classes/Notice.php:788 #, fuzzy msgid "Problem saving group inbox." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "@%2$s, %1$sà°•à°¿ à°¸à±à°µà°¾à°—తం!" @@ -4929,20 +4985,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 #, fuzzy msgid "No configuration file found. " msgstr "నిరà±à°§à°¾à°°à°£ సంకేతం లేదà±." -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "" @@ -5523,24 +5579,24 @@ msgstr "à°ª" msgid "at" msgstr "" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "సందరà±à°­à°‚లో" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 #, fuzzy msgid "Repeated by" msgstr "సృషà±à°Ÿà°¿à°¤à°‚" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "à°ˆ నోటీసà±à°ªà±ˆ à°¸à±à°ªà°‚దించండి" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "à°¸à±à°ªà°‚దించండి" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 #, fuzzy msgid "Notice repeated" msgstr "నోటీసà±à°¨à°¿ తొలగించాం." @@ -5687,6 +5743,10 @@ msgstr "à°ˆ నోటీసà±à°ªà±ˆ à°¸à±à°ªà°‚దించండి" msgid "Repeat this notice" msgstr "à°ˆ నోటీసà±à°ªà±ˆ à°¸à±à°ªà°‚దించండి" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "" @@ -5860,47 +5920,47 @@ msgstr "సందేశం" msgid "Moderate" msgstr "" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "కొనà±à°¨à°¿ à°•à±à°·à°£à°¾à°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "à°“ నిమిషం à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "%d నిమిషాల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "à°’à°• à°—à°‚à°Ÿ à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "%d à°—à°‚à°Ÿà°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "à°“ రోజౠకà±à°°à°¿à°¤à°‚" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "%d రోజà±à°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "à°“ నెల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "%d నెలల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "à°’à°• సంవతà±à°¸à°°à°‚ à°•à±à°°à°¿à°¤à°‚" diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index 57d10e80f..d406e6159 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:42:51+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:22:13+0000\n" "Language-Team: Turkish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: out-statusnet\n" @@ -100,7 +100,7 @@ msgstr "Böyle bir durum mesajı yok." #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -157,7 +157,7 @@ msgid "" "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -393,8 +393,8 @@ msgstr "Takma ad kullanımda. BaÅŸka bir tane deneyin." msgid "Not a valid nickname." msgstr "Geçersiz bir takma ad." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -406,8 +406,8 @@ msgstr "BaÅŸlangıç sayfası adresi geçerli bir URL deÄŸil." msgid "Full name is too long (max 255 chars)." msgstr "Tam isim çok uzun (azm: 255 karakter)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "Hakkında bölümü çok uzun (azm 140 karakter)." @@ -487,18 +487,23 @@ msgstr "" msgid "groups on %s" msgstr "" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "Geçersiz büyüklük." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -509,76 +514,84 @@ msgstr "" msgid "There was a problem with your session token. Try again, please." msgstr "" -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 #, fuzzy msgid "Invalid nickname / password!" msgstr "Geçersiz kullanıcı adı veya parola." -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "Kullanıcı ayarlamada hata oluÅŸtu." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "Cevap eklenirken veritabanı hatası: %s" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "BeklenmeÄŸen form girdisi." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 #, fuzzy msgid "Account" msgstr "Hakkında" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Takma ad" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Parola" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 msgid "Allow" msgstr "" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -755,8 +768,8 @@ msgstr "" msgid "Preview" msgstr "" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "" @@ -806,8 +819,9 @@ msgid "" "will not be notified of any @-replies from them." msgstr "" -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "" @@ -816,9 +830,9 @@ msgstr "" msgid "Do not block this user" msgstr "Böyle bir kullanıcı yok." -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "" @@ -928,6 +942,50 @@ msgstr "Yer" msgid "Notices" msgstr "Durum mesajları" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "Kullanıcı güncellenemedi." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Bu durum mesajının ait oldugu kullanıcı profili yok" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Bize o profili yollamadınız" + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "Böyle bir durum mesajı yok." + +#: actions/deleteapplication.php:149 +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Böyle bir durum mesajı yok." + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Kendinizi ve ilgi alanlarınızı 140 karakter ile anlatın" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -961,7 +1019,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "Böyle bir durum mesajı yok." -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "" @@ -1114,7 +1172,7 @@ msgstr "" msgid "Add to favorites" msgstr "" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "Böyle bir belge yok." @@ -1128,22 +1186,12 @@ msgstr "Bu durum mesajının ait oldugu kullanıcı profili yok" msgid "You must be logged in to edit an application." msgstr "" -#: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy -msgid "You are not the owner of this application." -msgstr "Bize o profili yollamadınız" - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 #, fuzzy msgid "No such application." msgstr "Böyle bir durum mesajı yok." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "" - #: actions/editapplication.php:161 msgid "Use this form to edit your application." msgstr "" @@ -1152,47 +1200,52 @@ msgstr "" msgid "Name is required." msgstr "" -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 #, fuzzy msgid "Name is too long (max 255 chars)." msgstr "Tam isim çok uzun (azm: 255 karakter)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "Takma ad kullanımda. BaÅŸka bir tane deneyin." + +#: actions/editapplication.php:186 actions/newapplication.php:168 #, fuzzy msgid "Description is required." msgstr "Abonelikler" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 #, fuzzy msgid "Source URL is not valid." msgstr "BaÅŸlangıç sayfası adresi geçerli bir URL deÄŸil." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 #, fuzzy msgid "Organization is too long (max 255 chars)." msgstr "Yer bilgisi çok uzun (azm: 255 karakter)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 #, fuzzy msgid "Could not update application." msgstr "Kullanıcı güncellenemedi." @@ -2101,11 +2154,11 @@ msgstr "" msgid "Use this form to register a new application." msgstr "" -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy msgid "Could not create application." msgstr "Avatar bilgisi kaydedilemedi" @@ -2234,29 +2287,29 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 #, fuzzy msgid "You are not a user of that application." msgstr "Bize o profili yollamadınız" -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2779,39 +2832,39 @@ msgstr "Genel zaman çizgisi" msgid "Public timeline" msgstr "Genel zaman çizgisi" -#: actions/public.php:151 +#: actions/public.php:159 #, fuzzy msgid "Public Stream Feed (RSS 1.0)" msgstr "Genel Durum Akış RSS Beslemesi" -#: actions/public.php:155 +#: actions/public.php:163 #, fuzzy msgid "Public Stream Feed (RSS 2.0)" msgstr "Genel Durum Akış RSS Beslemesi" -#: actions/public.php:159 +#: actions/public.php:167 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "Genel Durum Akış RSS Beslemesi" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2820,7 +2873,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3162,7 +3215,7 @@ msgstr "EÄŸer lisansı kabul etmezseniz kayıt olamazsınız." msgid "You already repeated that notice." msgstr "Zaten giriÅŸ yapmış durumdasıznız!" -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 #, fuzzy msgid "Repeated" msgstr "Yarat" @@ -3224,6 +3277,11 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "%s için cevaplar" +#: actions/rsd.php:146 actions/version.php:157 +#, fuzzy +msgid "StatusNet" +msgstr "Avatar güncellendi." + #: actions/sandbox.php:65 actions/unsandbox.php:65 #, fuzzy msgid "You cannot sandbox users on this site." @@ -3302,42 +3360,42 @@ msgstr "Ä°statistikler" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3547,25 +3605,25 @@ msgstr "%s için durum RSS beslemesi" msgid "FOAF for %s" msgstr "" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3574,7 +3632,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3582,7 +3640,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, fuzzy, php-format msgid "Repeat of %s" msgstr "%s için cevaplar" @@ -4254,11 +4312,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -#, fuzzy -msgid "StatusNet" -msgstr "Avatar güncellendi." - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4382,22 +4435,22 @@ msgstr "" msgid "Problem saving notice." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:790 +#: classes/Notice.php:788 #, fuzzy msgid "Problem saving group inbox." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "Cevap eklenirken veritabanı hatası: %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" @@ -5067,20 +5120,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 #, fuzzy msgid "No configuration file found. " msgstr "Onay kodu yok." -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "" @@ -5659,26 +5712,26 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 #, fuzzy msgid "in context" msgstr "İçerik yok!" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 #, fuzzy msgid "Repeated by" msgstr "Yarat" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 #, fuzzy msgid "Reply" msgstr "cevapla" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 #, fuzzy msgid "Notice repeated" msgstr "Durum mesajları" @@ -5826,6 +5879,10 @@ msgstr "Böyle bir durum mesajı yok." msgid "Repeat this notice" msgstr "Böyle bir durum mesajı yok." +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "" @@ -6003,47 +6060,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "birkaç saniye önce" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "yaklaşık bir dakika önce" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "yaklaşık %d dakika önce" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "yaklaşık bir saat önce" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "yaklaşık %d saat önce" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "yaklaşık bir gün önce" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "yaklaşık %d gün önce" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "yaklaşık bir ay önce" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "yaklaşık %d ay önce" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "yaklaşık bir yıl önce" diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index de786c829..3532fdf9f 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:42:53+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:22:16+0000\n" "Language-Team: Ukrainian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: out-statusnet\n" @@ -97,7 +97,7 @@ msgstr "Ðемає такої Ñторінки" #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -158,7 +158,7 @@ msgstr "" "Ви можете [«розштовхати» %1$s](../%2$s) зі Ñторінки його профілю або [щоÑÑŒ " "йому напиÑати](%%%%action.newnotice%%%%?status_textarea=%3$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -388,8 +388,8 @@ msgstr "Це Ñ–Ð¼â€™Ñ Ð²Ð¶Ðµ викориÑтовуєтьÑÑ. Спробуйт msgid "Not a valid nickname." msgstr "Це недійÑне Ñ–Ð¼â€™Ñ ÐºÐ¾Ñ€Ð¸Ñтувача." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -401,8 +401,8 @@ msgstr "Веб-Ñторінка має недійÑну URL-адреÑу." msgid "Full name is too long (max 255 chars)." msgstr "Повне Ñ–Ð¼â€™Ñ Ð·Ð°Ð´Ð¾Ð²Ð³Ðµ (255 знаків макÑимум)" -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "ÐžÐ¿Ð¸Ñ Ð½Ð°Ð´Ñ‚Ð¾ довгий (%d знаків макÑимум)." @@ -479,18 +479,23 @@ msgstr "%s групи" msgid "groups on %s" msgstr "групи на %s" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." -msgstr "Ðевірний запит." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." +msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "ÐедійÑний розмір." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -502,19 +507,19 @@ msgid "There was a problem with your session token. Try again, please." msgstr "" "Виникли певні проблеми з токеном поточної ÑеÑÑ–Ñ—. Спробуйте знов, будь лаÑка." -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 msgid "Invalid nickname / password!" msgstr "ÐедійÑне Ñ–Ð¼â€™Ñ / пароль!" -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 msgid "Database error deleting OAuth application user." msgstr "Помилка бази даних при видаленні кориÑтувача OAuth-додатку." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 msgid "Database error inserting OAuth application user." msgstr "Помилка бази даних при додаванні кориÑтувача OAuth-додатку." -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " @@ -523,53 +528,61 @@ msgstr "" "Токен запиту %s було авторизовано. Будь лаÑка, обмінÑйте його на токен " "доÑтупу." -#: actions/apioauthauthorize.php:241 -#, php-format -msgid "The request token %s has been denied." +#: actions/apioauthauthorize.php:227 +#, fuzzy, php-format +msgid "The request token %s has been denied and revoked." msgstr "Токен запиту %s було відхилено." -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "ÐеÑподіване предÑÑ‚Ð°Ð²Ð»ÐµÐ½Ð½Ñ Ñ„Ð¾Ñ€Ð¼Ð¸." -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "Запит на дозвіл під’єднатиÑÑ Ð´Ð¾ Вашого облікового запиÑу" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "Дозволити або заборонити доÑтуп" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Ðкаунт" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Ð†Ð¼â€™Ñ ÐºÐ¾Ñ€Ð¸Ñтувача" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Пароль" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "Відхилити" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 msgid "Allow" msgstr "Дозволити" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "Дозволити або заборонити доÑтуп до Вашого облікового запиÑу." @@ -740,8 +753,8 @@ msgstr "Оригінал" msgid "Preview" msgstr "ПереглÑд" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Видалити" @@ -791,8 +804,9 @@ msgstr "" "відпиÑано від ВаÑ, він не зможе підпиÑитаÑÑ‚ÑŒ до Ð’Ð°Ñ Ñƒ майбутньому Ñ– Ви " "більше не отримуватимете жодних допиÑів від нього." -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "ÐÑ–" @@ -800,9 +814,9 @@ msgstr "ÐÑ–" msgid "Do not block this user" msgstr "Ðе блокувати цього кориÑтувача" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Так" @@ -906,6 +920,52 @@ msgstr "Розмова" msgid "Notices" msgstr "ДопиÑи" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "Ви маєте Ñпочатку увійти, аби мати змогу керувати додатком." + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Інфо додатку" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +msgid "You are not the owner of this application." +msgstr "Ви не Ñ” влаÑником цього додатку." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "Виникли певні проблеми з токеном поточної ÑеÑÑ–Ñ—." + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "Керувати додатками" + +#: actions/deleteapplication.php:149 +#, fuzzy +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" +"Впевнені, що бажаєте видалити цього кориÑтувача? УÑÑ– дані буде знищено без " +"можливоÑÑ‚Ñ– відновленнÑ." + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Ðе видалÑти цей допиÑ" + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Іконка Ð´Ð»Ñ Ñ†ÑŒÐ¾Ð³Ð¾ додатку" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -938,7 +998,7 @@ msgstr "Ви впевненні, що бажаєте видалити цей д msgid "Do not delete this notice" msgstr "Ðе видалÑти цей допиÑ" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "Видалити допиÑ" @@ -1082,7 +1142,7 @@ msgstr "Цей Ð´Ð¾Ð¿Ð¸Ñ Ð½Ðµ Ñ” обраним!" msgid "Add to favorites" msgstr "Додати до обраних" -#: actions/doc.php:155 +#: actions/doc.php:158 #, php-format msgid "No such document \"%s\"" msgstr "Ðемає такого документа «%s»" @@ -1095,20 +1155,11 @@ msgstr "Керувати додатками" msgid "You must be logged in to edit an application." msgstr "Ви маєте Ñпочатку увійти, аби мати змогу керувати додатком." -#: actions/editapplication.php:77 actions/showapplication.php:94 -msgid "You are not the owner of this application." -msgstr "Ви не Ñ” влаÑником цього додатку." - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 msgid "No such application." msgstr "Такого додатку немає." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "Виникли певні проблеми з токеном поточної ÑеÑÑ–Ñ—." - #: actions/editapplication.php:161 msgid "Use this form to edit your application." msgstr "СкориÑтайтеÑÑŒ цією формою, щоб відредагувати додаток." @@ -1117,43 +1168,48 @@ msgstr "СкориÑтайтеÑÑŒ цією формою, щоб відреда msgid "Name is required." msgstr "Потрібне ім’Ñ." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 msgid "Name is too long (max 255 chars)." msgstr "Ð†Ð¼â€™Ñ Ð·Ð°Ð´Ð¾Ð²Ð³Ðµ (255 знаків макÑимум)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "Це Ñ–Ð¼â€™Ñ Ð²Ð¶Ðµ викориÑтовуєтьÑÑ. Спробуйте інше." + +#: actions/editapplication.php:186 actions/newapplication.php:168 msgid "Description is required." msgstr "Потрібен опиÑ." -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "URL-адреÑа надто довга." -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Source URL is not valid." msgstr "URL-адреÑа не Ñ” дійÑною." -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "Потрібна організаціÑ." -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization is too long (max 255 chars)." msgstr "Ðазва організації надто довга (255 знаків макÑимум)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "Потрібна Ð´Ð¾Ð¼Ð°ÑˆÐ½Ñ Ñторінка організації." -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "Форма зворотнього дзвінка надто довга." -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "URL-адреÑа Ð´Ð»Ñ Ð·Ð²Ð¾Ñ€Ð¾Ñ‚Ð½ÑŒÐ¾Ð³Ð¾ дзвінка не Ñ” дійÑною." -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 msgid "Could not update application." msgstr "Ðе вдалоÑÑ Ð¾Ð½Ð¾Ð²Ð¸Ñ‚Ð¸ додаток." @@ -2087,11 +2143,11 @@ msgstr "Ви маєте Ñпочатку увійти, аби мати змог msgid "Use this form to register a new application." msgstr "СкориÑтайтеÑÑŒ цією формою, щоб зареєÑтрувати новий додаток." -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "Потрібна URL-адреÑа." -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 msgid "Could not create application." msgstr "Ðе вдалоÑÑ Ñтворити додаток." @@ -2225,29 +2281,29 @@ msgstr "Додатки, Ñкі Ви зареєÑтрували" msgid "You have not registered any applications yet." msgstr "Поки що Ви не зареєÑтрували жодних додатків." -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "Під’єднані додатки" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" "Ви маєте дозволити наÑтупним додаткам доÑтуп до Вашого облікового запиÑу." -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 msgid "You are not a user of that application." msgstr "Ви не Ñ” кориÑтувачем даного додатку." -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "Ðе вдалоÑÑ ÑкаÑувати доÑтуп Ð´Ð»Ñ Ð´Ð¾Ð´Ð°Ñ‚ÐºÑƒ: " -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "Ви не дозволили жодним додаткам викориÑтовувати Ваш акаунт." -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "Розробники можуть змінити Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ñ€ÐµÑ”Ñтрації Ð´Ð»Ñ Ñ—Ñ…Ð½Ñ–Ñ… додатків " @@ -2749,19 +2805,19 @@ msgstr "Загальний Ñтрічка, Ñторінка %d" msgid "Public timeline" msgstr "Загальна Ñтрічка" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "Стрічка публічних допиÑів (RSS 1.0)" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "Стрічка публічних допиÑів (RSS 2.0)" -#: actions/public.php:159 +#: actions/public.php:167 msgid "Public Stream Feed (Atom)" msgstr "Стрічка публічних допиÑів (Atom)" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2769,11 +2825,11 @@ msgid "" msgstr "" "Це публічна Ñтрічка допиÑів Ñайту %%site.name%%, але вона поки що порожнÑ." -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "Станьте першим! Ðапишіть щоÑÑŒ!" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2781,7 +2837,7 @@ msgstr "" "Чому б не [зареєÑтруватиÑÑŒ](%%action.register%%) Ñ– не зробити Ñвій перший " "допиÑ!" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2795,7 +2851,7 @@ msgstr "" "розділити Ñвоє Ð¶Ð¸Ñ‚Ñ‚Ñ Ð· друзÑми, родиною Ñ– колегами! ([ДізнатиÑÑ Ð±Ñ–Ð»ÑŒÑˆÐµ](%%" "doc.help%%))" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3161,7 +3217,7 @@ msgstr "Ви не можете вторувати Ñвоїм влаÑним до msgid "You already repeated that notice." msgstr "Ви вже вторували цьому допиÑу." -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 msgid "Repeated" msgstr "ВторуваннÑ" @@ -3227,6 +3283,10 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Відповіді до %1$s на %2$s!" +#: actions/rsd.php:146 actions/version.php:157 +msgid "StatusNet" +msgstr "StatusNet" + #: actions/sandbox.php:65 actions/unsandbox.php:65 msgid "You cannot sandbox users on this site." msgstr "Ви не можете нікого ізолювати на цьому Ñайті." @@ -3241,9 +3301,8 @@ msgid "Sessions" msgstr "СеÑÑ–Ñ—" #: actions/sessionsadminpanel.php:65 -#, fuzzy msgid "Session settings for this StatusNet site." -msgstr "ÐÐ°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ð´Ð¸Ð·Ð°Ð¹Ð½Ñƒ Ð´Ð»Ñ Ñ†ÑŒÐ¾Ð³Ð¾ Ñайту StatusNet." +msgstr "ÐÐ°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ ÑеÑÑ–Ñ— Ð´Ð»Ñ Ñ†ÑŒÐ¾Ð³Ð¾ Ñайту StatusNet." #: actions/sessionsadminpanel.php:175 msgid "Handle sessions" @@ -3298,43 +3357,43 @@ msgid "Statistics" msgstr "СтатиÑтика" #: actions/showapplication.php:204 -#, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +#, fuzzy, php-format +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "Ñтворено %1$s — %2$s доÑтуп за замовч. — %3$d кориÑтувачів" #: actions/showapplication.php:214 msgid "Application actions" msgstr "МожливоÑÑ‚Ñ– додатку" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "Призначити новий ключ Ñ– таємне Ñлово" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "Інфо додатку" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "Ключ Ñпоживача" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "Таємно Ñлово Ñпоживача" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "URL-адреÑа токена запиту" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "URL-адреÑа токена дозволу" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "Ðвторизувати URL-адреÑу" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3558,12 +3617,12 @@ msgstr "Стрічка допиÑів Ð´Ð»Ñ %s (Atom)" msgid "FOAF for %s" msgstr "FOAF Ð´Ð»Ñ %s" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "Це Ñтрічка допиÑів %1$s, але %2$s ще нічого не напиÑав." -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" @@ -3571,7 +3630,7 @@ msgstr "" "Побачили щоÑÑŒ цікаве нещодавно? Ви ще нічого не напиÑали Ñ– це Ñлушна нагода " "аби розпочати! :)" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" @@ -3580,7 +3639,7 @@ msgstr "" "Ви можете «розштовхати» %1$s або [щоÑÑŒ йому напиÑати](%%%%action.newnotice%%%" "%?status_textarea=%2$s)." -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3594,7 +3653,7 @@ msgstr "" "register%%) зараз Ñ– Ñлідкуйте за допиÑами **%s**, також на Ð’Ð°Ñ Ñ‡ÐµÐºÐ°Ñ” багато " "іншого! ([ДізнатиÑÑ Ð±Ñ–Ð»ÑŒÑˆÐµ](%%doc.help%%))" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3605,7 +3664,7 @@ msgstr "" "(http://uk.wikipedia.org/wiki/Мікроблоґ), Ñкий працює на вільному " "програмному забезпеченні [StatusNet](http://status.net/). " -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, php-format msgid "Repeat of %s" msgstr "Ð’Ñ‚Ð¾Ñ€ÑƒÐ²Ð°Ð½Ð½Ñ %s" @@ -4285,10 +4344,6 @@ msgstr "" "Цей Ñайт працює на %1$s, верÑÑ–Ñ %2$s. ÐвторÑькі права 2008-2010 StatusNet, " "Inc. Ñ– розробники." -#: actions/version.php:157 -msgid "StatusNet" -msgstr "StatusNet" - #: actions/version.php:161 msgid "Contributors" msgstr "Розробники" @@ -4422,21 +4477,21 @@ msgstr "Вам заборонено надÑилати допиÑи до цьо msgid "Problem saving notice." msgstr "Проблема при збереженні допиÑу." -#: classes/Notice.php:790 +#: classes/Notice.php:788 msgid "Problem saving group inbox." msgstr "Проблема при збереженні вхідних допиÑів Ð´Ð»Ñ Ð³Ñ€ÑƒÐ¿Ð¸." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "Помилка бази даних при додаванні відповіді: %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Вітаємо на %1$s, @%2$s!" @@ -4708,9 +4763,8 @@ msgid "Paths configuration" msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÑˆÐ»Ñху" #: lib/adminpanelaction.php:337 -#, fuzzy msgid "Sessions configuration" -msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ Ð´Ð¸Ð·Ð°Ð¹Ð½Ñƒ" +msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÑеÑій" #: lib/apiauth.php:99 msgid "API resource requires read-write access, but you only have read access." @@ -5118,19 +5172,19 @@ msgstr "" "tracks — наразі не виконуєтьÑÑ\n" "tracking — наразі не виконуєтьÑÑ\n" -#: lib/common.php:131 +#: lib/common.php:135 msgid "No configuration file found. " msgstr "Файлу конфігурації не знайдено. " -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "Шукав файли конфігурації в цих міÑцÑÑ…: " -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "ЗапуÑÑ‚Ñ–Ñ‚ÑŒ файл інÑталÑції, аби полагодити це." -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "Іти до файлу інÑталÑції." @@ -5775,23 +5829,23 @@ msgstr "Зах." msgid "at" msgstr "в" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 msgid "in context" msgstr "в контекÑÑ‚Ñ–" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 msgid "Repeated by" msgstr "Вторуванні" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "ВідповіÑти на цей допиÑ" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "ВідповіÑти" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 msgid "Notice repeated" msgstr "Ð”Ð¾Ð¿Ð¸Ñ Ð²Ñ‚Ð¾Ñ€ÑƒÐ²Ð°Ð»Ð¸" @@ -5932,6 +5986,10 @@ msgstr "Повторити цей допиÑ?" msgid "Repeat this notice" msgstr "Вторувати цьому допиÑу" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "ПіÑочницÑ" @@ -6097,47 +6155,47 @@ msgstr "ПовідомленнÑ" msgid "Moderate" msgstr "Модерувати" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "мить тому" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "хвилину тому" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "близько %d хвилин тому" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "годину тому" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "близько %d годин тому" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "день тому" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "близько %d днів тому" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "міÑÑць тому" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "близько %d міÑÑців тому" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "рік тому" diff --git a/locale/vi/LC_MESSAGES/statusnet.po b/locale/vi/LC_MESSAGES/statusnet.po index 81461c3a0..91f2cbd94 100644 --- a/locale/vi/LC_MESSAGES/statusnet.po +++ b/locale/vi/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:42:56+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:22:19+0000\n" "Language-Team: Vietnamese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: vi\n" "X-Message-Group: out-statusnet\n" @@ -99,7 +99,7 @@ msgstr "Không có tin nhắn nào." #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -156,7 +156,7 @@ msgid "" "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -395,8 +395,8 @@ msgstr "Biệt hiệu này đã dùng rồi. Hãy nhập biệt hiệu khác." msgid "Not a valid nickname." msgstr "Biệt hiệu không hợp lệ." -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -408,8 +408,8 @@ msgstr "Trang chủ không phải là URL" msgid "Full name is too long (max 255 chars)." msgstr "Tên đầy đủ quá dài (tối Ä‘a là 255 ký tá»±)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "Lý lịch quá dài (không quá 140 ký tá»±)" @@ -489,18 +489,23 @@ msgstr "%s và nhóm" msgid "groups on %s" msgstr "Mã nhóm" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "Kích thÆ°á»›c không hợp lệ." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -511,76 +516,84 @@ msgstr "" msgid "There was a problem with your session token. Try again, please." msgstr "Có lá»—i xảy ra khi thao tác. Hãy thá»­ lại lần nữa." -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 #, fuzzy msgid "Invalid nickname / password!" msgstr "Tên đăng nhập hoặc mật khẩu không hợp lệ." -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "Lá»—i xảy ra khi tạo thành viên." -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "Lá»—i cÆ¡ sở dữ liệu khi chèn trả lá»i: %s" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "Bất ngá» gá»­i mẫu thông tin. " -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 #, fuzzy msgid "Account" msgstr "Giá»›i thiệu" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Biệt danh" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "Mật khẩu" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 msgid "Allow" msgstr "" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -758,8 +771,8 @@ msgstr "" msgid "Preview" msgstr "Xem trÆ°á»›c" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 #, fuzzy msgid "Delete" msgstr "Xóa tin nhắn" @@ -811,8 +824,9 @@ msgid "" "will not be notified of any @-replies from them." msgstr "" -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "Không" @@ -821,9 +835,9 @@ msgstr "Không" msgid "Do not block this user" msgstr "Bá» chặn ngÆ°á»i dùng này" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Có" @@ -932,6 +946,51 @@ msgstr "Không có mã số xác nhận." msgid "Notices" msgstr "Tin nhắn" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "Bạn phải đăng nhập vào má»›i có thể gá»­i thÆ° má»i những " + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "Tin nhắn không có hồ sÆ¡ cá nhân" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "Bạn chÆ°a cập nhật thông tin riêng" + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +#, fuzzy +msgid "There was a problem with your session token." +msgstr "Có lá»—i xảy ra khi thao tác. Hãy thá»­ lại lần nữa." + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "Không có tin nhắn nào." + +#: actions/deleteapplication.php:149 +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "Không thể xóa tin nhắn này." + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "Xóa tin nhắn" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -966,7 +1025,7 @@ msgstr "Bạn có chắc chắn là muốn xóa tin nhắn này không?" msgid "Do not delete this notice" msgstr "Không thể xóa tin nhắn này." -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 #, fuzzy msgid "Delete this notice" msgstr "Xóa tin nhắn" @@ -1128,7 +1187,7 @@ msgstr "Tin nhắn này đã có trong danh sách tin nhắn Æ°a thích của b msgid "Add to favorites" msgstr "Tìm kiếm các tin nhắn Æ°a thích của %s" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "Không có tài liệu nào." @@ -1143,23 +1202,12 @@ msgstr "Tin nhắn không có hồ sÆ¡ cá nhân" msgid "You must be logged in to edit an application." msgstr "Bạn phải đăng nhập vào má»›i có thể gá»­i thÆ° má»i những " -#: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy -msgid "You are not the owner of this application." -msgstr "Bạn chÆ°a cập nhật thông tin riêng" - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 #, fuzzy msgid "No such application." msgstr "Không có tin nhắn nào." -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -#, fuzzy -msgid "There was a problem with your session token." -msgstr "Có lá»—i xảy ra khi thao tác. Hãy thá»­ lại lần nữa." - #: actions/editapplication.php:161 msgid "Use this form to edit your application." msgstr "" @@ -1169,47 +1217,52 @@ msgstr "" msgid "Name is required." msgstr "Cùng mật khẩu ở trên. Bắt buá»™c." -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 #, fuzzy msgid "Name is too long (max 255 chars)." msgstr "Tên đầy đủ quá dài (tối Ä‘a là 255 ký tá»±)." -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "Biệt hiệu này đã dùng rồi. Hãy nhập biệt hiệu khác." + +#: actions/editapplication.php:186 actions/newapplication.php:168 #, fuzzy msgid "Description is required." msgstr "Mô tả" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 #, fuzzy msgid "Source URL is not valid." msgstr "Trang chủ không phải là URL" -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 #, fuzzy msgid "Organization is too long (max 255 chars)." msgstr "Tên khu vá»±c quá dài (không quá 255 ký tá»±)." -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 #, fuzzy msgid "Could not update application." msgstr "Không thể cập nhật thành viên." @@ -2182,11 +2235,11 @@ msgstr "Bạn phải đăng nhập vào má»›i có thể gá»­i thÆ° má»i những msgid "Use this form to register a new application." msgstr "" -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy msgid "Could not create application." msgstr "Không thể tạo favorite." @@ -2323,29 +2376,29 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 #, fuzzy msgid "You are not a user of that application." msgstr "Bạn chÆ°a cập nhật thông tin riêng" -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2878,39 +2931,39 @@ msgstr "Dòng tin công cá»™ng" msgid "Public timeline" msgstr "Dòng tin công cá»™ng" -#: actions/public.php:151 +#: actions/public.php:159 #, fuzzy msgid "Public Stream Feed (RSS 1.0)" msgstr "Dòng tin công cá»™ng" -#: actions/public.php:155 +#: actions/public.php:163 #, fuzzy msgid "Public Stream Feed (RSS 2.0)" msgstr "Dòng tin công cá»™ng" -#: actions/public.php:159 +#: actions/public.php:167 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "Dòng tin công cá»™ng" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2919,7 +2972,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3281,7 +3334,7 @@ msgstr "Bạn không thể đăng ký nếu không đồng ý các Ä‘iá»u kho msgid "You already repeated that notice." msgstr "Bạn đã theo những ngÆ°á»i này:" -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 #, fuzzy msgid "Repeated" msgstr "Tạo" @@ -3343,6 +3396,11 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "%s chào mừng bạn " +#: actions/rsd.php:146 actions/version.php:157 +#, fuzzy +msgid "StatusNet" +msgstr "Hình đại diện đã được cập nhật." + #: actions/sandbox.php:65 actions/unsandbox.php:65 #, fuzzy msgid "You cannot sandbox users on this site." @@ -3421,42 +3479,42 @@ msgstr "Số liệu thống kê" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3668,25 +3726,25 @@ msgstr "Dòng tin nhắn cho %s" msgid "FOAF for %s" msgstr "Há»™p thÆ° Ä‘i của %s" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3695,7 +3753,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3703,7 +3761,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, fuzzy, php-format msgid "Repeat of %s" msgstr "Trả lá»i cho %s" @@ -4402,11 +4460,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -#, fuzzy -msgid "StatusNet" -msgstr "Hình đại diện đã được cập nhật." - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4533,22 +4586,22 @@ msgstr "" msgid "Problem saving notice." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:790 +#: classes/Notice.php:788 #, fuzzy msgid "Problem saving group inbox." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "Lá»—i cÆ¡ sở dữ liệu khi chèn trả lá»i: %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%s (%s)" -#: classes/User.php:382 +#: classes/User.php:385 #, fuzzy, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "%s chào mừng bạn " @@ -5231,20 +5284,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 #, fuzzy msgid "No configuration file found. " msgstr "Không có mã số xác nhận." -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "" @@ -5884,26 +5937,26 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 #, fuzzy msgid "in context" msgstr "Không có ná»™i dung!" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 #, fuzzy msgid "Repeated by" msgstr "Tạo" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 #, fuzzy msgid "Reply to this notice" msgstr "Trả lá»i tin nhắn này" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "Trả lá»i" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 #, fuzzy msgid "Notice repeated" msgstr "Tin đã gá»­i" @@ -6058,6 +6111,10 @@ msgstr "Trả lá»i tin nhắn này" msgid "Repeat this notice" msgstr "Trả lá»i tin nhắn này" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 #, fuzzy msgid "Sandbox" @@ -6244,47 +6301,47 @@ msgstr "Tin má»›i nhất" msgid "Moderate" msgstr "" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "vài giây trÆ°á»›c" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "1 phút trÆ°á»›c" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "%d phút trÆ°á»›c" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "1 giá» trÆ°á»›c" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "%d giá» trÆ°á»›c" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "1 ngày trÆ°á»›c" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "%d ngày trÆ°á»›c" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "1 tháng trÆ°á»›c" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "%d tháng trÆ°á»›c" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "1 năm trÆ°á»›c" diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index 702393633..81dcb1db2 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:42:59+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:22:22+0000\n" "Language-Team: Simplified Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: out-statusnet\n" @@ -101,7 +101,7 @@ msgstr "没有该页é¢" #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -158,7 +158,7 @@ msgid "" "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -393,8 +393,8 @@ msgstr "昵称已被使用,æ¢ä¸€ä¸ªå§ã€‚" msgid "Not a valid nickname." msgstr "ä¸æ˜¯æœ‰æ•ˆçš„昵称。" -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -406,8 +406,8 @@ msgstr "主页的URLä¸æ­£ç¡®ã€‚" msgid "Full name is too long (max 255 chars)." msgstr "å…¨å过长(ä¸èƒ½è¶…过 255 个字符)。" -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "æ述过长(ä¸èƒ½è¶…过140字符)。" @@ -487,18 +487,23 @@ msgstr "%s 群组" msgid "groups on %s" msgstr "组动作" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "大å°ä¸æ­£ç¡®ã€‚" + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -509,76 +514,84 @@ msgstr "" msgid "There was a problem with your session token. Try again, please." msgstr "会è¯æ ‡è¯†æœ‰é—®é¢˜ï¼Œè¯·é‡è¯•ã€‚" -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 #, fuzzy msgid "Invalid nickname / password!" msgstr "用户å或密ç ä¸æ­£ç¡®ã€‚" -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "ä¿å­˜ç”¨æˆ·è®¾ç½®æ—¶å‡ºé”™ã€‚" -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "添加标签时数æ®åº“出错:%s" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "未预料的表å•æ交。" -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "å¸å·" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "昵称" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "密ç " -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 #, fuzzy msgid "Allow" msgstr "全部" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -753,8 +766,8 @@ msgstr "原æ¥çš„" msgid "Preview" msgstr "预览" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 #, fuzzy msgid "Delete" msgstr "删除" @@ -805,8 +818,9 @@ msgid "" "will not be notified of any @-replies from them." msgstr "" -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "å¦" @@ -815,9 +829,9 @@ msgstr "å¦" msgid "Do not block this user" msgstr "å–消阻止次用户" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "是" @@ -928,6 +942,51 @@ msgstr "确认ç " msgid "Notices" msgstr "通告" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "您必须登录æ‰èƒ½åˆ›å»ºå°ç»„。" + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "通告没有关è”个人信æ¯" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "您未告知此个人信æ¯" + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +#, fuzzy +msgid "There was a problem with your session token." +msgstr "会è¯æ ‡è¯†æœ‰é—®é¢˜ï¼Œè¯·é‡è¯•ã€‚" + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "没有这份通告。" + +#: actions/deleteapplication.php:149 +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "无法删除通告。" + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "删除通告" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -962,7 +1021,7 @@ msgstr "确定è¦åˆ é™¤è¿™æ¡æ¶ˆæ¯å—?" msgid "Do not delete this notice" msgstr "无法删除通告。" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 #, fuzzy msgid "Delete this notice" msgstr "删除通告" @@ -1117,7 +1176,7 @@ msgstr "此通告未被收è—ï¼" msgid "Add to favorites" msgstr "加入收è—" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "没有这份文档。" @@ -1132,23 +1191,12 @@ msgstr "其他选项" msgid "You must be logged in to edit an application." msgstr "您必须登录æ‰èƒ½åˆ›å»ºå°ç»„。" -#: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy -msgid "You are not the owner of this application." -msgstr "您未告知此个人信æ¯" - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 #, fuzzy msgid "No such application." msgstr "没有这份通告。" -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -#, fuzzy -msgid "There was a problem with your session token." -msgstr "会è¯æ ‡è¯†æœ‰é—®é¢˜ï¼Œè¯·é‡è¯•ã€‚" - #: actions/editapplication.php:161 #, fuzzy msgid "Use this form to edit your application." @@ -1159,47 +1207,52 @@ msgstr "使用这个表å•æ¥ç¼–辑组" msgid "Name is required." msgstr "相åŒçš„密ç ã€‚此项必填。" -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 #, fuzzy msgid "Name is too long (max 255 chars)." msgstr "å…¨å过长(ä¸èƒ½è¶…过 255 个字符)。" -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "昵称已被使用,æ¢ä¸€ä¸ªå§ã€‚" + +#: actions/editapplication.php:186 actions/newapplication.php:168 #, fuzzy msgid "Description is required." msgstr "æè¿°" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 #, fuzzy msgid "Source URL is not valid." msgstr "主页的URLä¸æ­£ç¡®ã€‚" -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 #, fuzzy msgid "Organization is too long (max 255 chars)." msgstr "ä½ç½®è¿‡é•¿(ä¸èƒ½è¶…过255个字符)。" -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 #, fuzzy msgid "Could not update application." msgstr "无法更新组" @@ -2138,11 +2191,11 @@ msgstr "您必须登录æ‰èƒ½åˆ›å»ºå°ç»„。" msgid "Use this form to register a new application." msgstr "使用此表格创建组。" -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy msgid "Could not create application." msgstr "无法创建收è—。" @@ -2273,29 +2326,29 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 #, fuzzy msgid "You are not a user of that application." msgstr "您未告知此个人信æ¯" -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2817,39 +2870,39 @@ msgstr "公开的时间表" msgid "Public timeline" msgstr "公开的时间表" -#: actions/public.php:151 +#: actions/public.php:159 #, fuzzy msgid "Public Stream Feed (RSS 1.0)" msgstr "公开的èšåˆ" -#: actions/public.php:155 +#: actions/public.php:163 #, fuzzy msgid "Public Stream Feed (RSS 2.0)" msgstr "公开的èšåˆ" -#: actions/public.php:159 +#: actions/public.php:167 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "公开的èšåˆ" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2858,7 +2911,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:238 +#: actions/public.php:246 #, fuzzy, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3215,7 +3268,7 @@ msgstr "您必须åŒæ„此授æƒæ–¹å¯æ³¨å†Œã€‚" msgid "You already repeated that notice." msgstr "您已æˆåŠŸé˜»æ­¢è¯¥ç”¨æˆ·ï¼š" -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 #, fuzzy msgid "Repeated" msgstr "创建" @@ -3277,6 +3330,11 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "å‘é€ç»™ %1$s çš„ %2$s 消æ¯" +#: actions/rsd.php:146 actions/version.php:157 +#, fuzzy +msgid "StatusNet" +msgstr "头åƒå·²æ›´æ–°ã€‚" + #: actions/sandbox.php:65 actions/unsandbox.php:65 #, fuzzy msgid "You cannot sandbox users on this site." @@ -3356,42 +3414,42 @@ msgstr "统计" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3604,25 +3662,25 @@ msgstr "%s 的通告èšåˆ" msgid "FOAF for %s" msgstr "%s çš„å‘件箱" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, fuzzy, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "这是 %s 和好å‹çš„时间线,但是没有任何人å‘布内容。" -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3631,7 +3689,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, fuzzy, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3641,7 +3699,7 @@ msgstr "" "**%s** 有一个å¸å·åœ¨ %%%%site.name%%%%, 一个微åšå®¢æœåŠ¡ [micro-blogging]" "(http://en.wikipedia.org/wiki/Micro-blogging)" -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, fuzzy, php-format msgid "Repeat of %s" msgstr "%s 的回å¤" @@ -4329,11 +4387,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -#, fuzzy -msgid "StatusNet" -msgstr "头åƒå·²æ›´æ–°ã€‚" - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4459,22 +4512,22 @@ msgstr "在这个网站你被ç¦æ­¢å‘布消æ¯ã€‚" msgid "Problem saving notice." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:790 +#: classes/Notice.php:788 #, fuzzy msgid "Problem saving group inbox." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "添加回å¤æ—¶æ•°æ®åº“出错:%s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" -#: classes/User.php:382 +#: classes/User.php:385 #, fuzzy, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "å‘é€ç»™ %1$s çš„ %2$s 消æ¯" @@ -5146,20 +5199,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 #, fuzzy msgid "No configuration file found. " msgstr "没有验è¯ç " -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:135 +#: lib/common.php:139 #, fuzzy msgid "Go to the installer." msgstr "登入本站" @@ -5751,27 +5804,27 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 #, fuzzy msgid "in context" msgstr "没有内容ï¼" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 #, fuzzy msgid "Repeated by" msgstr "创建" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 #, fuzzy msgid "Reply to this notice" msgstr "无法删除通告。" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 #, fuzzy msgid "Reply" msgstr "回å¤" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 #, fuzzy msgid "Notice repeated" msgstr "消æ¯å·²å‘布。" @@ -5924,6 +5977,10 @@ msgstr "无法删除通告。" msgid "Repeat this notice" msgstr "无法删除通告。" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 #, fuzzy msgid "Sandbox" @@ -6109,47 +6166,47 @@ msgstr "新消æ¯" msgid "Moderate" msgstr "" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "几秒å‰" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "一分钟å‰" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "%d 分钟å‰" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "一å°æ—¶å‰" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "%d å°æ—¶å‰" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "一天å‰" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "%d 天å‰" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "一个月å‰" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "%d 个月å‰" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "一年å‰" diff --git a/locale/zh_TW/LC_MESSAGES/statusnet.po b/locale/zh_TW/LC_MESSAGES/statusnet.po index ac78960c6..7122a0e05 100644 --- a/locale/zh_TW/LC_MESSAGES/statusnet.po +++ b/locale/zh_TW/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-01-30 23:41+0000\n" -"PO-Revision-Date: 2010-01-30 23:43:02+0000\n" +"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"PO-Revision-Date: 2010-02-02 19:22:25+0000\n" "Language-Team: Traditional Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61734); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hant\n" "X-Message-Group: out-statusnet\n" @@ -97,7 +97,7 @@ msgstr "無此通知" #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 #: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 #: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 +#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 #: actions/showfavorites.php:105 actions/userbyid.php:74 #: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 #: lib/command.php:163 lib/command.php:302 lib/command.php:355 @@ -154,7 +154,7 @@ msgid "" "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:202 +#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -386,8 +386,8 @@ msgstr "此暱稱已有人使用。å†è©¦è©¦çœ‹åˆ¥çš„å§ã€‚" msgid "Not a valid nickname." msgstr "" -#: actions/apigroupcreate.php:196 actions/editapplication.php:212 -#: actions/editgroup.php:195 actions/newapplication.php:200 +#: actions/apigroupcreate.php:196 actions/editapplication.php:215 +#: actions/editgroup.php:195 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." @@ -399,8 +399,8 @@ msgstr "個人首é ä½å€éŒ¯èª¤" msgid "Full name is too long (max 255 chars)." msgstr "å…¨åéŽé•·ï¼ˆæœ€å¤š255字元)" -#: actions/apigroupcreate.php:213 actions/editapplication.php:187 -#: actions/newapplication.php:169 +#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/newapplication.php:172 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "自我介紹éŽé•·(å…±140個字元)" @@ -479,18 +479,23 @@ msgstr "" msgid "groups on %s" msgstr "" -#: actions/apioauthauthorize.php:108 actions/apioauthauthorize.php:114 -msgid "Bad request." +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." msgstr "" -#: actions/apioauthauthorize.php:134 actions/avatarsettings.php:268 +#: actions/apioauthauthorize.php:106 +#, fuzzy +msgid "Invalid token." +msgstr "尺寸錯誤" + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 -#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:50 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 #: actions/groupblock.php:66 actions/grouplogo.php:309 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 -#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:139 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 @@ -501,76 +506,84 @@ msgstr "" msgid "There was a problem with your session token. Try again, please." msgstr "" -#: actions/apioauthauthorize.php:146 +#: actions/apioauthauthorize.php:135 #, fuzzy msgid "Invalid nickname / password!" msgstr "使用者å稱或密碼無效" -#: actions/apioauthauthorize.php:170 +#: actions/apioauthauthorize.php:159 #, fuzzy msgid "Database error deleting OAuth application user." msgstr "使用者設定發生錯誤" -#: actions/apioauthauthorize.php:196 +#: actions/apioauthauthorize.php:185 #, fuzzy msgid "Database error inserting OAuth application user." msgstr "增加回覆時,資料庫發生錯誤: %s" -#: actions/apioauthauthorize.php:231 +#: actions/apioauthauthorize.php:214 #, php-format msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -#: actions/apioauthauthorize.php:241 +#: actions/apioauthauthorize.php:227 #, php-format -msgid "The request token %s has been denied." +msgid "The request token %s has been denied and revoked." msgstr "" -#: actions/apioauthauthorize.php:246 actions/avatarsettings.php:281 +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 #: actions/emailsettings.php:256 actions/grouplogo.php:319 #: actions/imsettings.php:220 actions/newapplication.php:121 -#: actions/oauthconnectionssettings.php:151 actions/recoverpassword.php:44 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." msgstr "" -#: actions/apioauthauthorize.php:273 +#: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -#: actions/apioauthauthorize.php:290 +#: actions/apioauthauthorize.php:276 msgid "Allow or deny access" msgstr "" -#: actions/apioauthauthorize.php:320 lib/action.php:441 +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:441 #, fuzzy msgid "Account" msgstr "關於" -#: actions/apioauthauthorize.php:323 actions/login.php:230 +#: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 #: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "暱稱" -#: actions/apioauthauthorize.php:326 actions/login.php:233 +#: actions/apioauthauthorize.php:316 actions/login.php:233 #: actions/register.php:429 lib/accountsettingsaction.php:116 msgid "Password" msgstr "" -#: actions/apioauthauthorize.php:338 +#: actions/apioauthauthorize.php:328 msgid "Deny" msgstr "" -#: actions/apioauthauthorize.php:344 +#: actions/apioauthauthorize.php:334 msgid "Allow" msgstr "" -#: actions/apioauthauthorize.php:361 +#: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." msgstr "" @@ -745,8 +758,8 @@ msgstr "" msgid "Preview" msgstr "" -#: actions/avatarsettings.php:149 lib/deleteuserform.php:66 -#: lib/noticelist.php:608 +#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "" @@ -796,8 +809,9 @@ msgid "" "will not be notified of any @-replies from them." msgstr "" -#: actions/block.php:143 actions/deletenotice.php:145 -#: actions/deleteuser.php:147 actions/groupblock.php:178 +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/groupblock.php:178 msgid "No" msgstr "" @@ -806,9 +820,9 @@ msgstr "" msgid "Do not block this user" msgstr "無此使用者" -#: actions/block.php:144 actions/deletenotice.php:146 -#: actions/deleteuser.php:148 actions/groupblock.php:179 -#: lib/repeatform.php:132 +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "" @@ -918,6 +932,50 @@ msgstr "地點" msgid "Notices" msgstr "" +#: actions/deleteapplication.php:63 +#, fuzzy +msgid "You must be logged in to delete an application." +msgstr "無法更新使用者" + +#: actions/deleteapplication.php:71 +#, fuzzy +msgid "Application not found." +msgstr "確èªç¢¼éºå¤±" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +#, fuzzy +msgid "You are not the owner of this application." +msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1195 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +#, fuzzy +msgid "Delete application" +msgstr "無此通知" + +#: actions/deleteapplication.php:149 +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" + +#: actions/deleteapplication.php:156 +#, fuzzy +msgid "Do not delete this application" +msgstr "無此通知" + +#: actions/deleteapplication.php:160 +#, fuzzy +msgid "Delete this application" +msgstr "請在140個字以內æ述你自己與你的興趣" + #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 @@ -951,7 +1009,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "無此通知" -#: actions/deletenotice.php:146 lib/noticelist.php:608 +#: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" msgstr "" @@ -1102,7 +1160,7 @@ msgstr "" msgid "Add to favorites" msgstr "" -#: actions/doc.php:155 +#: actions/doc.php:158 #, fuzzy, php-format msgid "No such document \"%s\"" msgstr "無此文件" @@ -1116,22 +1174,12 @@ msgstr "無此通知" msgid "You must be logged in to edit an application." msgstr "" -#: actions/editapplication.php:77 actions/showapplication.php:94 -#, fuzzy -msgid "You are not the owner of this application." -msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" - -#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:163 +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 #, fuzzy msgid "No such application." msgstr "無此通知" -#: actions/editapplication.php:127 actions/newapplication.php:110 -#: actions/showapplication.php:118 lib/action.php:1195 -msgid "There was a problem with your session token." -msgstr "" - #: actions/editapplication.php:161 msgid "Use this form to edit your application." msgstr "" @@ -1140,47 +1188,52 @@ msgstr "" msgid "Name is required." msgstr "" -#: actions/editapplication.php:180 actions/newapplication.php:162 +#: actions/editapplication.php:180 actions/newapplication.php:165 #, fuzzy msgid "Name is too long (max 255 chars)." msgstr "å…¨åéŽé•·ï¼ˆæœ€å¤š255字元)" -#: actions/editapplication.php:183 actions/newapplication.php:165 +#: actions/editapplication.php:183 actions/newapplication.php:162 +#, fuzzy +msgid "Name already in use. Try another one." +msgstr "此暱稱已有人使用。å†è©¦è©¦çœ‹åˆ¥çš„å§ã€‚" + +#: actions/editapplication.php:186 actions/newapplication.php:168 #, fuzzy msgid "Description is required." msgstr "所有訂閱" -#: actions/editapplication.php:191 +#: actions/editapplication.php:194 msgid "Source URL is too long." msgstr "" -#: actions/editapplication.php:197 actions/newapplication.php:182 +#: actions/editapplication.php:200 actions/newapplication.php:185 #, fuzzy msgid "Source URL is not valid." msgstr "個人首é ä½å€éŒ¯èª¤" -#: actions/editapplication.php:200 actions/newapplication.php:185 +#: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "" -#: actions/editapplication.php:203 actions/newapplication.php:188 +#: actions/editapplication.php:206 actions/newapplication.php:191 #, fuzzy msgid "Organization is too long (max 255 chars)." msgstr "地點éŽé•·ï¼ˆå…±255個字)" -#: actions/editapplication.php:206 actions/newapplication.php:191 +#: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." msgstr "" -#: actions/editapplication.php:215 actions/newapplication.php:203 +#: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." msgstr "" -#: actions/editapplication.php:222 actions/newapplication.php:212 +#: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." msgstr "" -#: actions/editapplication.php:255 +#: actions/editapplication.php:258 #, fuzzy msgid "Could not update application." msgstr "無法更新使用者" @@ -2063,11 +2116,11 @@ msgstr "" msgid "Use this form to register a new application." msgstr "" -#: actions/newapplication.php:173 +#: actions/newapplication.php:176 msgid "Source URL is required." msgstr "" -#: actions/newapplication.php:255 actions/newapplication.php:264 +#: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy msgid "Could not create application." msgstr "無法存å–個人圖åƒè³‡æ–™" @@ -2193,29 +2246,29 @@ msgstr "" msgid "You have not registered any applications yet." msgstr "" -#: actions/oauthconnectionssettings.php:71 +#: actions/oauthconnectionssettings.php:72 msgid "Connected applications" msgstr "" -#: actions/oauthconnectionssettings.php:87 +#: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" -#: actions/oauthconnectionssettings.php:170 +#: actions/oauthconnectionssettings.php:175 #, fuzzy msgid "You are not a user of that application." msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" -#: actions/oauthconnectionssettings.php:180 +#: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " msgstr "" -#: actions/oauthconnectionssettings.php:192 +#: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." msgstr "" -#: actions/oauthconnectionssettings.php:205 +#: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" @@ -2725,37 +2778,37 @@ msgstr "" msgid "Public timeline" msgstr "" -#: actions/public.php:151 +#: actions/public.php:159 msgid "Public Stream Feed (RSS 1.0)" msgstr "" -#: actions/public.php:155 +#: actions/public.php:163 msgid "Public Stream Feed (RSS 2.0)" msgstr "" -#: actions/public.php:159 +#: actions/public.php:167 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "%s的公開內容" -#: actions/public.php:179 +#: actions/public.php:187 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:182 +#: actions/public.php:190 msgid "Be the first to post!" msgstr "" -#: actions/public.php:186 +#: actions/public.php:194 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:233 +#: actions/public.php:241 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2764,7 +2817,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:238 +#: actions/public.php:246 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3098,7 +3151,7 @@ msgstr "" msgid "You already repeated that notice." msgstr "無此使用者" -#: actions/repeat.php:114 lib/noticelist.php:626 +#: actions/repeat.php:114 lib/noticelist.php:642 #, fuzzy msgid "Repeated" msgstr "新增" @@ -3160,6 +3213,11 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "&s的微型部è½æ ¼" +#: actions/rsd.php:146 actions/version.php:157 +#, fuzzy +msgid "StatusNet" +msgstr "更新個人圖åƒ" + #: actions/sandbox.php:65 actions/unsandbox.php:65 #, fuzzy msgid "You cannot sandbox users on this site." @@ -3236,42 +3294,42 @@ msgstr "" #: actions/showapplication.php:204 #, php-format -msgid "created by %1$s - %2$s access by default - %3$d users" +msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" #: actions/showapplication.php:214 msgid "Application actions" msgstr "" -#: actions/showapplication.php:233 +#: actions/showapplication.php:232 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:241 +#: actions/showapplication.php:256 msgid "Application info" msgstr "" -#: actions/showapplication.php:243 +#: actions/showapplication.php:258 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:248 +#: actions/showapplication.php:263 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:253 +#: actions/showapplication.php:268 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:273 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:278 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:283 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3480,25 +3538,25 @@ msgstr "" msgid "FOAF for %s" msgstr "" -#: actions/showstream.php:191 +#: actions/showstream.php:200 #, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" -#: actions/showstream.php:196 +#: actions/showstream.php:205 msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" -#: actions/showstream.php:198 +#: actions/showstream.php:207 #, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -#: actions/showstream.php:234 +#: actions/showstream.php:243 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3507,7 +3565,7 @@ msgid "" "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showstream.php:239 +#: actions/showstream.php:248 #, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3515,7 +3573,7 @@ msgid "" "[StatusNet](http://status.net/) tool. " msgstr "" -#: actions/showstream.php:296 +#: actions/showstream.php:305 #, php-format msgid "Repeat of %s" msgstr "" @@ -4176,11 +4234,6 @@ msgid "" "Inc. and contributors." msgstr "" -#: actions/version.php:157 -#, fuzzy -msgid "StatusNet" -msgstr "更新個人圖åƒ" - #: actions/version.php:161 msgid "Contributors" msgstr "" @@ -4304,22 +4357,22 @@ msgstr "" msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:790 +#: classes/Notice.php:788 #, fuzzy msgid "Problem saving group inbox." msgstr "儲存使用者發生錯誤" -#: classes/Notice.php:850 +#: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "增加回覆時,資料庫發生錯誤: %s" -#: classes/Notice.php:1233 +#: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" msgstr "" -#: classes/User.php:382 +#: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" @@ -4973,20 +5026,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:131 +#: lib/common.php:135 #, fuzzy msgid "No configuration file found. " msgstr "無確èªç¢¼" -#: lib/common.php:132 +#: lib/common.php:136 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:134 +#: lib/common.php:138 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:135 +#: lib/common.php:139 msgid "Go to the installer." msgstr "" @@ -5559,25 +5612,25 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:531 +#: lib/noticelist.php:547 #, fuzzy msgid "in context" msgstr "無內容" -#: lib/noticelist.php:556 +#: lib/noticelist.php:572 #, fuzzy msgid "Repeated by" msgstr "新增" -#: lib/noticelist.php:582 +#: lib/noticelist.php:598 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:583 +#: lib/noticelist.php:599 msgid "Reply" msgstr "" -#: lib/noticelist.php:625 +#: lib/noticelist.php:641 #, fuzzy msgid "Notice repeated" msgstr "更新個人圖åƒ" @@ -5724,6 +5777,10 @@ msgstr "無此通知" msgid "Repeat this notice" msgstr "無此通知" +#: lib/router.php:665 +msgid "No single user defined for single-user mode." +msgstr "" + #: lib/sandboxform.php:67 msgid "Sandbox" msgstr "" @@ -5898,47 +5955,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:868 +#: lib/util.php:867 msgid "a few seconds ago" msgstr "" -#: lib/util.php:870 +#: lib/util.php:869 msgid "about a minute ago" msgstr "" -#: lib/util.php:872 +#: lib/util.php:871 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:874 +#: lib/util.php:873 msgid "about an hour ago" msgstr "" -#: lib/util.php:876 +#: lib/util.php:875 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:878 +#: lib/util.php:877 msgid "about a day ago" msgstr "" -#: lib/util.php:880 +#: lib/util.php:879 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:882 +#: lib/util.php:881 msgid "about a month ago" msgstr "" -#: lib/util.php:884 +#: lib/util.php:883 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:886 +#: lib/util.php:885 msgid "about a year ago" msgstr "" -- cgit v1.2.3-54-g00ecf From 387374fd7bd189eacefeca672ae35181fab2162c Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Tue, 2 Feb 2010 23:16:44 +0000 Subject: Always check for an OAuth request. This allows OAuth clients to set an auth user, similar to how they can set one via http basic auth, even if one is not required. I think I finally got this right. --- lib/apiauth.php | 22 ++++++++-------------- 1 file changed, 8 insertions(+), 14 deletions(-) diff --git a/lib/apiauth.php b/lib/apiauth.php index 262f4b966..25e2196cf 100644 --- a/lib/apiauth.php +++ b/lib/apiauth.php @@ -55,6 +55,7 @@ class ApiAuthAction extends ApiAction { var $auth_user_nickname = null; var $auth_user_password = null; + var $oauth_source = null; /** * Take arguments for running, looks for an OAuth request, @@ -73,28 +74,23 @@ class ApiAuthAction extends ApiAction // NOTE: $this->auth_user has to get set in prepare(), not handle(), // because subclasses do stuff with it in their prepares. - if ($this->requiresAuth()) { + $oauthReq = $this->getOAuthRequest(); - $oauthReq = $this->getOAuthRequest(); - - if (!$oauthReq) { + if (!$oauthReq) { + if ($this->requiresAuth()) { $this->checkBasicAuthUser(true); } else { - $this->checkOAuthRequest($oauthReq); + // Check to see if a basic auth user is there even + // if one's not required + $this->checkBasicAuthUser(false); } } else { - - // Check to see if a basic auth user is there even - // if one's not required - $this->checkBasicAuthUser(false); + $this->checkOAuthRequest($oauthReq); } // Reject API calls with the wrong access level if ($this->isReadOnly($args) == false) { - - common_debug(get_class($this) . ' is not read-only!'); - if ($this->access != self::READ_WRITE) { $msg = _('API resource requires read-write access, ' . 'but you only have read access.'); @@ -111,7 +107,6 @@ class ApiAuthAction extends ApiAction * This is to avoid doign any unnecessary DB lookups. * * @return mixed the OAuthRequest or false - * */ function getOAuthRequest() @@ -140,7 +135,6 @@ class ApiAuthAction extends ApiAction * @param OAuthRequest $request the OAuth Request * * @return nothing - * */ function checkOAuthRequest($request) -- cgit v1.2.3-54-g00ecf From 03e8ba144eadab6e28a96482a1162c4109eca822 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Wed, 3 Feb 2010 01:43:59 +0000 Subject: Confirm dialog for reset OAuth consumer key and secret button --- actions/editapplication.php | 2 +- actions/newapplication.php | 2 +- actions/showapplication.php | 54 ++++++++++++++++++++++++++++++++++++++++----- 3 files changed, 51 insertions(+), 7 deletions(-) diff --git a/actions/editapplication.php b/actions/editapplication.php index 029b622e8..ca5dba1e4 100644 --- a/actions/editapplication.php +++ b/actions/editapplication.php @@ -266,7 +266,7 @@ class EditApplicationAction extends OwnerDesignAction /** * Does the app name already exist? * - * Checks the DB to see someone has already registered and app + * Checks the DB to see someone has already registered an app * with the same name. * * @param string $name app name to check diff --git a/actions/newapplication.php b/actions/newapplication.php index ba1cca5c9..c0c520797 100644 --- a/actions/newapplication.php +++ b/actions/newapplication.php @@ -279,7 +279,7 @@ class NewApplicationAction extends OwnerDesignAction /** * Does the app name already exist? * - * Checks the DB to see someone has already registered and app + * Checks the DB to see someone has already registered an app * with the same name. * * @param string $name app name to check diff --git a/actions/showapplication.php b/actions/showapplication.php index 020d62480..fa4484481 100644 --- a/actions/showapplication.php +++ b/actions/showapplication.php @@ -149,7 +149,6 @@ class ShowApplicationAction extends OwnerDesignAction function showContent() { - $cur = common_current_user(); $consumer = $this->application->getConsumer(); @@ -229,7 +228,13 @@ class ShowApplicationAction extends OwnerDesignAction array('id' => $this->application->id)))); $this->elementStart('fieldset'); $this->hidden('token', common_session_token()); - $this->submit('reset', _('Reset key & secret')); + + $this->element('input', array('type' => 'submit', + 'id' => 'reset', + 'name' => 'reset', + 'class' => 'submit', + 'value' => _('Reset key & secret'), + 'onClick' => 'return confirmReset()')); $this->elementEnd('fieldset'); $this->elementEnd('form'); $this->elementEnd('li'); @@ -291,14 +296,53 @@ class ShowApplicationAction extends OwnerDesignAction $this->elementEnd('p'); } + /** + * Add a confirm script for Consumer key/secret reset + * + * @return void + */ + + function showScripts() + { + parent::showScripts(); + + $msg = _('Are you sure you want to reset your consumer key and secret?'); + + $js = 'function confirmReset() { '; + $js .= ' var agree = confirm("' . $msg . '"); '; + $js .= ' return agree;'; + $js .= '}'; + + $this->inlineScript($js); + } + + /** + * Reset an application's Consumer key and secret + * + * XXX: Should this be moved to its own page with a confirm? + * + */ + function resetKey() { $this->application->query('BEGIN'); + $oauser = new Oauth_application_user(); + $oauser->application_id = $this->application->id; + $result = $oauser->delete(); + + if ($result === false) { + common_log_db_error($oauser, 'DELETE', __FILE__); + $this->success = false; + $this->msg = ('Unable to reset consumer key and secret.'); + $this->showPage(); + return; + } + $consumer = $this->application->getConsumer(); $result = $consumer->delete(); - if (!$result) { + if ($result === false) { common_log_db_error($consumer, 'DELETE', __FILE__); $this->success = false; $this->msg = ('Unable to reset consumer key and secret.'); @@ -310,7 +354,7 @@ class ShowApplicationAction extends OwnerDesignAction $result = $consumer->insert(); - if (!$result) { + if (empty($result)) { common_log_db_error($consumer, 'INSERT', __FILE__); $this->application->query('ROLLBACK'); $this->success = false; @@ -323,7 +367,7 @@ class ShowApplicationAction extends OwnerDesignAction $this->application->consumer_key = $consumer->consumer_key; $result = $this->application->update($orig); - if (!$result) { + if ($result === false) { common_log_db_error($application, 'UPDATE', __FILE__); $this->application->query('ROLLBACK'); $this->success = false; -- cgit v1.2.3-54-g00ecf From 0a3b552d9f768dd0a3f2aaff6e005327838c6d5a Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Wed, 3 Feb 2010 18:13:21 +0100 Subject: Added right margin for notice text. Helps Conversation notices look better. --- theme/base/css/display.css | 1 + 1 file changed, 1 insertion(+) diff --git a/theme/base/css/display.css b/theme/base/css/display.css index b5cfab7e9..8490fb580 100644 --- a/theme/base/css/display.css +++ b/theme/base/css/display.css @@ -1024,6 +1024,7 @@ float:none; } #content .notice .entry-title { margin-left:59px; +margin-right:7px; } .vcard .url { -- cgit v1.2.3-54-g00ecf From 72f72d17dbc2ddf5228d97079f992a99f2821373 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Thu, 4 Feb 2010 01:53:08 +0000 Subject: - Fix cache handling in TwitterStatusFetcher - Other stability fixes --- .../TwitterBridge/daemons/twitterstatusfetcher.php | 53 ++++++++++++++++++---- 1 file changed, 45 insertions(+), 8 deletions(-) diff --git a/plugins/TwitterBridge/daemons/twitterstatusfetcher.php b/plugins/TwitterBridge/daemons/twitterstatusfetcher.php index 36732ce46..bff657eb6 100755 --- a/plugins/TwitterBridge/daemons/twitterstatusfetcher.php +++ b/plugins/TwitterBridge/daemons/twitterstatusfetcher.php @@ -2,7 +2,7 @@ is_local = Notice::GATEWAY; if (Event::handle('StartNoticeSave', array(&$notice))) { - $id = $notice->insert(); + $notice->insert(); Event::handle('EndNoticeSave', array($notice)); } @@ -270,17 +270,41 @@ class TwitterStatusFetcher extends ParallelizingDaemon Inbox::insertNotice($flink->user_id, $notice->id); - $notice->blowCaches(); + $notice->blowOnInsert(); return $notice; } + /** + * Look up a Profile by profileurl field. Profile::staticGet() was + * not working consistently. + * + * @param string $url the profile url + * + * @return mixed the first profile with that url, or null + */ + + function getProfileByUrl($nickname, $profileurl) + { + $profile = new Profile(); + $profile->nickname = $nickname; + $profile->profileurl = $profileurl; + $profile->limit(1); + + if ($profile->find()) { + $profile->fetch(); + return $profile; + } + + return null; + } + function ensureProfile($user) { // check to see if there's already a profile for this user $profileurl = 'http://twitter.com/' . $user->screen_name; - $profile = Profile::staticGet('profileurl', $profileurl); + $profile = $this->getProfileByUrl($user->screen_name, $profileurl); if (!empty($profile)) { common_debug($this->name() . @@ -292,6 +316,7 @@ class TwitterStatusFetcher extends ParallelizingDaemon return $profile->id; } else { + common_debug($this->name() . ' - Adding profile and remote profile ' . "for Twitter user: $profileurl."); @@ -306,7 +331,11 @@ class TwitterStatusFetcher extends ParallelizingDaemon $profile->profileurl = $profileurl; $profile->created = common_sql_now(); - $id = $profile->insert(); + try { + $id = $profile->insert(); + } catch(Exception $e) { + common_log(LOG_WARNING, $this->name . ' Couldn\'t insert profile - ' . $e->getMessage()); + } if (empty($id)) { common_log_db_error($profile, 'INSERT', __FILE__); @@ -326,7 +355,11 @@ class TwitterStatusFetcher extends ParallelizingDaemon $remote_pro->uri = $profileurl; $remote_pro->created = common_sql_now(); - $rid = $remote_pro->insert(); + try { + $rid = $remote_pro->insert(); + } catch (Exception $e) { + common_log(LOG_WARNING, $this->name() . ' Couldn\'t save remote profile - ' . $e->getMessage()); + } if (empty($rid)) { common_log_db_error($profile, 'INSERT', __FILE__); @@ -446,7 +479,7 @@ class TwitterStatusFetcher extends ParallelizingDaemon if ($this->fetchAvatar($url, $filename)) { $this->newAvatar($id, $size, $mediatype, $filename); } else { - common_log(LOG_WARNING, $this->id() . + common_log(LOG_WARNING, $id() . " - Problem fetching Avatar: $url"); } } @@ -507,7 +540,11 @@ class TwitterStatusFetcher extends ParallelizingDaemon $avatar->created = common_sql_now(); - $id = $avatar->insert(); + try { + $id = $avatar->insert(); + } catch (Exception $e) { + common_log(LOG_WARNING, $this->name() . ' Couldn\'t insert avatar - ' . $e->getMessage()); + } if (empty($id)) { common_log_db_error($avatar, 'INSERT', __FILE__); -- cgit v1.2.3-54-g00ecf From feaf938ffd4dc27f2c03b4a532f78b172ddb35e4 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Thu, 4 Feb 2010 03:17:48 +0000 Subject: Make Twitter bridge truncate and add a link back to the original notice when notice content is > 140c --- plugins/TwitterBridge/twitter.php | 11 ++++++++++- 1 file changed, 10 insertions(+), 1 deletion(-) diff --git a/plugins/TwitterBridge/twitter.php b/plugins/TwitterBridge/twitter.php index 33dfb788b..6944a1ace 100644 --- a/plugins/TwitterBridge/twitter.php +++ b/plugins/TwitterBridge/twitter.php @@ -1,7 +1,7 @@ content); // Convert !groups to #hashes + + // XXX: Make this an optional setting? + $statustxt = preg_replace('/(^|\s)!([A-Za-z0-9]{1,64})/', "\\1#\\2", $statustxt); + if (mb_strlen($statustxt) > 140) { + $noticeUrl = common_shorten_url($notice->uri); + $urlLen = mb_strlen($noticeUrl); + $statustxt = mb_substr($statustxt, 0, 140 - ($urlLen + 3)) . ' … ' . $noticeUrl; + } + return $statustxt; } -- cgit v1.2.3-54-g00ecf From 28d02308d3457e055a7d86dc0803b6ca5d8d8427 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Thu, 4 Feb 2010 11:35:58 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans --- locale/ar/LC_MESSAGES/statusnet.po | 49 ++-- locale/arz/LC_MESSAGES/statusnet.po | 49 ++-- locale/bg/LC_MESSAGES/statusnet.po | 49 ++-- locale/ca/LC_MESSAGES/statusnet.po | 49 ++-- locale/cs/LC_MESSAGES/statusnet.po | 48 ++-- locale/de/LC_MESSAGES/statusnet.po | 49 ++-- locale/el/LC_MESSAGES/statusnet.po | 49 ++-- locale/en_GB/LC_MESSAGES/statusnet.po | 230 ++++++++-------- locale/es/LC_MESSAGES/statusnet.po | 73 ++--- locale/fa/LC_MESSAGES/statusnet.po | 49 ++-- locale/fi/LC_MESSAGES/statusnet.po | 49 ++-- locale/fr/LC_MESSAGES/statusnet.po | 258 +++++++++--------- locale/ga/LC_MESSAGES/statusnet.po | 49 ++-- locale/he/LC_MESSAGES/statusnet.po | 48 ++-- locale/hsb/LC_MESSAGES/statusnet.po | 49 ++-- locale/ia/LC_MESSAGES/statusnet.po | 49 ++-- locale/is/LC_MESSAGES/statusnet.po | 49 ++-- locale/it/LC_MESSAGES/statusnet.po | 49 ++-- locale/ja/LC_MESSAGES/statusnet.po | 261 +++++++++--------- locale/ko/LC_MESSAGES/statusnet.po | 49 ++-- locale/mk/LC_MESSAGES/statusnet.po | 91 +++---- locale/nb/LC_MESSAGES/statusnet.po | 484 +++++++++++++++------------------- locale/nl/LC_MESSAGES/statusnet.po | 93 ++++--- locale/nn/LC_MESSAGES/statusnet.po | 49 ++-- locale/pl/LC_MESSAGES/statusnet.po | 89 +++---- locale/pt/LC_MESSAGES/statusnet.po | 49 ++-- locale/pt_BR/LC_MESSAGES/statusnet.po | 49 ++-- locale/ru/LC_MESSAGES/statusnet.po | 91 +++---- locale/statusnet.po | 44 ++-- locale/sv/LC_MESSAGES/statusnet.po | 91 +++---- locale/te/LC_MESSAGES/statusnet.po | 85 +++--- locale/tr/LC_MESSAGES/statusnet.po | 48 ++-- locale/uk/LC_MESSAGES/statusnet.po | 90 +++---- locale/vi/LC_MESSAGES/statusnet.po | 49 ++-- locale/zh_CN/LC_MESSAGES/statusnet.po | 49 ++-- locale/zh_TW/LC_MESSAGES/statusnet.po | 48 ++-- 36 files changed, 1587 insertions(+), 1516 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index 7e61e492d..bfc6c0324 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:20:02+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:32:02+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" @@ -738,7 +738,7 @@ msgstr "الأصلي" msgid "Preview" msgstr "عاين" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "احذÙ" @@ -3163,76 +3163,81 @@ msgstr "اذ٠إعدادت الموقع" msgid "You must be logged in to view an application." msgstr "يجب أن تكون مسجل الدخول لرؤية تطبيق." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 msgid "Application profile" msgstr "" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "أيقونة" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 msgid "Name" msgstr "الاسم" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 msgid "Organization" msgstr "المنظمة" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "الوصÙ" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "إحصاءات" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "اسمح بالمسار" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "أمتأكد من أنك تريد حذ٠هذا الإشعار؟" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4520,11 +4525,11 @@ msgstr "ضبط المسارات" msgid "Sessions configuration" msgstr "ضبط التصميم" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index 27755a0ce..6f859ec1f 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:20:06+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:32:07+0000\n" "Language-Team: Egyptian Spoken Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: out-statusnet\n" @@ -738,7 +738,7 @@ msgstr "الأصلي" msgid "Preview" msgstr "عاين" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "احذÙ" @@ -3161,76 +3161,81 @@ msgstr "اذ٠إعدادت الموقع" msgid "You must be logged in to view an application." msgstr "يجب أن تكون مسجل الدخول لرؤيه تطبيق." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 msgid "Application profile" msgstr "" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 msgid "Name" msgstr "الاسم" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 msgid "Organization" msgstr "المنظمة" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "الوصÙ" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "إحصاءات" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "اسمح بالمسار" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "أمتأكد من أنك تريد حذ٠هذا الإشعار؟" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4518,11 +4523,11 @@ msgstr "ضبط المسارات" msgid "Sessions configuration" msgstr "ضبط التصميم" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index 4697b8aac..0121a235c 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:20:09+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:32:10+0000\n" "Language-Team: Bulgarian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: out-statusnet\n" @@ -751,7 +751,7 @@ msgstr "Оригинал" msgid "Preview" msgstr "Преглед" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Изтриване" @@ -3319,80 +3319,85 @@ msgstr "Запазване наÑтройките на Ñайта" msgid "You must be logged in to view an application." msgstr "За напуÑнете група, Ñ‚Ñ€Ñбва да Ñте влезли." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 #, fuzzy msgid "Application profile" msgstr "Бележката нÑма профил" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "ПÑевдоним" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Страниране" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "ОпиÑание" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "СтатиÑтики" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 #, fuzzy msgid "Authorize URL" msgstr "Ðвтор" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "ÐаиÑтина ли иÑкате да изтриете тази бележка?" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4734,11 +4739,11 @@ msgstr "ÐаÑтройка на пътищата" msgid "Sessions configuration" msgstr "ÐаÑтройка на оформлението" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index 0a6356d6c..8be73131c 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:20:13+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:32:13+0000\n" "Language-Team: Catalan\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: out-statusnet\n" @@ -765,7 +765,7 @@ msgstr "Original" msgid "Preview" msgstr "Vista prèvia" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Suprimeix" @@ -3363,79 +3363,84 @@ msgstr "Desa els paràmetres del lloc" msgid "You must be logged in to view an application." msgstr "Has d'haver entrat per a poder marxar d'un grup." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 #, fuzzy msgid "Application profile" msgstr "Avís sense perfil" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 msgid "Name" msgstr "Nom" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Paginació" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Descripció" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Estadístiques" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 #, fuzzy msgid "Authorize URL" msgstr "Autoria" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "N'estàs segur que vols eliminar aquesta notificació?" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4782,11 +4787,11 @@ msgstr "Configuració dels camins" msgid "Sessions configuration" msgstr "Configuració del disseny" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index c61d3dbf0..73e7ca60a 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:20:16+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:32:16+0000\n" "Language-Team: Czech\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: out-statusnet\n" @@ -765,7 +765,7 @@ msgstr "" msgid "Preview" msgstr "" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Odstranit" @@ -3312,80 +3312,84 @@ msgstr "Nastavení" msgid "You must be logged in to view an application." msgstr "" -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 #, fuzzy msgid "Application profile" msgstr "SdÄ›lení nemá profil" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "PÅ™ezdívka" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "UmístÄ›ní" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 #, fuzzy msgid "Description" msgstr "OdbÄ›ry" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statistiky" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4735,11 +4739,11 @@ msgstr "Potvrzení emailové adresy" msgid "Sessions configuration" msgstr "Potvrzení emailové adresy" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index ca2be97ef..53e7646e5 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:20:19+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:32:19+0000\n" "Language-Team: German\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: out-statusnet\n" @@ -764,7 +764,7 @@ msgstr "Original" msgid "Preview" msgstr "Vorschau" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Löschen" @@ -3362,80 +3362,85 @@ msgstr "Site-Einstellungen speichern" msgid "You must be logged in to view an application." msgstr "Du musst angemeldet sein, um aus einer Gruppe auszutreten." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 #, fuzzy msgid "Application profile" msgstr "Nachricht hat kein Profil" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "Nutzername" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Seitenerstellung" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Beschreibung" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statistiken" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 #, fuzzy msgid "Authorize URL" msgstr "Autor" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "Bist du sicher, dass du diese Nachricht löschen möchtest?" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4804,11 +4809,11 @@ msgstr "SMS-Konfiguration" msgid "Sessions configuration" msgstr "SMS-Konfiguration" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/el/LC_MESSAGES/statusnet.po b/locale/el/LC_MESSAGES/statusnet.po index 62184c9ef..ae1aaed7d 100644 --- a/locale/el/LC_MESSAGES/statusnet.po +++ b/locale/el/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:20:22+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:32:22+0000\n" "Language-Team: Greek\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: el\n" "X-Message-Group: out-statusnet\n" @@ -748,7 +748,7 @@ msgstr "" msgid "Preview" msgstr "" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "ΔιαγÏαφή" @@ -3270,78 +3270,83 @@ msgstr "Ρυθμίσεις OpenID" msgid "You must be logged in to view an application." msgstr "" -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 msgid "Application profile" msgstr "" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "Ψευδώνυμο" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "ΠÏοσκλήσεις" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "ΠεÏιγÏαφή" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "Είσαι σίγουÏος ότι θες να διαγÏάψεις αυτό το μήνυμα;" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4649,11 +4654,11 @@ msgstr "Επιβεβαίωση διεÏθυνσης email" msgid "Sessions configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index 664d647d8..3c4095d0d 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:20:25+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:32:26+0000\n" "Language-Team: British English\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: out-statusnet\n" @@ -26,14 +26,12 @@ msgid "Access" msgstr "Access" #: actions/accessadminpanel.php:65 -#, fuzzy msgid "Site access settings" -msgstr "Save site settings" +msgstr "Site access settings" #: actions/accessadminpanel.php:158 -#, fuzzy msgid "Registration" -msgstr "Register" +msgstr "Registration" #: actions/accessadminpanel.php:161 msgid "Private" @@ -41,7 +39,7 @@ msgstr "Private" #: actions/accessadminpanel.php:163 msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" +msgstr "Prohibit anonymous users (not logged in) from viewing site?" #: actions/accessadminpanel.php:167 msgid "Invite only" @@ -49,7 +47,7 @@ msgstr "Invite only" #: actions/accessadminpanel.php:169 msgid "Make registration invitation only." -msgstr "" +msgstr "Make registration invitation only." #: actions/accessadminpanel.php:173 msgid "Closed" @@ -57,7 +55,7 @@ msgstr "Closed" #: actions/accessadminpanel.php:175 msgid "Disable new registrations." -msgstr "" +msgstr "Disable new registrations." #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 @@ -72,9 +70,8 @@ msgid "Save" msgstr "Save" #: actions/accessadminpanel.php:189 -#, fuzzy msgid "Save access settings" -msgstr "Save site settings" +msgstr "Save access settings" #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 @@ -482,12 +479,11 @@ msgstr "groups on %s" #: actions/apioauthauthorize.php:101 msgid "No oauth_token parameter provided." -msgstr "" +msgstr "No oauth_token parameter provided." #: actions/apioauthauthorize.php:106 -#, fuzzy msgid "Invalid token." -msgstr "Invalid size." +msgstr "Invalid token." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -512,14 +508,12 @@ msgid "Invalid nickname / password!" msgstr "Invalid nickname / password!" #: actions/apioauthauthorize.php:159 -#, fuzzy msgid "Database error deleting OAuth application user." -msgstr "DB error deleting OAuth app user." +msgstr "Database error deleting OAuth application user." #: actions/apioauthauthorize.php:185 -#, fuzzy msgid "Database error inserting OAuth application user." -msgstr "DB error inserting OAuth app user." +msgstr "Database error inserting OAuth application user." #: actions/apioauthauthorize.php:214 #, php-format @@ -531,9 +525,9 @@ msgstr "" "token." #: actions/apioauthauthorize.php:227 -#, fuzzy, php-format +#, php-format msgid "The request token %s has been denied and revoked." -msgstr "The request token %s has been denied." +msgstr "The request token %s has been denied and revoked." #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -546,11 +540,11 @@ msgstr "Unexpected form submission." #: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" -msgstr "" +msgstr "An application would like to connect to your account" #: actions/apioauthauthorize.php:276 msgid "Allow or deny access" -msgstr "" +msgstr "Allow or deny access" #: actions/apioauthauthorize.php:292 #, php-format @@ -559,6 +553,9 @@ msgid "" "the ability to %3$s your %4$s account data. You should only " "give access to your %4$s account to third parties you trust." msgstr "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." #: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" @@ -753,7 +750,7 @@ msgstr "Original" msgid "Preview" msgstr "Preview" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Delete" @@ -921,20 +918,17 @@ msgid "Notices" msgstr "Notices" #: actions/deleteapplication.php:63 -#, fuzzy msgid "You must be logged in to delete an application." -msgstr "You must be logged in to create a group." +msgstr "You must be logged in to delete an application." #: actions/deleteapplication.php:71 -#, fuzzy msgid "Application not found." -msgstr "Notice has no profile" +msgstr "Application not found." #: actions/deleteapplication.php:78 actions/editapplication.php:77 #: actions/showapplication.php:94 -#, fuzzy msgid "You are not the owner of this application." -msgstr "You are not a member of this group." +msgstr "You are not the owner of this application." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 @@ -943,29 +937,26 @@ msgid "There was a problem with your session token." msgstr "There was a problem with your session token." #: actions/deleteapplication.php:123 actions/deleteapplication.php:147 -#, fuzzy msgid "Delete application" -msgstr "No such notice." +msgstr "Delete application" #: actions/deleteapplication.php:149 -#, fuzzy msgid "" "Are you sure you want to delete this application? This will clear all data " "about the application from the database, including all existing user " "connections." msgstr "" -"Are you sure you want to delete this user? This will clear all data about " -"the user from the database, without a backup." +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." #: actions/deleteapplication.php:156 -#, fuzzy msgid "Do not delete this application" -msgstr "Do not delete this notice" +msgstr "Do not delete this application" #: actions/deleteapplication.php:160 -#, fuzzy msgid "Delete this application" -msgstr "Delete this notice" +msgstr "Delete this application" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 @@ -1106,14 +1097,12 @@ msgid "Change colours" msgstr "Change colours" #: actions/designadminpanel.php:510 lib/designsettings.php:191 -#, fuzzy msgid "Content" -msgstr "Connect" +msgstr "Content" #: actions/designadminpanel.php:523 lib/designsettings.php:204 -#, fuzzy msgid "Sidebar" -msgstr "Search" +msgstr "Sidebar" #: actions/designadminpanel.php:536 lib/designsettings.php:217 msgid "Text" @@ -1148,68 +1137,58 @@ msgid "Add to favorites" msgstr "Add to favourites" #: actions/doc.php:158 -#, fuzzy, php-format +#, php-format msgid "No such document \"%s\"" -msgstr "No such document." +msgstr "No such document \"%s\"" #: actions/editapplication.php:54 -#, fuzzy msgid "Edit Application" -msgstr "Other options" +msgstr "Edit Application" #: actions/editapplication.php:66 -#, fuzzy msgid "You must be logged in to edit an application." -msgstr "You must be logged in to create a group." +msgstr "You must be logged in to edit an application." #: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 -#, fuzzy msgid "No such application." -msgstr "No such notice." +msgstr "No such application." #: actions/editapplication.php:161 -#, fuzzy msgid "Use this form to edit your application." -msgstr "Use this form to edit the group." +msgstr "Use this form to edit your application." #: actions/editapplication.php:177 actions/newapplication.php:159 -#, fuzzy msgid "Name is required." -msgstr "Same as password above. Required." +msgstr "Name is required." #: actions/editapplication.php:180 actions/newapplication.php:165 -#, fuzzy msgid "Name is too long (max 255 chars)." -msgstr "Full name is too long (max 255 chars)." +msgstr "Name is too long (max 255 chars)." #: actions/editapplication.php:183 actions/newapplication.php:162 -#, fuzzy msgid "Name already in use. Try another one." -msgstr "Nickname already in use. Try another one." +msgstr "Name already in use. Try another one." #: actions/editapplication.php:186 actions/newapplication.php:168 -#, fuzzy msgid "Description is required." -msgstr "Description" +msgstr "Description is required." #: actions/editapplication.php:194 msgid "Source URL is too long." -msgstr "" +msgstr "Source URL is too long." #: actions/editapplication.php:200 actions/newapplication.php:185 -#, fuzzy msgid "Source URL is not valid." -msgstr "Homepage is not a valid URL." +msgstr "Source URL is not valid." #: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." msgstr "Organisation is required." #: actions/editapplication.php:206 actions/newapplication.php:191 -#, fuzzy msgid "Organization is too long (max 255 chars)." -msgstr "Location is too long (max 255 chars)." +msgstr "Organisation is too long (max 255 chars)." #: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." @@ -1217,16 +1196,15 @@ msgstr "Organisation homepage is required." #: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." -msgstr "" +msgstr "Callback is too long." #: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." -msgstr "" +msgstr "Callback URL is not valid." #: actions/editapplication.php:258 -#, fuzzy msgid "Could not update application." -msgstr "Could not update group." +msgstr "Could not update application." #: actions/editgroup.php:56 #, php-format @@ -1239,9 +1217,8 @@ msgstr "You must be logged in to create a group." #: actions/editgroup.php:103 actions/editgroup.php:168 #: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 -#, fuzzy msgid "You must be an admin to edit the group." -msgstr "You must be an admin to edit the group" +msgstr "You must be an admin to edit the group." #: actions/editgroup.php:154 msgid "Use this form to edit the group." @@ -1509,29 +1486,25 @@ msgid "Featured users, page %d" msgstr "Featured users, page %d" #: actions/featured.php:99 -#, fuzzy, php-format +#, php-format msgid "A selection of some great users on %s" -msgstr "A selection of some of the great users on %s" +msgstr "A selection of some great users on %s" #: actions/file.php:34 -#, fuzzy msgid "No notice ID." -msgstr "No notice." +msgstr "No notice ID." #: actions/file.php:38 -#, fuzzy msgid "No notice." msgstr "No notice." #: actions/file.php:42 -#, fuzzy msgid "No attachments." -msgstr "No such document." +msgstr "No attachments." #: actions/file.php:51 -#, fuzzy msgid "No uploaded attachments." -msgstr "No such document." +msgstr "No uploaded attachments." #: actions/finishremotesubscribe.php:69 msgid "Not expecting this response!" @@ -2682,9 +2655,9 @@ msgid "Invalid notice content" msgstr "Invalid notice content" #: actions/postnotice.php:90 -#, fuzzy, php-format +#, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." -msgstr "Notice licence ‘%s’ is not compatible with site licence ‘%s’." +msgstr "Notice licence ‘1%$s’ is not compatible with site licence ‘%2$s’." #: actions/profilesettings.php:60 msgid "Profile settings" @@ -2956,6 +2929,8 @@ msgid "" "If you have forgotten or lost your password, you can get a new one sent to " "the email address you have stored in your account." msgstr "" +"If you have forgotten or lost your password, you can get a new one sent to " +"the e-mail address you have stored in your account." #: actions/recoverpassword.php:158 msgid "You have been identified. Enter a new password below. " @@ -2967,7 +2942,7 @@ msgstr "" #: actions/recoverpassword.php:191 msgid "Nickname or email address" -msgstr "" +msgstr "Nickname or e-mail address" #: actions/recoverpassword.php:193 msgid "Your nickname on this server, or your registered email address." @@ -3128,7 +3103,7 @@ msgstr "" "number." #: actions/register.php:538 -#, fuzzy, php-format +#, php-format msgid "" "Congratulations, %1$s! And welcome to %%%%site.name%%%%. From here, you may " "want to...\n" @@ -3145,18 +3120,18 @@ msgid "" "\n" "Thanks for signing up and we hope you enjoy using this service." msgstr "" -"Congratulations, %s! And welcome to %%%%site.name%%%%. From here, you may " +"Congratulations, %1$s! And welcome to %%%%site.name%%%%. From here, you may " "want to...\n" "\n" -"* Go to [your profile](%s) and post your first message.\n" +"* Go to [your profile](%2$s) and post your first message.\n" "* Add a [Jabber/GTalk address](%%%%action.imsettings%%%%) so you can send " "notices through instant messages.\n" "* [Search for people](%%%%action.peoplesearch%%%%) that you may know or that " -"share your interests. \n" +"share your interests.  \n" "* Update your [profile settings](%%%%action.profilesettings%%%%) to tell " -"others more about you. \n" +"others more about you.  \n" "* Read over the [online docs](%%%%doc.help%%%%) for features you may have " -"missed. \n" +"missed.  \n" "\n" "Thanks for signing up and we hope you enjoy using this service." @@ -3361,79 +3336,84 @@ msgstr "Save site settings" msgid "You must be logged in to view an application." msgstr "You must be logged in to leave a group." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 #, fuzzy msgid "Application profile" msgstr "Notice has no profile" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "Nickname" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Pagination" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Description" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statistics" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" -msgstr "" +msgstr "Authorise URL" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "Are you sure you want to delete this notice?" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -3463,6 +3443,8 @@ msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" +"You haven't chosen any favourite notices yet. Click the fave button on " +"notices you like to bookmark them for later or shed a spotlight on them." #: actions/showfavorites.php:207 #, php-format @@ -3470,6 +3452,8 @@ msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " "they would add to their favorites :)" msgstr "" +"%s hasn't added any notices to his favourites yet. Post something " +"interesting they would add to their favourites :)" #: actions/showfavorites.php:211 #, php-format @@ -3478,6 +3462,9 @@ msgid "" "account](%%%%action.register%%%%) and then post something interesting they " "would add to their favorites :)" msgstr "" +"%s hasn't added any notices to his favourites yet. Why not [register an " +"account](%%%%action.register%%%%) and then post something interesting they " +"would add to their favourites :)" #: actions/showfavorites.php:242 msgid "This is a way to share what you like." @@ -3562,6 +3549,11 @@ msgid "" "their life and interests. [Join now](%%%%action.register%%%%) to become part " "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" +"**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." +"wikipedia.org/wiki/Micro-blogging) service based on the Free Software " +"[StatusNet](http://status.net/) tool. Its members share short messages about " +"their life and interests. [Join now](%%%%action.register%%%%) to become part " +"of this group and many more! ([Read more](%%%%doc.help%%%%))" #: actions/showgroup.php:454 #, fuzzy, php-format @@ -3724,7 +3716,7 @@ msgstr "" #: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." -msgstr "" +msgstr "Minimum text limit is 140 characters." #: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." @@ -3759,9 +3751,8 @@ msgid "URL used for credits link in footer of each page" msgstr "" #: actions/siteadminpanel.php:257 -#, fuzzy msgid "Contact email address for your site" -msgstr "New e-mail address for posting to %s" +msgstr "Contact e-mail address for your site" #: actions/siteadminpanel.php:263 #, fuzzy @@ -4372,6 +4363,10 @@ msgid "" "Software Foundation, either version 3 of the License, or (at your option) " "any later version. " msgstr "" +"StatusNet is free software: you can redistribute it and/or modify it under " +"the terms of the GNU Affero General Public Licence as published by the Free " +"Software Foundation, either version 3 of the Licence, or (at your option) " +"any later version. " #: actions/version.php:174 msgid "" @@ -4380,6 +4375,10 @@ msgid "" "FITNESS FOR A PARTICULAR PURPOSE. See the GNU Affero General Public License " "for more details. " msgstr "" +"This program is distributed in the hope that it will be useful, but WITHOUT " +"ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or " +"FITNESS FOR A PARTICULAR PURPOSE.  See the GNU Affero General Public Licence " +"for more details. " #: actions/version.php:180 #, php-format @@ -4387,6 +4386,8 @@ msgid "" "You should have received a copy of the GNU Affero General Public License " "along with this program. If not, see %s." msgstr "" +"You should have received a copy of the GNU Affero General Public Licence " +"along with this program. If not, see %s." #: actions/version.php:189 msgid "Plugins" @@ -4788,11 +4789,11 @@ msgstr "SMS confirmation" msgid "Sessions configuration" msgstr "Design configuration" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4827,12 +4828,11 @@ msgstr "URL of the homepage or blog of the group or topic" #: lib/applicationeditform.php:224 msgid "Organization responsible for this application" -msgstr "" +msgstr "Organisation responsible for this application" #: lib/applicationeditform.php:230 -#, fuzzy msgid "URL for the homepage of the organization" -msgstr "URL of the homepage or blog of the group or topic" +msgstr "URL for the homepage of the organisation" #: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index 2946666aa..1826206ca 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:20:28+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:32:29+0000\n" "Language-Team: Spanish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: out-statusnet\n" @@ -302,9 +302,9 @@ msgid "No message text!" msgstr "¡Sin texto de mensaje!" #: actions/apidirectmessagenew.php:135 actions/newmessage.php:150 -#, fuzzy, php-format +#, php-format msgid "That's too long. Max message size is %d chars." -msgstr "Demasiado largo. Máximo 140 caracteres. " +msgstr "Demasiado largo. Tamaño máx. de los mensajes es %d caracteres." #: actions/apidirectmessagenew.php:146 msgid "Recipient user not found." @@ -435,9 +435,8 @@ msgstr "" #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 #: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 -#, fuzzy msgid "Group not found!" -msgstr "¡No se encontró el método de la API!" +msgstr "¡No se ha encontrado el grupo!" #: actions/apigroupjoin.php:110 actions/joingroup.php:90 msgid "You are already a member of that group." @@ -445,7 +444,7 @@ msgstr "Ya eres miembro de ese grupo" #: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 msgid "You have been blocked from that group by the admin." -msgstr "" +msgstr "Has sido bloqueado de ese grupo por el administrador." #: actions/apigroupjoin.php:138 actions/joingroup.php:124 #, fuzzy, php-format @@ -546,7 +545,7 @@ msgstr "" #: actions/apioauthauthorize.php:276 msgid "Allow or deny access" -msgstr "" +msgstr "Permitir o denegar el acceso" #: actions/apioauthauthorize.php:292 #, php-format @@ -574,16 +573,15 @@ msgstr "Contraseña" #: actions/apioauthauthorize.php:328 msgid "Deny" -msgstr "" +msgstr "Denegar" #: actions/apioauthauthorize.php:334 -#, fuzzy msgid "Allow" -msgstr "Todo" +msgstr "Permitir" #: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." -msgstr "" +msgstr "Permitir o denegar el acceso a la información de tu cuenta." #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." @@ -599,14 +597,12 @@ msgid "No such notice." msgstr "No existe ese aviso." #: actions/apistatusesretweet.php:83 -#, fuzzy msgid "Cannot repeat your own notice." -msgstr "No se puede activar notificación." +msgstr "No puedes repetir tus propias notificaciones." #: actions/apistatusesretweet.php:91 -#, fuzzy msgid "Already repeated that notice." -msgstr "Borrar este aviso" +msgstr "Esta notificación ya se ha repetido." #: actions/apistatusesshow.php:138 msgid "Status deleted." @@ -754,7 +750,7 @@ msgstr "Original" msgid "Preview" msgstr "Vista previa" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Borrar" @@ -3387,79 +3383,84 @@ msgstr "Configuración de Avatar" msgid "You must be logged in to view an application." msgstr "Debes estar conectado para dejar un grupo." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 #, fuzzy msgid "Application profile" msgstr "Aviso sin perfil" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "Apodo" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Paginación" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Descripción" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Estadísticas" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "¿Estás seguro de que quieres eliminar este aviso?" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4828,11 +4829,11 @@ msgstr "SMS confirmación" msgid "Sessions configuration" msgstr "SMS confirmación" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index dc3b469b7..c5856c88d 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:20:36+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:32:36+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian\n" "MIME-Version: 1.0\n" @@ -20,7 +20,7 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" #: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 @@ -752,7 +752,7 @@ msgstr "اصلی" msgid "Preview" msgstr "پیش‌نمایش" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "حذÙ" @@ -3268,80 +3268,85 @@ msgstr "" msgid "You must be logged in to view an application." msgstr "برای ترک یک گروه، شما باید وارد شده باشید." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 #, fuzzy msgid "Application profile" msgstr "ابن خبر ذخیره ای ندارد ." -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "نام کاربری" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "صÙحه بندى" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "آمار" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 #, fuzzy msgid "Authorize URL" msgstr "مؤلÙ" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "آیا اطمینان دارید Ú©Ù‡ می‌خواهید این پیام را پاک کنید؟" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4639,11 +4644,11 @@ msgstr "" msgid "Sessions configuration" msgstr "پیکره بندی اصلی سایت" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/fi/LC_MESSAGES/statusnet.po b/locale/fi/LC_MESSAGES/statusnet.po index daa2c1cbe..c013107f4 100644 --- a/locale/fi/LC_MESSAGES/statusnet.po +++ b/locale/fi/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:20:32+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:32:32+0000\n" "Language-Team: Finnish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: out-statusnet\n" @@ -770,7 +770,7 @@ msgstr "Alkuperäinen" msgid "Preview" msgstr "Esikatselu" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Poista" @@ -3395,79 +3395,84 @@ msgstr "Profiilikuva-asetukset" msgid "You must be logged in to view an application." msgstr "Sinun pitää olla kirjautunut sisään, jotta voit erota ryhmästä." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 #, fuzzy msgid "Application profile" msgstr "Päivitykselle ei ole profiilia" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "Tunnus" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Sivutus" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Kuvaus" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Tilastot" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "Oletko varma että haluat poistaa tämän päivityksen?" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4829,11 +4834,11 @@ msgstr "SMS vahvistus" msgid "Sessions configuration" msgstr "SMS vahvistus" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index b6c896cf0..7a25b9ef2 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -14,12 +14,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:20:39+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:32:38+0000\n" "Language-Team: French\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: out-statusnet\n" @@ -31,7 +31,7 @@ msgstr "Accès" #: actions/accessadminpanel.php:65 msgid "Site access settings" -msgstr "Paramètres d'accès au site" +msgstr "Paramètres d’accès au site" #: actions/accessadminpanel.php:158 msgid "Registration" @@ -51,7 +51,7 @@ msgstr "Sur invitation uniquement" #: actions/accessadminpanel.php:169 msgid "Make registration invitation only." -msgstr "Rendre l’inscription sur invitation seulement." +msgstr "Autoriser l’inscription sur invitation seulement." #: actions/accessadminpanel.php:173 msgid "Closed" @@ -75,7 +75,7 @@ msgstr "Enregistrer" #: actions/accessadminpanel.php:189 msgid "Save access settings" -msgstr "Sauvegarder les paramètres d'accès" +msgstr "Sauvegarder les paramètres d’accès" #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 @@ -111,7 +111,7 @@ msgstr "Utilisateur non trouvé." #: actions/all.php:84 #, php-format msgid "%1$s and friends, page %2$d" -msgstr "!%1$s et amis, page %2$d" +msgstr "%1$s et ses amis, page %2$d" #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 @@ -463,7 +463,7 @@ msgstr "Impossible de joindre l’utilisateur %1$s au groupe %2$s." #: actions/apigroupleave.php:114 msgid "You are not a member of this group." -msgstr "Vous n'êtes pas membre de ce groupe." +msgstr "Vous n’êtes pas membre de ce groupe." #: actions/apigroupleave.php:124 actions/leavegroup.php:119 #, php-format @@ -487,12 +487,11 @@ msgstr "groupes sur %s" #: actions/apioauthauthorize.php:101 msgid "No oauth_token parameter provided." -msgstr "" +msgstr "Paramètre oauth_token non fourni." #: actions/apioauthauthorize.php:106 -#, fuzzy msgid "Invalid token." -msgstr "Taille incorrecte." +msgstr "Jeton incorrect." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -516,18 +515,18 @@ msgstr "" #: actions/apioauthauthorize.php:135 msgid "Invalid nickname / password!" -msgstr "Identifiant ou mot de passe incorrect !" +msgstr "Pseudo ou mot de passe incorrect !" #: actions/apioauthauthorize.php:159 msgid "Database error deleting OAuth application user." msgstr "" -"Erreur de la base de données lors de la suppression de l'utilisateur de " -"l'application OAuth." +"Erreur de la base de données lors de la suppression de l’utilisateur de " +"l’application OAuth." #: actions/apioauthauthorize.php:185 msgid "Database error inserting OAuth application user." msgstr "" -"Erreur de base de donnée en insérant l'utilisateur de l'application OAuth" +"Erreur de base de donnée en insérant l’utilisateur de l’application OAuth" #: actions/apioauthauthorize.php:214 #, php-format @@ -535,13 +534,13 @@ msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" -"Le jeton de connexion %s a été autorisé. Merci de l'échanger contre un jeton " -"d'accès." +"Le jeton de connexion %s a été autorisé. Merci de l’échanger contre un jeton " +"d’accès." #: actions/apioauthauthorize.php:227 -#, fuzzy, php-format +#, php-format msgid "The request token %s has been denied and revoked." -msgstr "Le jeton de connexion %s a été refusé." +msgstr "Le jeton de connexion %s a été refusé et révoqué." #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -555,11 +554,11 @@ msgstr "Soumission de formulaire inattendue." #: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" msgstr "" -"Une application vous demande l'autorisation de se connecter à votre compte" +"Une application vous demande l’autorisation de se connecter à votre compte" #: actions/apioauthauthorize.php:276 msgid "Allow or deny access" -msgstr "Autoriser ou refuser l'accès" +msgstr "Autoriser ou refuser l’accès" #: actions/apioauthauthorize.php:292 #, php-format @@ -568,6 +567,10 @@ msgid "" "the ability to %3$s your %4$s account data. You should only " "give access to your %4$s account to third parties you trust." msgstr "" +"L’application %1$s de %2$s voudrait " +"pouvoir %3$s les données de votre compte %4$s. Vous ne " +"devriez donner l’accès à votre compte %4$s qu’aux tiers à qui vous faites " +"confiance." #: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" @@ -595,7 +598,7 @@ msgstr "Autoriser" #: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." -msgstr "Autoriser ou refuser l'accès à votre compte." +msgstr "Autoriser ou refuser l’accès à votre compte." #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." @@ -766,7 +769,7 @@ msgstr "Image originale" msgid "Preview" msgstr "Aperçu" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Supprimer" @@ -813,9 +816,9 @@ msgid "" "unsubscribed from you, unable to subscribe to you in the future, and you " "will not be notified of any @-replies from them." msgstr "" -"Êtes-vous certain de vouloir bloquer cet utilisateur ? Après cela, il ne " -"sera plus abonné à votre compte, ne pourra plus s’y abonner de nouveau, et " -"vous ne serez pas informé des @-réponses de sa part." +"Voulez-vous vraiment bloquer cet utilisateur ? Après cela, il ne sera plus " +"abonné à votre compte, ne pourra plus s’y abonner de nouveau, et vous ne " +"serez pas informé des @-réponses de sa part." #: actions/block.php:143 actions/deleteapplication.php:153 #: actions/deletenotice.php:145 actions/deleteuser.php:147 @@ -934,19 +937,17 @@ msgid "Notices" msgstr "Avis" #: actions/deleteapplication.php:63 -#, fuzzy msgid "You must be logged in to delete an application." -msgstr "Vous devez être connecté pour modifier une application." +msgstr "Vous devez être connecté pour supprimer une application." #: actions/deleteapplication.php:71 -#, fuzzy msgid "Application not found." -msgstr "Informations sur l'application" +msgstr "Application non trouvée." #: actions/deleteapplication.php:78 actions/editapplication.php:77 #: actions/showapplication.php:94 msgid "You are not the owner of this application." -msgstr "Vous n'êtes pas le propriétaire de cette application." +msgstr "Vous n’êtes pas le propriétaire de cette application." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 @@ -955,29 +956,26 @@ msgid "There was a problem with your session token." msgstr "Un problème est survenu avec votre jeton de session." #: actions/deleteapplication.php:123 actions/deleteapplication.php:147 -#, fuzzy msgid "Delete application" -msgstr "Modifier votre application" +msgstr "Supprimer l’application" #: actions/deleteapplication.php:149 -#, fuzzy msgid "" "Are you sure you want to delete this application? This will clear all data " "about the application from the database, including all existing user " "connections." msgstr "" -"Êtes-vous certain de vouloir supprimer cet utilisateur ? Ceci effacera " -"toutes les données à son propos de la base de données, sans sauvegarde." +"Voulez-vous vraiment supprimer cette application ? Ceci effacera toutes les " +"données à son propos de la base de données, y compris toutes les connexions " +"utilisateur existantes." #: actions/deleteapplication.php:156 -#, fuzzy msgid "Do not delete this application" -msgstr "Ne pas supprimer cet avis" +msgstr "Ne pas supprimer cette application" #: actions/deleteapplication.php:160 -#, fuzzy msgid "Delete this application" -msgstr "Icône pour cette application" +msgstr "Supprimer cette application" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 @@ -1007,7 +1005,7 @@ msgstr "Supprimer cet avis" #: actions/deletenotice.php:144 msgid "Are you sure you want to delete this notice?" -msgstr "Êtes-vous sûr(e) de vouloir supprimer cet avis ?" +msgstr "Voulez-vous vraiment supprimer cet avis ?" #: actions/deletenotice.php:145 msgid "Do not delete this notice" @@ -1027,15 +1025,15 @@ msgstr "Vous pouvez seulement supprimer les utilisateurs locaux." #: actions/deleteuser.php:110 actions/deleteuser.php:133 msgid "Delete user" -msgstr "Supprimer l'utilsateur" +msgstr "Supprimer l’utilisateur" #: actions/deleteuser.php:135 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" -"Êtes-vous certain de vouloir supprimer cet utilisateur ? Ceci effacera " -"toutes les données à son propos de la base de données, sans sauvegarde." +"Voulez-vous vraiment supprimer cet utilisateur ? Ceci effacera toutes les " +"données à son propos de la base de données, sans sauvegarde." #: actions/deleteuser.php:148 lib/deleteuserform.php:77 msgid "Delete this user" @@ -1057,7 +1055,7 @@ msgstr "URL du logo invalide." #: actions/designadminpanel.php:279 #, php-format msgid "Theme not available: %s" -msgstr "Le thème n'est pas disponible : %s" +msgstr "Le thème n’est pas disponible : %s" #: actions/designadminpanel.php:375 msgid "Change logo" @@ -1094,7 +1092,7 @@ msgid "" "You can upload a background image for the site. The maximum file size is %1" "$s." msgstr "" -"Vous pouvez importer une image d'arrière plan pour ce site. La taille " +"Vous pouvez importer une image d’arrière plan pour ce site. La taille " "maximale du fichier est de %1$s." #: actions/designadminpanel.php:457 lib/designsettings.php:139 @@ -1164,7 +1162,7 @@ msgstr "Document « %s » non trouvé." #: actions/editapplication.php:54 msgid "Edit Application" -msgstr "Modifier l'application" +msgstr "Modifier l’application" #: actions/editapplication.php:66 msgid "You must be logged in to edit an application." @@ -1173,7 +1171,7 @@ msgstr "Vous devez être connecté pour modifier une application." #: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 msgid "No such application." -msgstr "Pas d'application." +msgstr "Application non trouvée." #: actions/editapplication.php:161 msgid "Use this form to edit your application." @@ -1188,45 +1186,44 @@ msgid "Name is too long (max 255 chars)." msgstr "Le nom est trop long (maximum de 255 caractères)." #: actions/editapplication.php:183 actions/newapplication.php:162 -#, fuzzy msgid "Name already in use. Try another one." -msgstr "Pseudo déjà utilisé. Essayez-en un autre." +msgstr "Ce nom est déjà utilisé. Essayez-en un autre." #: actions/editapplication.php:186 actions/newapplication.php:168 msgid "Description is required." -msgstr "Description requise." +msgstr "La description est requise." #: actions/editapplication.php:194 msgid "Source URL is too long." -msgstr "L'URL source est trop longue." +msgstr "L’URL source est trop longue." #: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Source URL is not valid." -msgstr "URL source invalide." +msgstr "L’URL source est invalide." #: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." -msgstr "Organisation requise." +msgstr "L’organisation est requise." #: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization is too long (max 255 chars)." -msgstr "Organisation trop longue (maximum de 255 caractères)." +msgstr "L’organisation est trop longue (maximum de 255 caractères)." #: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." -msgstr "La page d'accueil de l'organisation est requise." +msgstr "La page d’accueil de l’organisation est requise." #: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." -msgstr "Le Callback est trop long." +msgstr "Le rappel (Callback) est trop long." #: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." -msgstr "URL de rappel invalide." +msgstr "L’URL de rappel (Callback) est invalide." #: actions/editapplication.php:258 msgid "Could not update application." -msgstr "Impossible de mettre à jour l'application." +msgstr "Impossible de mettre à jour l’application." #: actions/editgroup.php:56 #, php-format @@ -1549,7 +1546,7 @@ msgstr "Cet utilisateur vous a empêché de vous inscrire." #: actions/finishremotesubscribe.php:110 msgid "You are not authorized." -msgstr "Vous n'êtes pas autorisé." +msgstr "Vous n’êtes pas autorisé." #: actions/finishremotesubscribe.php:113 msgid "Could not convert request token to access token." @@ -2073,7 +2070,7 @@ msgstr "Vous devez ouvrir une session pour quitter un groupe." #: actions/leavegroup.php:90 lib/command.php:265 msgid "You are not a member of that group." -msgstr "Vous n'êtes pas membre de ce groupe." +msgstr "Vous n’êtes pas membre de ce groupe." #: actions/leavegroup.php:127 #, php-format @@ -2175,11 +2172,11 @@ msgstr "Utilisez ce formulaire pour inscrire une nouvelle application." #: actions/newapplication.php:176 msgid "Source URL is required." -msgstr "URL source requise." +msgstr "L’URL source est requise." #: actions/newapplication.php:258 actions/newapplication.php:267 msgid "Could not create application." -msgstr "Impossible de créer l'application." +msgstr "Impossible de créer l’application." #: actions/newgroup.php:53 msgid "New group" @@ -2310,7 +2307,7 @@ msgstr "Applications que vous avez enregistré" #: actions/oauthappssettings.php:135 #, php-format msgid "You have not registered any applications yet." -msgstr "Vous n'avez encore enregistré aucune application." +msgstr "Vous n’avez encore enregistré aucune application." #: actions/oauthconnectionssettings.php:72 msgid "Connected applications" @@ -2323,21 +2320,21 @@ msgstr "" #: actions/oauthconnectionssettings.php:175 msgid "You are not a user of that application." -msgstr "Vous n'êtes pas un utilisateur de cette application." +msgstr "Vous n’êtes pas un utilisateur de cette application." #: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " -msgstr "Impossible d'annuler l'accès de l'application : " +msgstr "Impossible d’annuler l’accès de l’application : " #: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." -msgstr "Vous n'avez autorisé aucune application à utiliser votre compte." +msgstr "Vous n’avez autorisé aucune application à utiliser votre compte." #: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" -"Les programmeurs peuvent modifier les paramètres d'enregistrement pour leurs " +"Les programmeurs peuvent modifier les paramètres d’enregistrement pour leurs " "applications " #: actions/oembed.php:79 actions/shownotice.php:100 @@ -2404,23 +2401,23 @@ msgstr "Le service de réduction d’URL est trop long (50 caractères maximum). #: actions/otp.php:69 msgid "No user ID specified." -msgstr "Aucun identifiant d'utilisateur n’a été spécifié." +msgstr "Aucun identifiant d’utilisateur n’a été spécifié." #: actions/otp.php:83 msgid "No login token specified." -msgstr "Aucun jeton d'identification n’a été spécifié." +msgstr "Aucun jeton d’identification n’a été spécifié." #: actions/otp.php:90 msgid "No login token requested." -msgstr "Aucune jeton d'identification requis." +msgstr "Aucun jeton d’identification n’a été demandé." #: actions/otp.php:95 msgid "Invalid login token specified." -msgstr "Jeton d'identification invalide." +msgstr "Jeton d’identification invalide." #: actions/otp.php:104 msgid "Login token expired." -msgstr "Jeton d'identification périmé." +msgstr "Jeton d’identification périmé." #: actions/outbox.php:58 #, php-format @@ -2565,7 +2562,7 @@ msgstr "Jolies URL" #: actions/pathsadminpanel.php:252 msgid "Use fancy (more readable and memorable) URLs?" -msgstr "Utiliser des jolies URL (plus lisibles et mémorable) ?" +msgstr "Utiliser des jolies URL (plus lisibles et faciles à mémoriser) ?" #: actions/pathsadminpanel.php:259 msgid "Theme" @@ -3373,78 +3370,83 @@ msgstr "Sauvegarder les paramètres du site" msgid "You must be logged in to view an application." msgstr "Vous devez être connecté pour voir une application." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 msgid "Application profile" -msgstr "Profil de l'application" +msgstr "Profil de l’application" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "Icône" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 msgid "Name" msgstr "Nom" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 msgid "Organization" msgstr "Organisation" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Description" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statistiques" -#: actions/showapplication.php:204 -#, fuzzy, php-format +#: actions/showapplication.php:203 +#, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" -msgstr "créé par %1$s - accès %2$s par défaut - %3$d utilisateurs" +msgstr "Créé par %1$s - accès %2$s par défaut - %3$d utilisateurs" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" -msgstr "Actions de l'application" +msgstr "Actions de l’application" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "Réinitialiser la clé et le secret" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" -msgstr "Informations sur l'application" +msgstr "Informations sur l’application" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" -msgstr "Clé de l'utilisateur" +msgstr "Clé de l’utilisateur" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" -msgstr "Secret de l'utilisateur" +msgstr "Secret de l’utilisateur" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "URL du jeton de requête" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" -msgstr "URL du jeton d'accès" +msgstr "URL du jeton d’accès" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" -msgstr "Autoriser l'URL" +msgstr "Autoriser l’URL" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" -"Note : Nous utilisons les signatures HMAC-SHA1. Nous n'utilisons pas la " +"Note : Nous utilisons les signatures HMAC-SHA1. Nous n’utilisons pas la " "méthode de signature en texte clair." +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "Voulez-vous vraiment supprimer cet avis ?" + #: actions/showfavorites.php:79 #, php-format msgid "%1$s's favorite notices, page %2$d" @@ -3973,7 +3975,7 @@ msgstr "Aucun code entré" #: actions/subedit.php:70 msgid "You are not subscribed to that profile." -msgstr "Vous n'êtes pas abonné(e) à ce profil." +msgstr "Vous n’êtes pas abonné(e) à ce profil." #: actions/subedit.php:83 msgid "Could not save subscription." @@ -4470,11 +4472,11 @@ msgstr "Un fichier aussi gros dépasserai votre quota mensuel de %d octets." #: classes/Group_member.php:41 msgid "Group join failed." -msgstr "L'inscription au groupe a échoué." +msgstr "L’inscription au groupe a échoué." #: classes/Group_member.php:53 msgid "Not part of group." -msgstr "N'appartient pas au groupe." +msgstr "N’appartient pas au groupe." #: classes/Group_member.php:60 msgid "Group leave failed." @@ -4483,7 +4485,7 @@ msgstr "La désinscription du groupe a échoué." #: classes/Login_token.php:76 #, php-format msgid "Could not create login token for %s" -msgstr "Impossible de créer le jeton d'ouverture de session pour %s" +msgstr "Impossible de créer le jeton d’identification pour %s" #: classes/Message.php:45 msgid "You are banned from sending direct messages." @@ -4558,7 +4560,7 @@ msgstr "Impossible de créer le groupe." #: classes/User_group.php:409 msgid "Could not set group membership." -msgstr "Impossible d'établir l’inscription au groupe." +msgstr "Impossible d’établir l’inscription au groupe." #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" @@ -4752,13 +4754,13 @@ msgstr "Le contenu et les données de %1$s sont privés et confidentiels." #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -"Le contenu et les données sont sous le droit d'auteur de %1$s. Tous droits " +"Le contenu et les données sont sous le droit d’auteur de %1$s. Tous droits " "réservés." #: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -"Le contenu et les données sont sous le droit d'auteur du contributeur. Tous " +"Le contenu et les données sont sous le droit d’auteur du contributeur. Tous " "droits réservés." #: lib/action.php:826 @@ -4815,7 +4817,7 @@ msgstr "Configuration utilisateur" #: lib/adminpanelaction.php:327 msgid "Access configuration" -msgstr "Configuration d'accès" +msgstr "Configuration d’accès" #: lib/adminpanelaction.php:332 msgid "Paths configuration" @@ -4825,18 +4827,18 @@ msgstr "Configuration des chemins" msgid "Sessions configuration" msgstr "Configuration des sessions" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -"La ressource de l'API a besoin de l'accès en lecture et en écriture, mais " -"vous n'y avez accès qu'en lecture." +"La ressource de l’API a besoin de l’accès en lecture et en écriture, mais " +"vous n’y avez accès qu’en lecture." -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" -"L'essai d'authentification de l'API a échoué ; identifiant = %1$s, proxy = %2" -"$s, ip = %3$s" +"L’essai d’authentification de l’API a échoué ; pseudo = %1$s, proxy = %2$s, " +"ip = %3$s" #: lib/applicationeditform.php:136 msgid "Edit application" @@ -4853,7 +4855,7 @@ msgstr "Décrivez votre application en %d caractères" #: lib/applicationeditform.php:207 msgid "Describe your application" -msgstr "Décrivez votre applications" +msgstr "Décrivez votre application" #: lib/applicationeditform.php:216 msgid "Source URL" @@ -4861,7 +4863,7 @@ msgstr "URL source" #: lib/applicationeditform.php:218 msgid "URL of the homepage of this application" -msgstr "URL de la page d'accueil de cette application" +msgstr "URL de la page d’accueil de cette application" #: lib/applicationeditform.php:224 msgid "Organization responsible for this application" @@ -4869,11 +4871,11 @@ msgstr "Organisation responsable de cette application" #: lib/applicationeditform.php:230 msgid "URL for the homepage of the organization" -msgstr "URL de la page d'accueil de l'organisation" +msgstr "URL de la page d’accueil de l’organisation" #: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" -msgstr "URL vers laquelle rediriger après l'authentification" +msgstr "URL vers laquelle rediriger après l’authentification" #: lib/applicationeditform.php:258 msgid "Browser" @@ -4885,7 +4887,7 @@ msgstr "Bureau" #: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" -msgstr "Type d'application, navigateur ou bureau" +msgstr "Type d’application, navigateur ou bureau" #: lib/applicationeditform.php:297 msgid "Read-only" @@ -4961,7 +4963,7 @@ msgstr "Ça n’a pas de sens de se faire un clin d’œil à soi-même !" #: lib/command.php:99 #, php-format msgid "Nudge sent to %s" -msgstr "Coup de code envoyé à %s" +msgstr "Clin d’œil envoyé à %s" #: lib/command.php:126 #, php-format @@ -4999,7 +5001,7 @@ msgstr "Impossible d’inscrire l’utilisateur %s au groupe %s" #: lib/command.php:236 #, php-format msgid "%s joined group %s" -msgstr "%1$s a rejoint le groupe %2$s" +msgstr "%s a rejoint le groupe %s" #: lib/command.php:275 #, php-format @@ -5009,7 +5011,7 @@ msgstr "Impossible de retirer l’utilisateur %s du groupe %s" #: lib/command.php:280 #, php-format msgid "%s left group %s" -msgstr "%1$s a quitté le groupe %2$s" +msgstr "%s a quitté le groupe %s" #: lib/command.php:309 #, php-format @@ -5120,7 +5122,7 @@ msgstr "Impossible d’activer les avertissements." #: lib/command.php:641 msgid "Login command is disabled" -msgstr "La commande d'ouverture de session est désactivée" +msgstr "La commande d’ouverture de session est désactivée" #: lib/command.php:652 #, php-format @@ -5131,7 +5133,7 @@ msgstr "" #: lib/command.php:668 msgid "You are not subscribed to anyone." -msgstr "Vous n'êtes pas abonné(e) à personne." +msgstr "Vous n’êtes abonné(e) à personne." #: lib/command.php:670 msgid "You are subscribed to this person:" @@ -5415,7 +5417,7 @@ msgstr "Groupes avec le plus de membres" #: lib/groupsbypostssection.php:71 msgid "Groups with most posts" -msgstr "Groupes avec le plus d'éléments publiés" +msgstr "Groupes avec le plus d’éléments publiés" #: lib/grouptagcloudsection.php:56 #, php-format @@ -5803,7 +5805,7 @@ msgstr "Un dossier temporaire est manquant." #: lib/mediafile.php:162 msgid "Failed to write file to disk." -msgstr "Impossible d'écrire sur le disque." +msgstr "Impossible d’écrire sur le disque." #: lib/mediafile.php:165 msgid "File upload stopped by extension." @@ -5873,7 +5875,7 @@ msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" msgstr "" -"Désolé, l'obtention de votre localisation prend plus de temps que prévu. " +"Désolé, l’obtention de votre localisation prend plus de temps que prévu. " "Veuillez réessayer plus tard." #: lib/noticelist.php:428 @@ -6060,7 +6062,7 @@ msgstr "Reprendre cet avis" #: lib/router.php:665 msgid "No single user defined for single-user mode." -msgstr "" +msgstr "Aucun utilisateur unique défini pour le mode mono-utilisateur." #: lib/sandboxform.php:67 msgid "Sandbox" diff --git a/locale/ga/LC_MESSAGES/statusnet.po b/locale/ga/LC_MESSAGES/statusnet.po index 1a129f69a..5be4d756e 100644 --- a/locale/ga/LC_MESSAGES/statusnet.po +++ b/locale/ga/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:20:42+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:32:41+0000\n" "Language-Team: Irish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ga\n" "X-Message-Group: out-statusnet\n" @@ -770,7 +770,7 @@ msgstr "" msgid "Preview" msgstr "" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 #, fuzzy msgid "Delete" @@ -3430,80 +3430,85 @@ msgstr "Configuracións de Twitter" msgid "You must be logged in to view an application." msgstr "Debes estar logueado para invitar a outros usuarios a empregar %s" -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 #, fuzzy msgid "Application profile" msgstr "O chío non ten perfil" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "Alcume" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Invitación(s) enviada(s)." -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 #, fuzzy msgid "Description" msgstr "Subscricións" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Estatísticas" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "Estas seguro que queres eliminar este chío?" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4899,11 +4904,11 @@ msgstr "Confirmación de SMS" msgid "Sessions configuration" msgstr "Confirmación de SMS" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/he/LC_MESSAGES/statusnet.po b/locale/he/LC_MESSAGES/statusnet.po index 0b46e0588..cbf4a8f0c 100644 --- a/locale/he/LC_MESSAGES/statusnet.po +++ b/locale/he/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:20:45+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:32:45+0000\n" "Language-Team: Hebrew\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: he\n" "X-Message-Group: out-statusnet\n" @@ -762,7 +762,7 @@ msgstr "" msgid "Preview" msgstr "" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 #, fuzzy msgid "Delete" @@ -3315,80 +3315,84 @@ msgstr "הגדרות" msgid "You must be logged in to view an application." msgstr "" -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 #, fuzzy msgid "Application profile" msgstr "להודעה ×ין פרופיל" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "כינוי" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "מיקו×" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 #, fuzzy msgid "Description" msgstr "הרשמות" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "סטטיסטיקה" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4735,11 +4739,11 @@ msgstr "הרשמות" msgid "Sessions configuration" msgstr "הרשמות" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index dfc9bcb24..7fead90d8 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:20:49+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:32:48+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: out-statusnet\n" @@ -739,7 +739,7 @@ msgstr "Original" msgid "Preview" msgstr "PÅ™ehlad" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "ZniÄić" @@ -3163,76 +3163,81 @@ msgstr "SydÅ‚owe nastajenja skÅ‚adować" msgid "You must be logged in to view an application." msgstr "DyrbiÅ¡ pÅ™izjewjeny być, zo by sej aplikaciju wobhladaÅ‚." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 msgid "Application profile" msgstr "Aplikaciski profil" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 msgid "Name" msgstr "Mjeno" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 msgid "Organization" msgstr "Organizacija" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Wopisanje" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statistika" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "URL awtorizować" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "ChceÅ¡ woprawdźe tutu zdźělenku wuÅ¡mórnyć?" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4510,11 +4515,11 @@ msgstr "" msgid "Sessions configuration" msgstr "SMS-wobkrućenje" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index 5bc157060..e1227bbba 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:21:00+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:32:51+0000\n" "Language-Team: Interlingua\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: out-statusnet\n" @@ -757,7 +757,7 @@ msgstr "Original" msgid "Preview" msgstr "Previsualisation" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Deler" @@ -3367,78 +3367,83 @@ msgstr "Salveguardar configurationes del sito" msgid "You must be logged in to view an application." msgstr "Tu debe aperir un session pro quitar un gruppo." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 #, fuzzy msgid "Application profile" msgstr "Le nota ha nulle profilo" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "Pseudonymo" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 msgid "Organization" msgstr "" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statisticas" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "Es tu secur de voler deler iste nota?" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4764,11 +4769,11 @@ msgstr "" msgid "Sessions configuration" msgstr "Nulle codice de confirmation." -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/is/LC_MESSAGES/statusnet.po b/locale/is/LC_MESSAGES/statusnet.po index 32ce7ee57..3b4d89fc0 100644 --- a/locale/is/LC_MESSAGES/statusnet.po +++ b/locale/is/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:21:15+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:32:54+0000\n" "Language-Team: Icelandic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: is\n" "X-Message-Group: out-statusnet\n" @@ -760,7 +760,7 @@ msgstr "Upphafleg mynd" msgid "Preview" msgstr "Forsýn" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Eyða" @@ -3360,79 +3360,84 @@ msgstr "Stillingar fyrir mynd" msgid "You must be logged in to view an application." msgstr "Þú verður aða hafa skráð þig inn til að ganga úr hóp." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 #, fuzzy msgid "Application profile" msgstr "Babl hefur enga persónulega síðu" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "Stuttnefni" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Uppröðun" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Lýsing" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Tölfræði" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "Ertu viss um að þú viljir eyða þessu babli?" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4778,11 +4783,11 @@ msgstr "SMS staðfesting" msgid "Sessions configuration" msgstr "SMS staðfesting" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index 43b1756ae..c9cf7347c 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:21:24+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:32:58+0000\n" "Language-Team: Italian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: out-statusnet\n" @@ -756,7 +756,7 @@ msgstr "Originale" msgid "Preview" msgstr "Anteprima" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Elimina" @@ -3362,79 +3362,84 @@ msgstr "Salva impostazioni" msgid "You must be logged in to view an application." msgstr "Devi eseguire l'accesso per lasciare un gruppo." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 #, fuzzy msgid "Application profile" msgstr "Il messaggio non ha un profilo" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 msgid "Name" msgstr "Nome" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Paginazione" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Descrizione" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statistiche" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 #, fuzzy msgid "Authorize URL" msgstr "Autore" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "Vuoi eliminare questo messaggio?" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4806,11 +4811,11 @@ msgstr "Configurazione percorsi" msgid "Sessions configuration" msgstr "Configurazione aspetto" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index 9102808d8..e64d47a6f 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:21:28+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:33:01+0000\n" "Language-Team: Japanese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: out-statusnet\n" @@ -103,7 +103,7 @@ msgstr "ãã®ã‚ˆã†ãªãƒšãƒ¼ã‚¸ã¯ã‚ã‚Šã¾ã›ã‚“。" #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 #: lib/subs.php:34 lib/subs.php:125 msgid "No such user." -msgstr "ãã®ã‚ˆã†ãªåˆ©ç”¨è€…ã¯ã„ã¾ã›ã‚“。" +msgstr "ãã®ã‚ˆã†ãªãƒ¦ãƒ¼ã‚¶ã¯ã„ã¾ã›ã‚“。" #: actions/all.php:84 #, php-format @@ -223,7 +223,7 @@ msgstr "" #: actions/apiaccountupdatedeliverydevice.php:132 msgid "Could not update user." -msgstr "利用者を更新ã§ãã¾ã›ã‚“ã§ã—ãŸã€‚" +msgstr "ユーザを更新ã§ãã¾ã›ã‚“ã§ã—ãŸã€‚" #: actions/apiaccountupdateprofile.php:112 #: actions/apiaccountupdateprofilebackgroundimage.php:194 @@ -232,7 +232,7 @@ msgstr "利用者を更新ã§ãã¾ã›ã‚“ã§ã—ãŸã€‚" #: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 #: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 msgid "User has no profile." -msgstr "利用者ã¯ãƒ—ロフィールをもã£ã¦ã„ã¾ã›ã‚“。" +msgstr "ユーザã¯ãƒ—ロフィールをもã£ã¦ã„ã¾ã›ã‚“。" #: actions/apiaccountupdateprofile.php:147 msgid "Could not save profile." @@ -273,11 +273,11 @@ msgstr "自分自身をブロックã™ã‚‹ã“ã¨ã¯ã§ãã¾ã›ã‚“ï¼" #: actions/apiblockcreate.php:126 msgid "Block user failed." -msgstr "利用者ã®ãƒ–ロックã«å¤±æ•—ã—ã¾ã—ãŸã€‚" +msgstr "ユーザã®ãƒ–ロックã«å¤±æ•—ã—ã¾ã—ãŸã€‚" #: actions/apiblockdestroy.php:114 msgid "Unblock user failed." -msgstr "利用者ã®ãƒ–ロック解除ã«å¤±æ•—ã—ã¾ã—ãŸã€‚" +msgstr "ユーザã®ãƒ–ロック解除ã«å¤±æ•—ã—ã¾ã—ãŸã€‚" #: actions/apidirectmessage.php:89 #, php-format @@ -310,11 +310,11 @@ msgstr "é•·ã™ãŽã¾ã™ã€‚メッセージã¯æœ€å¤§ %d å­—ã¾ã§ã§ã™ã€‚" #: actions/apidirectmessagenew.php:146 msgid "Recipient user not found." -msgstr "å—ã‘å–り手ã®åˆ©ç”¨è€…ãŒè¦‹ã¤ã‹ã‚Šã¾ã›ã‚“。" +msgstr "å—ã‘å–り手ã®ãƒ¦ãƒ¼ã‚¶ãŒè¦‹ã¤ã‹ã‚Šã¾ã›ã‚“。" #: actions/apidirectmessagenew.php:150 msgid "Can't send direct messages to users who aren't your friend." -msgstr "å‹äººã§ãªã„利用者ã«ãƒ€ã‚¤ãƒ¬ã‚¯ãƒˆãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ã‚’é€ã‚‹ã“ã¨ã¯ã§ãã¾ã›ã‚“。" +msgstr "å‹äººã§ãªã„ユーザã«ãƒ€ã‚¤ãƒ¬ã‚¯ãƒˆãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ã‚’é€ã‚‹ã“ã¨ã¯ã§ãã¾ã›ã‚“。" #: actions/apifavoritecreate.php:108 actions/apifavoritedestroy.php:109 #: actions/apistatusesdestroy.php:113 @@ -339,17 +339,17 @@ msgstr "ãŠæ°—ã«å…¥ã‚Šã‚’å–り消ã™ã“ã¨ãŒã§ãã¾ã›ã‚“。" #: actions/apifriendshipscreate.php:109 msgid "Could not follow user: User not found." -msgstr "利用者をフォローã§ãã¾ã›ã‚“ã§ã—ãŸ: 利用者ãŒè¦‹ã¤ã‹ã‚Šã¾ã›ã‚“。" +msgstr "ユーザをフォローã§ãã¾ã›ã‚“ã§ã—ãŸ: ユーザãŒè¦‹ã¤ã‹ã‚Šã¾ã›ã‚“。" #: actions/apifriendshipscreate.php:118 #, php-format msgid "Could not follow user: %s is already on your list." msgstr "" -"利用者をフォローã§ãã¾ã›ã‚“ã§ã—ãŸ: %s ã¯æ—¢ã«ã‚ãªãŸã®ãƒªã‚¹ãƒˆã«å…¥ã£ã¦ã„ã¾ã™ã€‚" +"ユーザをフォローã§ãã¾ã›ã‚“ã§ã—ãŸ: %s ã¯æ—¢ã«ã‚ãªãŸã®ãƒªã‚¹ãƒˆã«å…¥ã£ã¦ã„ã¾ã™ã€‚" #: actions/apifriendshipsdestroy.php:109 msgid "Could not unfollow user: User not found." -msgstr "利用者ã®ãƒ•ã‚©ãƒ­ãƒ¼ã‚’åœæ­¢ã§ãã¾ã›ã‚“ã§ã—ãŸ: 利用者ãŒè¦‹ã¤ã‹ã‚Šã¾ã›ã‚“。" +msgstr "ユーザã®ãƒ•ã‚©ãƒ­ãƒ¼ã‚’åœæ­¢ã§ãã¾ã›ã‚“ã§ã—ãŸ: ユーザãŒè¦‹ã¤ã‹ã‚Šã¾ã›ã‚“。" #: actions/apifriendshipsdestroy.php:120 msgid "You cannot unfollow yourself." @@ -452,7 +452,7 @@ msgstr "管ç†è€…ã«ã‚ˆã£ã¦ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã‹ã‚‰ãƒ–ロックã•ã‚Œã¦ã„ã¾ #: actions/apigroupjoin.php:138 actions/joingroup.php:124 #, php-format msgid "Could not join user %1$s to group %2$s." -msgstr "利用者 %1$s ã¯ã‚°ãƒ«ãƒ¼ãƒ— %2$s ã«å‚加ã§ãã¾ã›ã‚“。" +msgstr "ユーザ %1$s ã¯ã‚°ãƒ«ãƒ¼ãƒ— %2$s ã«å‚加ã§ãã¾ã›ã‚“。" #: actions/apigroupleave.php:114 msgid "You are not a member of this group." @@ -461,7 +461,7 @@ msgstr "ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¡ãƒ³ãƒãƒ¼ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/apigroupleave.php:124 actions/leavegroup.php:119 #, php-format msgid "Could not remove user %1$s from group %2$s." -msgstr "利用者 %1$s をグループ %2$s ã‹ã‚‰å‰Šé™¤ã§ãã¾ã›ã‚“。" +msgstr "ユーザ %1$s をグループ %2$s ã‹ã‚‰å‰Šé™¤ã§ãã¾ã›ã‚“。" #: actions/apigrouplist.php:95 #, php-format @@ -480,12 +480,11 @@ msgstr "%s 上ã®ã‚°ãƒ«ãƒ¼ãƒ—" #: actions/apioauthauthorize.php:101 msgid "No oauth_token parameter provided." -msgstr "" +msgstr "oauth_token パラメータã¯æä¾›ã•ã‚Œã¾ã›ã‚“ã§ã—ãŸã€‚" #: actions/apioauthauthorize.php:106 -#, fuzzy msgid "Invalid token." -msgstr "ä¸æ­£ãªã‚µã‚¤ã‚ºã€‚" +msgstr "ä¸æ­£ãªãƒˆãƒ¼ã‚¯ãƒ³ã€‚" #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -510,14 +509,12 @@ msgid "Invalid nickname / password!" msgstr "ä¸æ­£ãªãƒ¦ãƒ¼ã‚¶åã¾ãŸã¯ãƒ‘スワード。" #: actions/apioauthauthorize.php:159 -#, fuzzy msgid "Database error deleting OAuth application user." -msgstr "OAuth アプリユーザã®å‰Šé™¤æ™‚DBエラー。" +msgstr "OAuth アプリケーションユーザã®å‰Šé™¤æ™‚DBエラー。" #: actions/apioauthauthorize.php:185 -#, fuzzy msgid "Database error inserting OAuth application user." -msgstr "OAuth アプリユーザã®è¿½åŠ æ™‚DBエラー。" +msgstr "OAuth アプリケーションユーザã®è¿½åŠ æ™‚DBエラー。" #: actions/apioauthauthorize.php:214 #, php-format @@ -529,9 +526,9 @@ msgstr "" "ã•ã„。" #: actions/apioauthauthorize.php:227 -#, fuzzy, php-format +#, php-format msgid "The request token %s has been denied and revoked." -msgstr "リクエストトークン%sã¯å¦å®šã•ã‚Œã¾ã—ãŸã€‚" +msgstr "リクエストトークン%sã¯ã€æ‹’å¦ã•ã‚Œã¦ã€å–り消ã•ã‚Œã¾ã—ãŸã€‚" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -592,7 +589,7 @@ msgstr "ã“ã®ãƒ¡ã‚½ãƒƒãƒ‰ã«ã¯ POST ã‹ DELETE ãŒå¿…è¦ã§ã™ã€‚" #: actions/apistatusesdestroy.php:130 msgid "You may not delete another user's status." -msgstr "ä»–ã®åˆ©ç”¨è€…ã®ã‚¹ãƒ†ãƒ¼ã‚¿ã‚¹ã‚’消ã™ã“ã¨ã¯ã§ãã¾ã›ã‚“。" +msgstr "ä»–ã®ãƒ¦ãƒ¼ã‚¶ã®ã‚¹ãƒ†ãƒ¼ã‚¿ã‚¹ã‚’消ã™ã“ã¨ã¯ã§ãã¾ã›ã‚“。" #: actions/apistatusesretweet.php:75 actions/apistatusesretweets.php:72 #: actions/deletenotice.php:52 actions/shownotice.php:92 @@ -734,7 +731,7 @@ msgstr "自分ã®ã‚¢ãƒã‚¿ãƒ¼ã‚’アップロードã§ãã¾ã™ã€‚最大サイズ #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 #: actions/userrss.php:103 msgid "User without matching profile" -msgstr "åˆã£ã¦ã„るプロフィールã®ãªã„利用者" +msgstr "åˆã£ã¦ã„るプロフィールã®ãªã„ユーザ" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 #: actions/grouplogo.php:251 @@ -751,7 +748,7 @@ msgstr "オリジナル" msgid "Preview" msgstr "プレビュー" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "削除" @@ -786,11 +783,11 @@ msgstr "ã‚¢ãƒã‚¿ãƒ¼ãŒå‰Šé™¤ã•ã‚Œã¾ã—ãŸã€‚" #: actions/block.php:69 msgid "You already blocked that user." -msgstr "ãã®åˆ©ç”¨è€…ã¯ã™ã§ã«ãƒ–ロック済ã¿ã§ã™ã€‚" +msgstr "ãã®ãƒ¦ãƒ¼ã‚¶ã¯ã™ã§ã«ãƒ–ロック済ã¿ã§ã™ã€‚" #: actions/block.php:105 actions/block.php:128 actions/groupblock.php:160 msgid "Block user" -msgstr "ブロック利用者" +msgstr "ユーザをブロック" #: actions/block.php:130 #, fuzzy @@ -849,11 +846,11 @@ msgstr "%1$s ブロックã•ã‚ŒãŸãƒ—ロファイルã€ãƒšãƒ¼ã‚¸ %2$d" #: actions/blockedfromgroup.php:108 msgid "A list of the users blocked from joining this group." -msgstr "ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã¸ã®å‚加をブロックã•ã‚ŒãŸåˆ©ç”¨è€…ã®ãƒªã‚¹ãƒˆã€‚" +msgstr "ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã¸ã®å‚加をブロックã•ã‚ŒãŸãƒ¦ãƒ¼ã‚¶ã®ãƒªã‚¹ãƒˆã€‚" #: actions/blockedfromgroup.php:281 msgid "Unblock user from group" -msgstr "グループã‹ã‚‰ã®ã‚¢ãƒ³ãƒ–ロック利用者" +msgstr "グループã‹ã‚‰ã®ã‚¢ãƒ³ãƒ–ロックユーザ" #: actions/blockedfromgroup.php:313 lib/unblockform.php:69 msgid "Unblock" @@ -920,14 +917,12 @@ msgid "Notices" msgstr "ã¤ã¶ã‚„ã" #: actions/deleteapplication.php:63 -#, fuzzy msgid "You must be logged in to delete an application." -msgstr "アプリケーションを編集ã™ã‚‹ã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ã„ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" +msgstr "アプリケーションを削除ã™ã‚‹ã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ã„ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" #: actions/deleteapplication.php:71 -#, fuzzy msgid "Application not found." -msgstr "アプリケーション情報" +msgstr "アプリケーションãŒè¦‹ã¤ã‹ã‚Šã¾ã›ã‚“。" #: actions/deleteapplication.php:78 actions/editapplication.php:77 #: actions/showapplication.php:94 @@ -941,9 +936,8 @@ msgid "There was a problem with your session token." msgstr "ã‚ãªãŸã®ã‚»ãƒƒã‚·ãƒ§ãƒ³ãƒˆãƒ¼ã‚¯ãƒ³ã«é–¢ã™ã‚‹å•é¡ŒãŒã‚ã‚Šã¾ã—ãŸã€‚" #: actions/deleteapplication.php:123 actions/deleteapplication.php:147 -#, fuzzy msgid "Delete application" -msgstr "アプリケーション編集" +msgstr "アプリケーション削除" #: actions/deleteapplication.php:149 #, fuzzy @@ -952,18 +946,16 @@ msgid "" "about the application from the database, including all existing user " "connections." msgstr "" -"ã‚ãªãŸã¯æœ¬å½“ã«ã“ã®åˆ©ç”¨è€…を削除ã—ãŸã„ã§ã™ã‹? ã“ã‚Œã¯ãƒãƒƒã‚¯ã‚¢ãƒƒãƒ—ãªã—ã§ãƒ‡ãƒ¼ã‚¿" -"ベースã‹ã‚‰åˆ©ç”¨è€…ã«é–¢ã™ã‚‹ã™ã¹ã¦ã®ãƒ‡ãƒ¼ã‚¿ã‚’クリアã—ã¾ã™ã€‚" +"ã‚ãªãŸã¯æœ¬å½“ã«ã“ã®ãƒ¦ãƒ¼ã‚¶ã‚’削除ã—ãŸã„ã§ã™ã‹? ã“ã‚Œã¯ãƒãƒƒã‚¯ã‚¢ãƒƒãƒ—ãªã—ã§ãƒ‡ãƒ¼ã‚¿" +"ベースã‹ã‚‰ãƒ¦ãƒ¼ã‚¶ã«é–¢ã™ã‚‹ã™ã¹ã¦ã®ãƒ‡ãƒ¼ã‚¿ã‚’クリアã—ã¾ã™ã€‚" #: actions/deleteapplication.php:156 -#, fuzzy msgid "Do not delete this application" -msgstr "ã“ã®ã¤ã¶ã‚„ãを削除ã§ãã¾ã›ã‚“。" +msgstr "ã“ã®ã‚¢ãƒ—リケーションを削除ã—ãªã„ã§ãã ã•ã„" #: actions/deleteapplication.php:160 -#, fuzzy msgid "Delete this application" -msgstr "ã“ã®ã‚¢ãƒ—リケーションã®ã‚¢ã‚¤ã‚³ãƒ³" +msgstr "ã“ã®ã‚¢ãƒ—リケーションを削除" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 @@ -1005,27 +997,27 @@ msgstr "ã“ã®ã¤ã¶ã‚„ãを削除" #: actions/deleteuser.php:67 msgid "You cannot delete users." -msgstr "利用者を削除ã§ãã¾ã›ã‚“" +msgstr "ユーザを削除ã§ãã¾ã›ã‚“" #: actions/deleteuser.php:74 msgid "You can only delete local users." -msgstr "ローカル利用者ã®ã¿å‰Šé™¤ã§ãã¾ã™ã€‚" +msgstr "ローカルユーザã®ã¿å‰Šé™¤ã§ãã¾ã™ã€‚" #: actions/deleteuser.php:110 actions/deleteuser.php:133 msgid "Delete user" -msgstr "利用者削除" +msgstr "ユーザ削除" #: actions/deleteuser.php:135 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" -"ã‚ãªãŸã¯æœ¬å½“ã«ã“ã®åˆ©ç”¨è€…を削除ã—ãŸã„ã§ã™ã‹? ã“ã‚Œã¯ãƒãƒƒã‚¯ã‚¢ãƒƒãƒ—ãªã—ã§ãƒ‡ãƒ¼ã‚¿" -"ベースã‹ã‚‰åˆ©ç”¨è€…ã«é–¢ã™ã‚‹ã™ã¹ã¦ã®ãƒ‡ãƒ¼ã‚¿ã‚’クリアã—ã¾ã™ã€‚" +"ã‚ãªãŸã¯æœ¬å½“ã«ã“ã®ãƒ¦ãƒ¼ã‚¶ã‚’削除ã—ãŸã„ã§ã™ã‹? ã“ã‚Œã¯ãƒãƒƒã‚¯ã‚¢ãƒƒãƒ—ãªã—ã§ãƒ‡ãƒ¼ã‚¿" +"ベースã‹ã‚‰ãƒ¦ãƒ¼ã‚¶ã«é–¢ã™ã‚‹ã™ã¹ã¦ã®ãƒ‡ãƒ¼ã‚¿ã‚’クリアã—ã¾ã™ã€‚" #: actions/deleteuser.php:148 lib/deleteuserform.php:77 msgid "Delete this user" -msgstr "ã“ã®ãƒ¦ãƒ¼ã‚¶ãƒ¼ã‚’削除" +msgstr "ã“ã®ãƒ¦ãƒ¼ã‚¶ã‚’削除" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 #: lib/adminpanelaction.php:316 lib/groupnav.php:119 @@ -1174,7 +1166,6 @@ msgid "Name is too long (max 255 chars)." msgstr "åå‰ãŒé•·ã™ãŽã¾ã™ã€‚(最大255å­—ã¾ã§ï¼‰" #: actions/editapplication.php:183 actions/newapplication.php:162 -#, fuzzy msgid "Name already in use. Try another one." msgstr "ãã®ãƒ‹ãƒƒã‚¯ãƒãƒ¼ãƒ ã¯æ—¢ã«ä½¿ç”¨ã•ã‚Œã¦ã„ã¾ã™ã€‚ä»–ã®ã‚‚ã®ã‚’試ã—ã¦ã¿ã¦ä¸‹ã•ã„。" @@ -1422,7 +1413,7 @@ msgstr "å…¥ã£ã¦ãるメールアドレスã§ã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/emailsettings.php:456 actions/emailsettings.php:478 #: actions/smssettings.php:528 actions/smssettings.php:552 msgid "Couldn't update user record." -msgstr "利用者レコードを更新ã§ãã¾ã›ã‚“。" +msgstr "ユーザレコードを更新ã§ãã¾ã›ã‚“。" #: actions/emailsettings.php:459 actions/smssettings.php:531 msgid "Incoming email address removed." @@ -1491,17 +1482,17 @@ msgstr "%1$s ã«ã‚ˆã‚‹ %2$s 上ã®ãŠæ°—ã«å…¥ã‚Šã‚’æ›´æ–°!" #: actions/featured.php:69 lib/featureduserssection.php:87 #: lib/publicgroupnav.php:89 msgid "Featured users" -msgstr "フィーãƒãƒ£ãƒ¼ã•ã‚ŒãŸåˆ©ç”¨è€…" +msgstr "フィーãƒãƒ£ãƒ¼ã•ã‚ŒãŸãƒ¦ãƒ¼ã‚¶" #: actions/featured.php:71 #, php-format msgid "Featured users, page %d" -msgstr "フィーãƒãƒ£ãƒ¼ã•ã‚ŒãŸåˆ©ç”¨è€…ã€ãƒšãƒ¼ã‚¸ %d" +msgstr "フィーãƒãƒ£ãƒ¼ã•ã‚ŒãŸãƒ¦ãƒ¼ã‚¶ã€ãƒšãƒ¼ã‚¸ %d" #: actions/featured.php:99 #, php-format msgid "A selection of some great users on %s" -msgstr "%s 上ã®å„ªã‚ŒãŸåˆ©ç”¨è€…ã®é›†ã¾ã‚Š" +msgstr "%s 上ã®å„ªã‚ŒãŸãƒ¦ãƒ¼ã‚¶ã®é›†ã¾ã‚Š" #: actions/file.php:34 msgid "No notice ID." @@ -1533,7 +1524,7 @@ msgstr "ローカルサブスクリプションを使用å¯èƒ½ã§ã™ï¼" #: actions/finishremotesubscribe.php:99 msgid "That user has blocked you from subscribing." -msgstr "ã“ã®åˆ©ç”¨è€…ã¯ãƒ•ã‚©ãƒ­ãƒ¼ã‚’ブロックã•ã‚Œã¦ã„ã¾ã™ã€‚" +msgstr "ã“ã®ãƒ¦ãƒ¼ã‚¶ã¯ãƒ•ã‚©ãƒ­ãƒ¼ã‚’ブロックã•ã‚Œã¦ã„ã¾ã™ã€‚" #: actions/finishremotesubscribe.php:110 msgid "You are not authorized." @@ -1583,15 +1574,15 @@ msgstr "管ç†è€…ã ã‘ãŒã‚°ãƒ«ãƒ¼ãƒ—メンãƒãƒ¼ã‚’ブロックã§ãã¾ã™ã€‚ #: actions/groupblock.php:95 msgid "User is already blocked from group." -msgstr "利用者ã¯ã™ã§ã«ã‚°ãƒ«ãƒ¼ãƒ—ã‹ã‚‰ãƒ–ロックã•ã‚Œã¦ã„ã¾ã™ã€‚" +msgstr "ユーザã¯ã™ã§ã«ã‚°ãƒ«ãƒ¼ãƒ—ã‹ã‚‰ãƒ–ロックã•ã‚Œã¦ã„ã¾ã™ã€‚" #: actions/groupblock.php:100 msgid "User is not a member of group." -msgstr "利用者ã¯ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¡ãƒ³ãƒãƒ¼ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" +msgstr "ユーザã¯ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¡ãƒ³ãƒãƒ¼ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/groupblock.php:136 actions/groupmembers.php:314 msgid "Block user from group" -msgstr "グループã‹ã‚‰ãƒ–ロックã•ã‚ŒãŸåˆ©ç”¨è€…" +msgstr "グループã‹ã‚‰ãƒ¦ãƒ¼ã‚¶ã‚’ブロック" #: actions/groupblock.php:162 #, php-format @@ -1600,12 +1591,12 @@ msgid "" "will be removed from the group, unable to post, and unable to subscribe to " "the group in the future." msgstr "" -"本当ã«åˆ©ç”¨è€… %1$s をグループ %2$s ã‹ã‚‰ãƒ–ロックã—ã¾ã™ã‹? 彼らã¯ã‚°ãƒ«ãƒ¼ãƒ—ã‹ã‚‰å‰Š" +"本当ã«ãƒ¦ãƒ¼ã‚¶ %1$s をグループ %2$s ã‹ã‚‰ãƒ–ロックã—ã¾ã™ã‹? 彼らã¯ã‚°ãƒ«ãƒ¼ãƒ—ã‹ã‚‰å‰Š" "除ã•ã‚Œã‚‹ã€æŠ•ç¨¿ã§ããªã„ã€ã‚°ãƒ«ãƒ¼ãƒ—をフォローã§ããªããªã‚Šã¾ã™ã€‚" #: actions/groupblock.php:178 msgid "Do not block this user from this group" -msgstr "ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã‹ã‚‰ã“ã®åˆ©ç”¨è€…をブロックã—ãªã„" +msgstr "ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã‹ã‚‰ã“ã®ãƒ¦ãƒ¼ã‚¶ã‚’ブロックã—ãªã„" #: actions/groupblock.php:179 msgid "Block this user from this group" @@ -1613,7 +1604,7 @@ msgstr "ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã‹ã‚‰ã“ã®ãƒ¦ãƒ¼ã‚¶ã‚’ブロック" #: actions/groupblock.php:196 msgid "Database error blocking user from group." -msgstr "グループã‹ã‚‰åˆ©ç”¨è€…ブロックã®ãƒ‡ãƒ¼ã‚¿ãƒ™ãƒ¼ã‚¹ã‚¨ãƒ©ãƒ¼" +msgstr "グループã‹ã‚‰ã®ãƒ–ロックユーザã®ãƒ‡ãƒ¼ã‚¿ãƒ™ãƒ¼ã‚¹ã‚¨ãƒ©ãƒ¼" #: actions/groupbyid.php:74 actions/userbyid.php:70 msgid "No ID." @@ -1658,7 +1649,7 @@ msgstr "" #: actions/grouplogo.php:178 msgid "User without matching profile." -msgstr "åˆã£ã¦ã„るプロフィールã®ãªã„利用者" +msgstr "åˆã£ã¦ã„るプロフィールã®ãªã„ユーザ" #: actions/grouplogo.php:362 msgid "Pick a square area of the image to be the logo." @@ -1684,7 +1675,7 @@ msgstr "%1$s グループメンãƒãƒ¼ã€ãƒšãƒ¼ã‚¸ %2$d" #: actions/groupmembers.php:111 msgid "A list of the users in this group." -msgstr "ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã®åˆ©ç”¨è€…ã®ãƒªã‚¹ãƒˆã€‚" +msgstr "ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¦ãƒ¼ã‚¶ã®ãƒªã‚¹ãƒˆã€‚" #: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" @@ -1696,7 +1687,7 @@ msgstr "ブロック" #: actions/groupmembers.php:441 msgid "Make user an admin of the group" -msgstr "利用者をグループã®ç®¡ç†è€…ã«ã™ã‚‹" +msgstr "ユーザをグループã®ç®¡ç†è€…ã«ã™ã‚‹" #: actions/groupmembers.php:473 msgid "Make Admin" @@ -1704,7 +1695,7 @@ msgstr "管ç†è€…ã«ã™ã‚‹" #: actions/groupmembers.php:473 msgid "Make this user an admin" -msgstr "ã“ã®åˆ©ç”¨è€…を管ç†è€…ã«ã™ã‚‹" +msgstr "ã“ã®ãƒ¦ãƒ¼ã‚¶ã‚’管ç†è€…ã«ã™ã‚‹" #: actions/grouprss.php:133 #, php-format @@ -1782,7 +1773,7 @@ msgstr "管ç†è€…ã ã‘ãŒã‚°ãƒ«ãƒ¼ãƒ—メンãƒãƒ¼ã‚’アンブロックã§ãã¾ #: actions/groupunblock.php:95 msgid "User is not blocked from group." -msgstr "利用者ã¯ã‚°ãƒ«ãƒ¼ãƒ—ã‹ã‚‰ãƒ–ロックã•ã‚Œã¦ã„ã¾ã›ã‚“。" +msgstr "ユーザã¯ã‚°ãƒ«ãƒ¼ãƒ—ã‹ã‚‰ãƒ–ロックã•ã‚Œã¦ã„ã¾ã›ã‚“。" #: actions/groupunblock.php:128 actions/unblock.php:86 msgid "Error removing the block." @@ -1917,11 +1908,11 @@ msgstr "招待をé€ã‚Šã¾ã—ãŸã€‚" #: actions/invite.php:112 msgid "Invite new users" -msgstr "æ–°ã—ã„利用者を招待" +msgstr "æ–°ã—ã„ユーザを招待" #: actions/invite.php:128 msgid "You are already subscribed to these users:" -msgstr "ã™ã§ã«ã“れらã®åˆ©ç”¨è€…をフォローã—ã¦ã„ã¾ã™:" +msgstr "ã™ã§ã«ã“れらã®ãƒ¦ãƒ¼ã‚¶ã‚’フォローã—ã¦ã„ã¾ã™:" #: actions/invite.php:131 actions/invite.php:139 lib/command.php:306 #, php-format @@ -2164,7 +2155,7 @@ msgstr "æ–°ã—ã„メッセージ" #: actions/newmessage.php:121 actions/newmessage.php:161 lib/command.php:358 msgid "You can't send a message to this user." -msgstr "ã“ã®åˆ©ç”¨è€…ã«ãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ã‚’é€ã‚‹ã“ã¨ã¯ã§ãã¾ã›ã‚“。" +msgstr "ã“ã®ãƒ¦ãƒ¼ã‚¶ã«ãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ã‚’é€ã‚‹ã“ã¨ã¯ã§ãã¾ã›ã‚“。" #: actions/newmessage.php:144 actions/newnotice.php:136 lib/command.php:342 #: lib/command.php:475 @@ -2251,7 +2242,7 @@ msgstr "\"%2$s\" 上ã®æ¤œç´¢èªž \"$1$s\" ã«ä¸€è‡´ã™ã‚‹ã™ã¹ã¦ã®æ›´æ–°" msgid "" "This user doesn't allow nudges or hasn't confirmed or set his email yet." msgstr "" -"ã“ã®åˆ©ç”¨è€…ã¯ã€åˆå›³ã‚’許å¯ã—ã¦ã„ãªã„ã‹ã€ç¢ºèªã•ã‚Œã¦ã„ãŸçŠ¶æ…‹ã§ãªã„ã‹ã€ãƒ¡ãƒ¼ãƒ«è¨­å®š" +"ã“ã®ãƒ¦ãƒ¼ã‚¶ã¯ã€åˆå›³ã‚’許å¯ã—ã¦ã„ãªã„ã‹ã€ç¢ºèªã•ã‚Œã¦ã„ãŸçŠ¶æ…‹ã§ãªã„ã‹ã€ãƒ¡ãƒ¼ãƒ«è¨­å®š" "ã‚’ã—ã¦ã„ã¾ã›ã‚“。" #: actions/nudge.php:94 @@ -2289,7 +2280,7 @@ msgstr "ã‚ãªãŸã®ã‚¢ã‚«ã‚¦ãƒ³ãƒˆã«ã‚¢ã‚¯ã‚»ã‚¹ã™ã‚‹ä»¥ä¸‹ã®ã‚¢ãƒ—リケー #: actions/oauthconnectionssettings.php:175 msgid "You are not a user of that application." -msgstr "ã‚ãªãŸã¯ãã®ã‚¢ãƒ—リケーションã®åˆ©ç”¨è€…ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" +msgstr "ã‚ãªãŸã¯ãã®ã‚¢ãƒ—リケーションã®ãƒ¦ãƒ¼ã‚¶ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " @@ -2370,7 +2361,7 @@ msgstr "URL 短縮サービスãŒé•·ã™ãŽã¾ã™ã€‚(最大50字)" #: actions/otp.php:69 msgid "No user ID specified." -msgstr "利用者IDã®è¨˜è¿°ãŒã‚ã‚Šã¾ã›ã‚“。" +msgstr "ユーザIDã®è¨˜è¿°ãŒã‚ã‚Šã¾ã›ã‚“。" #: actions/otp.php:83 msgid "No login token specified." @@ -2767,7 +2758,7 @@ msgstr "ä¸æ­£ãªã‚¿ã‚°: \"%s\"" #: actions/profilesettings.php:302 msgid "Couldn't update user for autosubscribe." -msgstr "自動フォローã®ãŸã‚ã®åˆ©ç”¨è€…ã‚’æ›´æ–°ã§ãã¾ã›ã‚“ã§ã—ãŸã€‚" +msgstr "自動フォローã®ãŸã‚ã®ãƒ¦ãƒ¼ã‚¶ã‚’æ›´æ–°ã§ãã¾ã›ã‚“ã§ã—ãŸã€‚" #: actions/profilesettings.php:359 msgid "Couldn't save location prefs." @@ -2919,7 +2910,7 @@ msgstr "確èªã‚³ãƒ¼ãƒ‰ãŒå¤ã™ãŽã¾ã™ã€‚ã‚‚ã†ä¸€åº¦ã‚„ã‚Šç›´ã—ã¦ãã ã• #: actions/recoverpassword.php:111 msgid "Could not update user with confirmed email address." -msgstr "確èªã•ã‚ŒãŸãƒ¡ãƒ¼ãƒ«ã‚¢ãƒ‰ãƒ¬ã‚¹ã§åˆ©ç”¨è€…ã‚’æ›´æ–°ã§ãã¾ã›ã‚“。" +msgstr "確èªã•ã‚ŒãŸãƒ¡ãƒ¼ãƒ«ã‚¢ãƒ‰ãƒ¬ã‚¹ã§ãƒ¦ãƒ¼ã‚¶ã‚’æ›´æ–°ã§ãã¾ã›ã‚“。" #: actions/recoverpassword.php:152 msgid "" @@ -2979,11 +2970,11 @@ msgstr "ニックãƒãƒ¼ãƒ ã‹ãƒ¡ãƒ¼ãƒ«ã‚¢ãƒ‰ãƒ¬ã‚¹ã‚’入力ã—ã¦ãã ã•ã„。 #: actions/recoverpassword.php:272 msgid "No user with that email address or username." -msgstr "ãã®ãƒ¡ãƒ¼ãƒ«ã‚¢ãƒ‰ãƒ¬ã‚¹ã‹ãƒ¦ãƒ¼ã‚¶åã‚’ã‚‚ã£ã¦ã„る利用者ãŒã‚ã‚Šã¾ã›ã‚“。" +msgstr "ãã®ãƒ¡ãƒ¼ãƒ«ã‚¢ãƒ‰ãƒ¬ã‚¹ã‹ãƒ¦ãƒ¼ã‚¶åã‚’ã‚‚ã£ã¦ã„るユーザãŒã‚ã‚Šã¾ã›ã‚“。" #: actions/recoverpassword.php:287 msgid "No registered email address for that user." -msgstr "ãã®åˆ©ç”¨è€…ã«ã¯ãƒ¡ãƒ¼ãƒ«ã‚¢ãƒ‰ãƒ¬ã‚¹ã®ç™»éŒ²ãŒã‚ã‚Šã¾ã›ã‚“。" +msgstr "ãã®ãƒ¦ãƒ¼ã‚¶ã«ã¯ãƒ¡ãƒ¼ãƒ«ã‚¢ãƒ‰ãƒ¬ã‚¹ã®ç™»éŒ²ãŒã‚ã‚Šã¾ã›ã‚“。" #: actions/recoverpassword.php:301 msgid "Error saving address confirmation." @@ -3097,7 +3088,7 @@ msgid "" msgstr "個人情報を除ã: パスワードã€ãƒ¡ãƒ¼ãƒ«ã‚¢ãƒ‰ãƒ¬ã‚¹ã€IMアドレスã€é›»è©±ç•ªå·" #: actions/register.php:538 -#, fuzzy, php-format +#, php-format msgid "" "Congratulations, %1$s! And welcome to %%%%site.name%%%%. From here, you may " "want to...\n" @@ -3114,15 +3105,15 @@ msgid "" "\n" "Thanks for signing up and we hope you enjoy using this service." msgstr "" -"%1$s ã•ã‚“ã€ãŠã‚ã§ã¨ã†ã”ã–ã„ã¾ã™ï¼%%%%site.name%%%% ã¸ã‚ˆã†ã“ã。以下ã®ã‚ˆã†ã«ã—" -"ã¦å§‹ã‚ã‚‹ã“ã¨ãŒã§ãã¾ã™ã€‚\n" +"%1$s ã•ã‚“ã€ãŠã‚ã§ã¨ã†ã”ã–ã„ã¾ã™ï¼%%%%site.name%%%% ã¸ã‚ˆã†ã“ã。次ã®ã‚ˆã†ã«ã—ã¦" +"始ã‚ã‚‹ã“ã¨ãŒã§ãã¾ã™ã€‚\n" "\n" "* [ã‚ãªãŸã®ãƒ—ロファイル](%2$s) ã‚’å‚ç…§ã—ã¦æœ€åˆã®ãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ã‚’投稿ã™ã‚‹\n" "* [Jabber ã‚„ GTalk ã®ã‚¢ãƒ‰ãƒ¬ã‚¹](%%%%action.imsettings%%%%) を追加ã—ã¦ã€ã‚¤ãƒ³ã‚¹" "タントメッセージを通ã—ã¦ã¤ã¶ã‚„ãã‚’é€ã‚Œã‚‹ã‚ˆã†ã«ã™ã‚‹\n" "* ã‚ãªãŸãŒçŸ¥ã£ã¦ã„る人やã‚ãªãŸã¨åŒã˜èˆˆå‘³ã‚’ã‚‚ã£ã¦ã„る人を[検索](%%%%action." "peoplesearch%%%%) ã™ã‚‹\n" -"* [プロファイル設定](%%%%action.profilesettings%%%%) ã‚’æ›´æ–°ã—ã¦ä»–ã®åˆ©ç”¨è€…ã«ã‚" +"* [プロファイル設定](%%%%action.profilesettings%%%%) ã‚’æ›´æ–°ã—ã¦ä»–ã®ãƒ¦ãƒ¼ã‚¶ã«ã‚" "ãªãŸã®ã“ã¨ã‚’より詳ã—ã知らã›ã‚‹\n" "* 探ã—ã¦ã„る機能ã«ã¤ã„ã¦[オンライン文書](%%%%doc.help%%%%) を読む\n" "\n" @@ -3159,7 +3150,7 @@ msgstr "リモートユーザーをフォロー" #: actions/remotesubscribe.php:129 msgid "User nickname" -msgstr "利用者ã®ãƒ‹ãƒƒã‚¯ãƒãƒ¼ãƒ " +msgstr "ユーザã®ãƒ‹ãƒƒã‚¯ãƒãƒ¼ãƒ " #: actions/remotesubscribe.php:130 msgid "Nickname of the user you want to follow" @@ -3263,7 +3254,7 @@ msgid "" "[join groups](%%action.groups%%)." msgstr "" "ã‚ãªãŸã¯ã€ä»–ã®ãƒ¦ãƒ¼ã‚¶ã‚’会話をã™ã‚‹ã‹ã€å¤šãã®äººã€…をフォローã™ã‚‹ã‹ã€ã¾ãŸã¯ [ã‚°" -"ループã«åŠ ã‚ã‚‹] (%%action.groups%%)ã“ã¨ãŒã§ãã¾ã™ã€‚" +"ループã«åŠ ã‚ã‚‹](%%action.groups%%)ã“ã¨ãŒã§ãã¾ã™ã€‚" #: actions/replies.php:205 #, php-format @@ -3289,7 +3280,7 @@ msgstr "ã‚ãªãŸã¯ã“ã®ã‚µã‚¤ãƒˆã®ã‚µãƒ³ãƒ‰ãƒœãƒƒã‚¯ã‚¹ãƒ¦ãƒ¼ã‚¶ãŒã§ãã¾ #: actions/sandbox.php:72 msgid "User is already sandboxed." -msgstr "利用者ã¯ã™ã§ã«ã‚µãƒ³ãƒ‰ãƒœãƒƒã‚¯ã‚¹ã§ã™ã€‚" +msgstr "ユーザã¯ã™ã§ã«ã‚µãƒ³ãƒ‰ãƒœãƒƒã‚¯ã‚¹ã§ã™ã€‚" #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 #: lib/adminpanelaction.php:336 @@ -3297,9 +3288,8 @@ msgid "Sessions" msgstr "セッション" #: actions/sessionsadminpanel.php:65 -#, fuzzy msgid "Session settings for this StatusNet site." -msgstr "ã“ã® StatusNet サイトã®ãƒ‡ã‚¶ã‚¤ãƒ³è¨­å®šã€‚" +msgstr "ã“ã® StatusNet サイトã®ã‚»ãƒƒã‚·ãƒ§ãƒ³è¨­å®šã€‚" #: actions/sessionsadminpanel.php:175 msgid "Handle sessions" @@ -3326,71 +3316,71 @@ msgstr "サイト設定ã®ä¿å­˜" msgid "You must be logged in to view an application." msgstr "!!アプリケーションを見るãŸã‚ã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ã„ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 msgid "Application profile" msgstr "アプリケーションプロファイル" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "アイコン" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 msgid "Name" msgstr "åå‰" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 msgid "Organization" msgstr "組織" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "概è¦" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "統計データ" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "アプリケーションアクション" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "key 㨠secret ã®ãƒªã‚»ãƒƒãƒˆ" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "アプリケーション情報" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "リクエストトークンURL" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "アクセストークンURL" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "承èªURL" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3398,6 +3388,11 @@ msgstr "" "注æ„: ç§ãŸã¡ã¯HMAC-SHA1ç½²åをサãƒãƒ¼ãƒˆã—ã¾ã™ã€‚ ç§ãŸã¡ã¯å¹³æ–‡ç½²åメソッドをサ" "ãƒãƒ¼ãƒˆã—ã¾ã›ã‚“。" +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "本当ã«ã“ã®ã¤ã¶ã‚„ãを削除ã—ã¾ã™ã‹ï¼Ÿ" + #: actions/showfavorites.php:79 #, php-format msgid "%1$s's favorite notices, page %2$d" @@ -3644,7 +3639,7 @@ msgid "" "[StatusNet](http://status.net/) tool. [Join now](%%%%action.register%%%%) to " "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -"**%s** 㯠%%site.name%% 上ã®ã‚¢ã‚«ã‚¦ãƒ³ãƒˆã§ã™ã€‚フリーソフトウェアツール" +"**%s** 㯠%%%%site.name%%%% 上ã®ã‚¢ã‚«ã‚¦ãƒ³ãƒˆã§ã™ã€‚フリーソフトウェアツール" "[StatusNet](http://status.net/)を基ã«ã—ãŸ[マイクロブロギング](http://en." "wikipedia.org/wiki/Micro-blogging) サービス。[今ã™ãå‚加](%%%%action.register" "%%%%)ã—ã¦ã€**%s** ã®ã¤ã¶ã‚„ããªã©ã‚’フォローã—ã¾ã—ょã†! ([ã‚‚ã£ã¨èª­ã‚€](%%%%doc." @@ -3672,7 +3667,7 @@ msgstr "ã‚ãªãŸã¯ã“ã®ã‚µã‚¤ãƒˆã§ãƒ¦ãƒ¼ã‚¶ã‚’黙らã›ã‚‹ã“ã¨ãŒã§ãã¾ #: actions/silence.php:72 msgid "User is already silenced." -msgstr "利用者ã¯æ—¢ã«é»™ã£ã¦ã„ã¾ã™ã€‚" +msgstr "ユーザã¯æ—¢ã«é»™ã£ã¦ã„ã¾ã™ã€‚" #: actions/siteadminpanel.php:69 msgid "Basic settings for this StatusNet site." @@ -3880,7 +3875,7 @@ msgstr "ã“ã‚Œã¯ã™ã§ã«ã‚ãªãŸã®é›»è©±ç•ªå·ã§ã™ã€‚" #: actions/smssettings.php:321 msgid "That phone number already belongs to another user." -msgstr "ã“ã®é›»è©±ç•ªå·ã¯ã™ã§ã«ä»–ã®åˆ©ç”¨è€…ã«ä½¿ã‚ã‚Œã¦ã„ã¾ã™ã€‚" +msgstr "ã“ã®é›»è©±ç•ªå·ã¯ã™ã§ã«ä»–ã®ãƒ¦ãƒ¼ã‚¶ã«ä½¿ã‚ã‚Œã¦ã„ã¾ã™ã€‚" #: actions/smssettings.php:347 msgid "" @@ -4007,7 +4002,7 @@ msgid "" msgstr "" "今ã€ã ã‚Œã®ã¤ã¶ã‚„ãã‚‚èžã„ã¦ã„ãªã„ãªã‚‰ã€ã‚ãªãŸãŒçŸ¥ã£ã¦ã„る人々をフォローã—ã¦ã¿" "ã¦ãã ã•ã„。[ピープル検索](%%action.peoplesearch%%)を試ã—ã¦ãã ã•ã„。ãã—ã¦ã€" -"ã‚ãªãŸãŒèˆˆå‘³ã‚’æŒã£ã¦ã„るグループã¨ç§ãŸã¡ã®[フィーãƒãƒ£ãƒ¼ã•ã‚ŒãŸåˆ©ç”¨è€…](%%" +"ã‚ãªãŸãŒèˆˆå‘³ã‚’æŒã£ã¦ã„るグループã¨ç§ãŸã¡ã®[フィーãƒãƒ£ãƒ¼ã•ã‚ŒãŸãƒ¦ãƒ¼ã‚¶](%%" "action.featured%%)ã®ãƒ¡ãƒ³ãƒãƒ¼ã‚’探ã—ã¦ãã ã•ã„。もã—[Twitterユーザ](%%action." "twittersettings%%)ã§ã‚ã‚Œã°ã€ã‚ãªãŸã¯è‡ªå‹•çš„ã«æ—¢ã«ãƒ•ã‚©ãƒ­ãƒ¼ã—ã¦ã„る人々をフォ" "ローã§ãã¾ã™ã€‚" @@ -4056,7 +4051,7 @@ msgstr "ã‚¿ã‚° %s" #: actions/tagother.php:77 lib/userprofile.php:75 msgid "User profile" -msgstr "利用者プロファイル" +msgstr "ユーザプロファイル" #: actions/tagother.php:81 lib/userprofile.php:102 msgid "Photo" @@ -4064,14 +4059,14 @@ msgstr "写真" #: actions/tagother.php:141 msgid "Tag user" -msgstr "タグ利用者" +msgstr "タグユーザ" #: actions/tagother.php:151 msgid "" "Tags for this user (letters, numbers, -, ., and _), comma- or space- " "separated" msgstr "" -"ã“ã®åˆ©ç”¨è€…ã®ã‚¿ã‚° (アルファベットã€æ•°å­—ã€-ã€.ã€_)ã€ã‚«ãƒ³ãƒžã‹ã‚¹ãƒšãƒ¼ã‚¹åŒºåˆ‡ã‚Š" +"ã“ã®ãƒ¦ãƒ¼ã‚¶ã®ã‚¿ã‚° (アルファベットã€æ•°å­—ã€-ã€.ã€_)ã€ã‚«ãƒ³ãƒžã‹ã‚¹ãƒšãƒ¼ã‚¹åŒºåˆ‡ã‚Š" #: actions/tagother.php:193 msgid "" @@ -4102,11 +4097,11 @@ msgstr "ã‚ãªãŸã¯ãã®ãƒ¦ãƒ¼ã‚¶ã‚’ブロックã—ã¦ã„ã¾ã›ã‚“。" #: actions/unsandbox.php:72 msgid "User is not sandboxed." -msgstr "利用者ã¯ã‚µãƒ³ãƒ‰ãƒœãƒƒã‚¯ã‚¹ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" +msgstr "ユーザã¯ã‚µãƒ³ãƒ‰ãƒœãƒƒã‚¯ã‚¹ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/unsilence.php:72 msgid "User is not silenced." -msgstr "利用者ã¯ã‚µã‚¤ãƒ¬ãƒ³ã‚¹ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" +msgstr "ユーザã¯ã‚µã‚¤ãƒ¬ãƒ³ã‚¹ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/unsubscribe.php:77 msgid "No profile id in request." @@ -4127,11 +4122,11 @@ msgstr "" #: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 #: lib/personalgroupnav.php:115 msgid "User" -msgstr "利用者" +msgstr "ユーザ" #: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site." -msgstr "ã“ã® StatusNet サイトã®åˆ©ç”¨è€…設定。" +msgstr "ã“ã® StatusNet サイトã®ãƒ¦ãƒ¼ã‚¶è¨­å®šã€‚" #: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." @@ -4144,7 +4139,7 @@ msgstr "ä¸æ­£ãªã‚¦ã‚§ãƒ«ã‚«ãƒ ãƒ†ã‚­ã‚¹ãƒˆã€‚最大長ã¯255å­—ã§ã™ã€‚" #: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." -msgstr "ä¸æ­£ãªãƒ‡ãƒ•ã‚©ãƒ«ãƒˆãƒ•ã‚©ãƒ­ãƒ¼ã§ã™: '%1$s' ã¯åˆ©ç”¨è€…ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" +msgstr "ä¸æ­£ãªãƒ‡ãƒ•ã‚©ãƒ«ãƒˆãƒ•ã‚©ãƒ­ãƒ¼ã§ã™: '%1$s' ã¯ãƒ¦ãƒ¼ã‚¶ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 @@ -4161,15 +4156,15 @@ msgstr "プロファイル自己紹介ã®æœ€å¤§æ–‡å­—長。" #: actions/useradminpanel.php:230 msgid "New users" -msgstr "æ–°ã—ã„利用者" +msgstr "æ–°ã—ã„ユーザ" #: actions/useradminpanel.php:234 msgid "New user welcome" -msgstr "æ–°ã—ã„利用者を歓迎" +msgstr "æ–°ã—ã„ユーザを歓迎" #: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." -msgstr "æ–°ã—ã„利用者ã¸ã®ã‚¦ã‚§ãƒ«ã‚«ãƒ ãƒ†ã‚­ã‚¹ãƒˆ (最大255å­—)。" +msgstr "æ–°ã—ã„ユーザã¸ã®ã‚¦ã‚§ãƒ«ã‚«ãƒ ãƒ†ã‚­ã‚¹ãƒˆ (最大255å­—)。" #: actions/useradminpanel.php:240 msgid "Default subscription" @@ -4177,7 +4172,7 @@ msgstr "デフォルトフォロー" #: actions/useradminpanel.php:241 msgid "Automatically subscribe new users to this user." -msgstr "自動的ã«ã“ã®åˆ©ç”¨è€…ã«æ–°ã—ã„利用者をフォローã—ã¦ãã ã•ã„。" +msgstr "自動的ã«ã“ã®ãƒ¦ãƒ¼ã‚¶ã«æ–°ã—ã„ユーザをフォローã—ã¦ãã ã•ã„。" #: actions/useradminpanel.php:250 msgid "Invitations" @@ -4189,7 +4184,7 @@ msgstr "招待ãŒå¯èƒ½" #: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." -msgstr "利用者ãŒæ–°ã—ã„利用者を招待ã™ã‚‹ã®ã‚’許容ã™ã‚‹ã‹ã©ã†ã‹ã€‚" +msgstr "ユーザãŒæ–°ã—ã„ユーザを招待ã™ã‚‹ã®ã‚’許容ã™ã‚‹ã‹ã©ã†ã‹ã€‚" #: actions/userauthorization.php:105 msgid "Authorize subscription" @@ -4443,7 +4438,7 @@ msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚é•·ã™ãŽ #: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." -msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚ä¸æ˜Žãªåˆ©ç”¨è€…ã§ã™ã€‚" +msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚ä¸æ˜Žãªãƒ¦ãƒ¼ã‚¶ã§ã™ã€‚" #: classes/Notice.php:223 msgid "" @@ -4741,7 +4736,7 @@ msgstr "デザイン設定" #: lib/adminpanelaction.php:322 msgid "User configuration" -msgstr "利用者設定" +msgstr "ユーザ設定" #: lib/adminpanelaction.php:327 msgid "Access configuration" @@ -4755,13 +4750,13 @@ msgstr "パス設定" msgid "Sessions configuration" msgstr "セッション設定" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" "APIリソースã¯èª­ã¿æ›¸ãアクセスãŒå¿…è¦ã§ã™ã€ã—ã‹ã—ã‚ãªãŸã¯èª­ã¿ã‚¢ã‚¯ã‚»ã‚¹ã—ã‹æŒã£ã¦" "ã„ã¾ã›ã‚“。" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -4909,7 +4904,7 @@ msgstr "ãã® ID ã«ã‚ˆã‚‹ã¤ã¶ã‚„ãã¯å­˜åœ¨ã—ã¦ã„ã¾ã›ã‚“" #: lib/command.php:168 lib/command.php:406 lib/command.php:467 #: lib/command.php:523 msgid "User has no last notice" -msgstr "利用者ã¯ã¾ã ã¤ã¶ã‚„ã„ã¦ã„ã¾ã›ã‚“" +msgstr "ユーザã¯ã¾ã ã¤ã¶ã‚„ã„ã¦ã„ã¾ã›ã‚“" #: lib/command.php:190 msgid "Notice marked as fave." @@ -4922,7 +4917,7 @@ msgstr "ã‚ãªãŸã¯æ—¢ã«ãã®ã‚°ãƒ«ãƒ¼ãƒ—ã«å‚加ã—ã¦ã„ã¾ã™ã€‚" #: lib/command.php:231 #, php-format msgid "Could not join user %s to group %s" -msgstr "利用者 %s ã¯ã‚°ãƒ«ãƒ¼ãƒ— %s ã«å‚加ã§ãã¾ã›ã‚“" +msgstr "ユーザ %s ã¯ã‚°ãƒ«ãƒ¼ãƒ— %s ã«å‚加ã§ãã¾ã›ã‚“" #: lib/command.php:236 #, php-format @@ -4932,7 +4927,7 @@ msgstr "%s ã¯ã‚°ãƒ«ãƒ¼ãƒ— %s ã«å‚加ã—ã¾ã—ãŸ" #: lib/command.php:275 #, php-format msgid "Could not remove user %s to group %s" -msgstr "利用者 %s をグループ %s ã‹ã‚‰å‰Šé™¤ã™ã‚‹ã“ã¨ãŒã§ãã¾ã›ã‚“" +msgstr "ユーザ %s をグループ %s ã‹ã‚‰å‰Šé™¤ã™ã‚‹ã“ã¨ãŒã§ãã¾ã›ã‚“" #: lib/command.php:280 #, php-format @@ -5006,7 +5001,7 @@ msgstr "ã¤ã¶ã‚„ãä¿å­˜ã‚¨ãƒ©ãƒ¼ã€‚" #: lib/command.php:547 msgid "Specify the name of the user to subscribe to" -msgstr "フォローã™ã‚‹åˆ©ç”¨è€…ã®åå‰ã‚’指定ã—ã¦ãã ã•ã„" +msgstr "フォローã™ã‚‹ãƒ¦ãƒ¼ã‚¶ã®åå‰ã‚’指定ã—ã¦ãã ã•ã„" #: lib/command.php:554 #, php-format @@ -5266,7 +5261,7 @@ msgstr "ブロック" #: lib/groupnav.php:102 #, php-format msgid "%s blocked users" -msgstr "%s ブロック利用者" +msgstr "%s ブロックユーザ" #: lib/groupnav.php:108 #, php-format @@ -5615,14 +5610,14 @@ msgstr "" #: lib/mailbox.php:89 msgid "Only the user can read their own mailboxes." -msgstr "利用者ã ã‘ãŒãれら自身ã®ãƒ¡ãƒ¼ãƒ«ãƒœãƒƒã‚¯ã‚¹ã‚’読むã“ã¨ãŒã§ãã¾ã™ã€‚" +msgstr "ユーザã ã‘ãŒã‹ã‚Œã‚‰è‡ªèº«ã®ãƒ¡ãƒ¼ãƒ«ãƒœãƒƒã‚¯ã‚¹ã‚’読むã“ã¨ãŒã§ãã¾ã™ã€‚" #: lib/mailbox.php:139 msgid "" "You have no private messages. You can send private message to engage other " "users in conversation. People can send you messages for your eyes only." msgstr "" -"ã‚ãªãŸã«ã¯ã€ãƒ—ライベートメッセージãŒå…¨ãã‚ã‚Šã¾ã›ã‚“。ã‚ãªãŸã¯ä»–ã®åˆ©ç”¨è€…を会話" +"ã‚ãªãŸã«ã¯ã€ãƒ—ライベートメッセージãŒå…¨ãã‚ã‚Šã¾ã›ã‚“。ã‚ãªãŸã¯ä»–ã®ãƒ¦ãƒ¼ã‚¶ã‚’会話" "ã«å¼•ã込むプライベートメッセージをé€ã‚‹ã“ã¨ãŒã§ãã¾ã™ã€‚人々ã¯ã‚ãªãŸã ã‘ã¸ã®" "メッセージをé€ã‚‹ã“ã¨ãŒã§ãã¾ã™ã€‚" @@ -5894,7 +5889,7 @@ msgstr "ã™ã¹ã¦ã®ãƒ•ã‚©ãƒ­ãƒ¼ã•ã‚Œã¦ã„ã‚‹" #: lib/profileaction.php:178 msgid "User ID" -msgstr "利用者ID" +msgstr "ユーザID" #: lib/profileaction.php:183 msgid "Member since" @@ -5942,7 +5937,7 @@ msgstr "ã“ã®ã¤ã¶ã‚„ãã‚’ç¹°ã‚Šè¿”ã™" #: lib/router.php:665 msgid "No single user defined for single-user mode." -msgstr "" +msgstr "single-user モードã®ãŸã‚ã®ã‚·ãƒ³ã‚°ãƒ«ãƒ¦ãƒ¼ã‚¶ãŒå®šç¾©ã•ã‚Œã¦ã„ã¾ã›ã‚“。" #: lib/sandboxform.php:67 msgid "Sandbox" @@ -6017,7 +6012,7 @@ msgstr "ã™ã§ã«ãƒ•ã‚©ãƒ­ãƒ¼ã—ã¦ã„ã¾ã™!" #: lib/subs.php:56 msgid "User has blocked you." -msgstr "利用者ã¯ã‚ãªãŸã‚’ブロックã—ã¾ã—ãŸã€‚" +msgstr "ユーザã¯ã‚ãªãŸã‚’ブロックã—ã¾ã—ãŸã€‚" #: lib/subs.php:63 msgid "Could not subscribe." @@ -6108,7 +6103,7 @@ msgstr "メッセージ" #: lib/userprofile.php:311 #, fuzzy msgid "Moderate" -msgstr "å¸ä¼š" +msgstr "管ç†" #: lib/util.php:867 msgid "a few seconds ago" diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index 3c85974bc..3735e6f55 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:21:32+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:33:04+0000\n" "Language-Team: Korean\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: out-statusnet\n" @@ -765,7 +765,7 @@ msgstr "ì›ëž˜ 설정" msgid "Preview" msgstr "미리보기" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "ì‚­ì œ" @@ -3376,79 +3376,84 @@ msgstr "아바타 설정" msgid "You must be logged in to view an application." msgstr "ê·¸ë£¹ì„ ë– ë‚˜ê¸° 위해서는 로그ì¸í•´ì•¼ 합니다." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 #, fuzzy msgid "Application profile" msgstr "í†µì§€ì— í”„ë¡œí•„ì´ ì—†ìŠµë‹ˆë‹¤." -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "별명" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "페ì´ì§€ìˆ˜" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "설명" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "통계" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "ì •ë§ë¡œ 통지를 삭제하시겠습니까?" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4804,11 +4809,11 @@ msgstr "SMS ì¸ì¦" msgid "Sessions configuration" msgstr "SMS ì¸ì¦" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index 87e375047..00ac4a797 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:21:36+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:33:08+0000\n" "Language-Team: Macedonian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: out-statusnet\n" @@ -483,12 +483,11 @@ msgstr "групи на %s" #: actions/apioauthauthorize.php:101 msgid "No oauth_token parameter provided." -msgstr "" +msgstr "Ðема наведено oauth_token параметар." #: actions/apioauthauthorize.php:106 -#, fuzzy msgid "Invalid token." -msgstr "Погрешна големина." +msgstr "Погрешен жетон." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -530,9 +529,9 @@ msgid "" msgstr "Жетонот на барањето %s е одобрен. Заменете го Ñо жетон за приÑтап." #: actions/apioauthauthorize.php:227 -#, fuzzy, php-format +#, php-format msgid "The request token %s has been denied and revoked." -msgstr "Жетонот на барањето %s е одбиен." +msgstr "Жетонот на барањето %s е одбиен и поништен." #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -558,6 +557,9 @@ msgid "" "the ability to %3$s your %4$s account data. You should only " "give access to your %4$s account to third parties you trust." msgstr "" +"Програмот %1$s од %2$s би Ñакал да може да " +"%3$s податоците за Вашата %4$s Ñметка. Треба да дозволувате " +"приÑтап до Вашата %4$s Ñметка Ñамо на трети Ñтрани на кои им верувате." #: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" @@ -756,7 +758,7 @@ msgstr "Оригинал" msgid "Preview" msgstr "Преглед" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Бриши" @@ -925,14 +927,12 @@ msgid "Notices" msgstr "Забелешки" #: actions/deleteapplication.php:63 -#, fuzzy msgid "You must be logged in to delete an application." -msgstr "Мора да Ñте најавени за да можете да уредувате програми." +msgstr "Мора да Ñте најавени за да можете да избришете програм." #: actions/deleteapplication.php:71 -#, fuzzy msgid "Application not found." -msgstr "Инфо за програмот" +msgstr "Програмот не е пронајден." #: actions/deleteapplication.php:78 actions/editapplication.php:77 #: actions/showapplication.php:94 @@ -946,29 +946,26 @@ msgid "There was a problem with your session token." msgstr "Се појави проблем Ñо Вашиот ÑеÑиÑки жетон." #: actions/deleteapplication.php:123 actions/deleteapplication.php:147 -#, fuzzy msgid "Delete application" -msgstr "Уреди програм" +msgstr "Избриши програм" #: actions/deleteapplication.php:149 -#, fuzzy msgid "" "Are you sure you want to delete this application? This will clear all data " "about the application from the database, including all existing user " "connections." msgstr "" -"Дали Ñе Ñигурни дека Ñакате да го избришете овој кориÑник? Ова воедно ќе ги " -"избрише Ñите податоци за кориÑникот од базата, без да може да Ñе вратат." +"Дали Ñе Ñигурни дека Ñакате да го избришете овој програм? Ова воедно ќе ги " +"избрише Ñите податоци за програмот од базата, вклучувајќи ги Ñите поÑтоечки " +"поврзувања." #: actions/deleteapplication.php:156 -#, fuzzy msgid "Do not delete this application" -msgstr "Ðе ја бриши оваа забелешка" +msgstr "Ðе го бриши овој програм" #: actions/deleteapplication.php:160 -#, fuzzy msgid "Delete this application" -msgstr "Икона за овој програм" +msgstr "Избриши го програмов" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 @@ -1179,9 +1176,8 @@ msgid "Name is too long (max 255 chars)." msgstr "Името е предолго (макÑимум 255 знаци)." #: actions/editapplication.php:183 actions/newapplication.php:162 -#, fuzzy msgid "Name already in use. Try another one." -msgstr "Тој прекар е во употреба. Одберете друг." +msgstr "Тоа име е во употреба. Одберете друго." #: actions/editapplication.php:186 actions/newapplication.php:168 msgid "Description is required." @@ -3347,71 +3343,71 @@ msgstr "Зачувај нагодувања на веб-Ñтраницата" msgid "You must be logged in to view an application." msgstr "Мора да Ñте најавени за да можете да го видите програмот." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 msgid "Application profile" msgstr "Профил на програмот" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "Икона" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 msgid "Name" msgstr "Име" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 msgid "Organization" msgstr "Организација" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "ОпиÑ" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "СтатиÑтики" -#: actions/showapplication.php:204 -#, fuzzy, php-format +#: actions/showapplication.php:203 +#, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" -msgstr "Ñоздал: %1$s - оÑновен приÑтап: %2$s - %3$d кориÑници" +msgstr "Создадено од %1$s - оÑновен приÑтап: %2$s - %3$d кориÑници" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "ДејÑтва на програмот" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "Клуч за промена и тајна" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "Инфо за програмот" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "Потрошувачки клуч" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "Потрошувачка тајна" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "URL на жетонот на барањето" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "URL на приÑтапниот жетон" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "Одобри URL" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3419,6 +3415,11 @@ msgstr "" "Ðапомена: Поддржуваме HMAC-SHA1 потпиÑи. Ðе поддржуваме потпишување Ñо проÑÑ‚ " "текÑÑ‚." +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "Дали Ñте Ñигурни дека Ñакате да ја избришете оваа заблешка?" + #: actions/showfavorites.php:79 #, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4792,13 +4793,13 @@ msgstr "Конфигурација на патеки" msgid "Sessions configuration" msgstr "Конфигурација на ÑеÑиите" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" "API-реÑурÑот бара да може и да чита и да запишува, а вие можете Ñамо да " "читате." -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "ÐеуÑпешен обид за API-заверка, прекар = %1$s, прокÑи = %2$s, IP = %3$s" @@ -6020,7 +6021,7 @@ msgstr "Повтори ја забелешкава" #: lib/router.php:665 msgid "No single user defined for single-user mode." -msgstr "" +msgstr "Ðе е зададен кориÑник за еднокориÑничкиот режим." #: lib/sandboxform.php:67 msgid "Sandbox" diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index 13d763b26..4252e6a83 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -8,55 +8,52 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:21:39+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:33:11+0000\n" "Language-Team: Norwegian (bokmÃ¥l)‬\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 -#, fuzzy msgid "Access" -msgstr "Godta" +msgstr "Tilgang" #: actions/accessadminpanel.php:65 -#, fuzzy msgid "Site access settings" -msgstr "Innstillinger for IM" +msgstr "Innstillinger for nettstedstilgang" #: actions/accessadminpanel.php:158 -#, fuzzy msgid "Registration" -msgstr "Alle abonnementer" +msgstr "Registrering" #: actions/accessadminpanel.php:161 msgid "Private" -msgstr "" +msgstr "Privat" #: actions/accessadminpanel.php:163 msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "" +msgstr "Forhindre anonyme brukere (ikke innlogget) Ã¥ se nettsted?" #: actions/accessadminpanel.php:167 msgid "Invite only" -msgstr "" +msgstr "Kun invitasjon" #: actions/accessadminpanel.php:169 msgid "Make registration invitation only." -msgstr "" +msgstr "Gjør at registrering kun kan skje gjennom invitasjon." #: actions/accessadminpanel.php:173 msgid "Closed" -msgstr "" +msgstr "Lukket" #: actions/accessadminpanel.php:175 msgid "Disable new registrations." -msgstr "" +msgstr "Deaktiver nye registreringer." #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 @@ -71,9 +68,8 @@ msgid "Save" msgstr "Lagre" #: actions/accessadminpanel.php:189 -#, fuzzy msgid "Save access settings" -msgstr "Innstillinger for IM" +msgstr "Lagre tilgangsinnstillinger" #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 @@ -107,9 +103,9 @@ msgid "No such user." msgstr "Ingen slik bruker" #: actions/all.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s and friends, page %2$d" -msgstr "%s og venner" +msgstr "%1$s og venner, side %2$d" #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 @@ -149,14 +145,14 @@ msgstr "" "eller post noe selv." #: actions/all.php:134 -#, fuzzy, php-format +#, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -"Du kan prøve Ã¥ [knuffe %s](../%s) fra dennes profil eller [post noe for Ã¥ fÃ¥ " -"hans eller hennes oppmerksomhet](%%%%action.newnotice%%%%?status_textarea=%" -"s)." +"Du kan prøve Ã¥ [knuffe %1$s](../%2$s) fra dennes profil eller [poste noe for " +"Ã¥ fÃ¥ hans eller hennes oppmerksomhet](%%%%action.newnotice%%%%?" +"status_textarea=%3$s)." #: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format @@ -326,18 +322,16 @@ msgid "No status found with that ID." msgstr "Fant ingen status med den ID-en." #: actions/apifavoritecreate.php:119 -#, fuzzy msgid "This status is already a favorite." -msgstr "Denne statusen er allerede en favoritt!" +msgstr "Denne statusen er allerede en favoritt." #: actions/apifavoritecreate.php:130 actions/favor.php:84 lib/command.php:176 msgid "Could not create favorite." msgstr "Kunne ikke opprette favoritt." #: actions/apifavoritedestroy.php:122 -#, fuzzy msgid "That status is not a favorite." -msgstr "Den statusen er ikke en favoritt!" +msgstr "Den statusen er ikke en favoritt." #: actions/apifavoritedestroy.php:134 actions/disfavor.php:87 msgid "Could not delete favorite." @@ -357,23 +351,20 @@ msgid "Could not unfollow user: User not found." msgstr "Kunne ikke slutte Ã¥ følge brukeren: Fant ikke brukeren." #: actions/apifriendshipsdestroy.php:120 -#, fuzzy msgid "You cannot unfollow yourself." -msgstr "Du kan ikke slutte Ã¥ følge deg selv!" +msgstr "Du kan ikke slutte Ã¥ følge deg selv." #: actions/apifriendshipsexists.php:94 msgid "Two user ids or screen_names must be supplied." msgstr "To bruker ID-er eller kallenavn mÃ¥ oppgis." #: actions/apifriendshipsshow.php:134 -#, fuzzy msgid "Could not determine source user." -msgstr "Klarte ikke Ã¥ oppdatere bruker." +msgstr "Kunne ikke bestemme kildebruker." #: actions/apifriendshipsshow.php:142 -#, fuzzy msgid "Could not find target user." -msgstr "Klarte ikke Ã¥ oppdatere bruker." +msgstr "Kunne ikke finne mÃ¥lbruker." #: actions/apigroupcreate.php:164 actions/editgroup.php:182 #: actions/newgroup.php:126 actions/profilesettings.php:215 @@ -422,31 +413,30 @@ msgstr "" #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." -msgstr "" +msgstr "For mange alias! Maksimum %d." #: actions/apigroupcreate.php:264 actions/editgroup.php:224 #: actions/newgroup.php:168 -#, fuzzy, php-format +#, php-format msgid "Invalid alias: \"%s\"" -msgstr "Ugyldig hjemmeside '%s'" +msgstr "Ugyldig alias: «%s»" #: actions/apigroupcreate.php:273 actions/editgroup.php:228 #: actions/newgroup.php:172 -#, fuzzy, php-format +#, php-format msgid "Alias \"%s\" already in use. Try another one." -msgstr "Det nicket er allerede i bruk. Prøv et annet." +msgstr "Aliaset «%s» er allerede i bruk. Prøv et annet." #: actions/apigroupcreate.php:286 actions/editgroup.php:234 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." -msgstr "" +msgstr "Alias kan ikke være det samme som kallenavn." #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 #: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 -#, fuzzy msgid "Group not found!" -msgstr "API-metode ikke funnet!" +msgstr "Gruppe ikke funnet!" #: actions/apigroupjoin.php:110 actions/joingroup.php:90 msgid "You are already a member of that group." @@ -454,22 +444,21 @@ msgstr "Du er allerede medlem av den gruppen." #: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 msgid "You have been blocked from that group by the admin." -msgstr "" +msgstr "Du har blitt blokkert fra den gruppen av administratoren." #: actions/apigroupjoin.php:138 actions/joingroup.php:124 -#, fuzzy, php-format +#, php-format msgid "Could not join user %1$s to group %2$s." -msgstr "Klarte ikke Ã¥ oppdatere bruker." +msgstr "Kunne ikke legge bruker %1$s til gruppe %2$s." #: actions/apigroupleave.php:114 -#, fuzzy msgid "You are not a member of this group." -msgstr "Du er allerede logget inn!" +msgstr "Du er ikke et medlem av denne gruppen." #: actions/apigroupleave.php:124 actions/leavegroup.php:119 -#, fuzzy, php-format +#, php-format msgid "Could not remove user %1$s from group %2$s." -msgstr "Klarte ikke Ã¥ oppdatere bruker." +msgstr "Kunne ikke fjerne bruker %1$s fra gruppe %2$s." #: actions/apigrouplist.php:95 #, php-format @@ -479,16 +468,16 @@ msgstr "%s sine grupper" #: actions/apigrouplistall.php:90 actions/usergroups.php:62 #, php-format msgid "%s groups" -msgstr "" +msgstr "%s grupper" #: actions/apigrouplistall.php:94 #, php-format msgid "groups on %s" -msgstr "" +msgstr "grupper pÃ¥ %s" #: actions/apioauthauthorize.php:101 msgid "No oauth_token parameter provided." -msgstr "" +msgstr "Ingen verdi for oauth_token er oppgitt." #: actions/apioauthauthorize.php:106 #, fuzzy @@ -514,9 +503,8 @@ msgid "There was a problem with your session token. Try again, please." msgstr "" #: actions/apioauthauthorize.php:135 -#, fuzzy msgid "Invalid nickname / password!" -msgstr "Ugyldig brukernavn eller passord" +msgstr "Ugyldig kallenavn / passord!" #: actions/apioauthauthorize.php:159 msgid "Database error deleting OAuth application user." @@ -553,7 +541,7 @@ msgstr "" #: actions/apioauthauthorize.php:276 msgid "Allow or deny access" -msgstr "" +msgstr "Tillat eller nekt tilgang" #: actions/apioauthauthorize.php:292 #, php-format @@ -564,9 +552,8 @@ msgid "" msgstr "" #: actions/apioauthauthorize.php:310 lib/action.php:441 -#, fuzzy msgid "Account" -msgstr "Om" +msgstr "Konto" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 @@ -582,15 +569,15 @@ msgstr "Passord" #: actions/apioauthauthorize.php:328 msgid "Deny" -msgstr "" +msgstr "Nekt" #: actions/apioauthauthorize.php:334 msgid "Allow" -msgstr "" +msgstr "Tillat" #: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." -msgstr "" +msgstr "Tillat eller nekt tilgang til din kontoinformasjon." #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." @@ -598,30 +585,28 @@ msgstr "" #: actions/apistatusesdestroy.php:130 msgid "You may not delete another user's status." -msgstr "" +msgstr "Du kan ikke slette statusen til en annen bruker." #: actions/apistatusesretweet.php:75 actions/apistatusesretweets.php:72 #: actions/deletenotice.php:52 actions/shownotice.php:92 msgid "No such notice." -msgstr "" +msgstr "Ingen slik notis." #: actions/apistatusesretweet.php:83 -#, fuzzy msgid "Cannot repeat your own notice." -msgstr "Kan ikke slette notisen." +msgstr "Kan ikke gjenta din egen notis." #: actions/apistatusesretweet.php:91 -#, fuzzy msgid "Already repeated that notice." -msgstr "Kan ikke slette notisen." +msgstr "Allerede gjentatt den notisen." #: actions/apistatusesshow.php:138 msgid "Status deleted." -msgstr "" +msgstr "Status slettet." #: actions/apistatusesshow.php:144 msgid "No status with that ID found." -msgstr "" +msgstr "Ingen status med den ID-en funnet." #: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 @@ -631,7 +616,7 @@ msgstr "" #: actions/apistatusesupdate.php:202 msgid "Not found" -msgstr "" +msgstr "Ikke funnet" #: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format @@ -643,14 +628,14 @@ msgid "Unsupported format." msgstr "" #: actions/apitimelinefavorites.php:108 -#, fuzzy, php-format +#, php-format msgid "%1$s / Favorites from %2$s" -msgstr "%1$s / Oppdateringer som svarer til %2$s" +msgstr "%1$s / Favoritter fra %2$s" #: actions/apitimelinefavorites.php:120 -#, fuzzy, php-format +#, php-format msgid "%1$s updates favorited by %2$s / %2$s." -msgstr "%1$s oppdateringer som svarer pÃ¥ oppdateringer fra %2$s / %3$s." +msgstr "%1$s oppdateringer markert som favoritt av %2$s / %2$s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 #: actions/grouprss.php:131 actions/userrss.php:90 @@ -662,12 +647,12 @@ msgstr "%s tidslinje" #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" -msgstr "" +msgstr "Oppdateringar fra %1$s pÃ¥ %2$s!" #: actions/apitimelinementions.php:117 -#, fuzzy, php-format +#, php-format msgid "%1$s / Updates mentioning %2$s" -msgstr "%1$s / Oppdateringer som svarer til %2$s" +msgstr "%1$s / Oppdateringer som nevner %2$s" #: actions/apitimelinementions.php:127 #, php-format @@ -685,9 +670,9 @@ msgid "%s updates from everyone!" msgstr "%s oppdateringer fra alle sammen!" #: actions/apitimelineretweetedtome.php:111 -#, fuzzy, php-format +#, php-format msgid "Repeated to %s" -msgstr "Svar til %s" +msgstr "Gjentatt til %s" #: actions/apitimelineretweetsofme.php:112 #, fuzzy, php-format @@ -697,21 +682,20 @@ msgstr "Svar til %s" #: actions/apitimelinetag.php:102 actions/tag.php:66 #, php-format msgid "Notices tagged with %s" -msgstr "" +msgstr "Notiser merket med %s" #: actions/apitimelinetag.php:108 actions/tagrss.php:64 -#, fuzzy, php-format +#, php-format msgid "Updates tagged with %1$s on %2$s!" -msgstr "Mikroblogg av %s" +msgstr "Oppdateringer merket med %1$s pÃ¥ %2$s!" #: actions/apiusershow.php:96 -#, fuzzy msgid "Not found." -msgstr "Ingen id." +msgstr "Ikke funnet." #: actions/attachment.php:73 msgid "No such attachment." -msgstr "" +msgstr "Ingen slike vedlegg." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 @@ -719,11 +703,11 @@ msgstr "" #: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 #: actions/showgroup.php:121 msgid "No nickname." -msgstr "" +msgstr "Ingen kallenavn." #: actions/avatarbynickname.php:64 msgid "No size." -msgstr "" +msgstr "Ingen størrelse." #: actions/avatarbynickname.php:69 msgid "Invalid size." @@ -754,18 +738,17 @@ msgstr "Innstillinger for IM" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 #: actions/grouplogo.php:199 actions/grouplogo.php:259 msgid "Original" -msgstr "" +msgstr "Original" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 #: actions/grouplogo.php:210 actions/grouplogo.php:271 msgid "Preview" -msgstr "" +msgstr "ForhÃ¥ndsvis" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 -#, fuzzy msgid "Delete" -msgstr "slett" +msgstr "Slett" #: actions/avatarsettings.php:166 actions/grouplogo.php:233 msgid "Upload" @@ -773,7 +756,7 @@ msgstr "Last opp" #: actions/avatarsettings.php:231 actions/grouplogo.php:286 msgid "Crop" -msgstr "" +msgstr "Beskjær" #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" @@ -797,13 +780,12 @@ msgid "Avatar deleted." msgstr "Brukerbildet har blitt oppdatert." #: actions/block.php:69 -#, fuzzy msgid "You already blocked that user." -msgstr "Du er allerede logget inn!" +msgstr "Du har allerede blokkert den brukeren." #: actions/block.php:105 actions/block.php:128 actions/groupblock.php:160 msgid "Block user" -msgstr "" +msgstr "Blokker brukeren" #: actions/block.php:130 msgid "" @@ -816,12 +798,11 @@ msgstr "" #: actions/deletenotice.php:145 actions/deleteuser.php:147 #: actions/groupblock.php:178 msgid "No" -msgstr "" +msgstr "Nei" #: actions/block.php:143 actions/deleteuser.php:147 -#, fuzzy msgid "Do not block this user" -msgstr "Kan ikke slette notisen." +msgstr "Ikke blokker denne brukeren" #: actions/block.php:144 actions/deleteapplication.php:158 #: actions/deletenotice.php:146 actions/deleteuser.php:148 @@ -831,7 +812,7 @@ msgstr "Ja" #: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 msgid "Block this user" -msgstr "" +msgstr "Blokker denne brukeren" #: actions/block.php:167 msgid "Failed to save block information." @@ -844,19 +825,18 @@ msgstr "" #: actions/grouprss.php:98 actions/groupunblock.php:86 #: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 #: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 -#, fuzzy msgid "No such group." -msgstr "Klarte ikke Ã¥ lagre profil." +msgstr "Ingen slik gruppe." #: actions/blockedfromgroup.php:90 -#, fuzzy, php-format +#, php-format msgid "%s blocked profiles" -msgstr "Klarte ikke Ã¥ lagre profil." +msgstr "%s blokkerte profiler" #: actions/blockedfromgroup.php:93 -#, fuzzy, php-format +#, php-format msgid "%1$s blocked profiles, page %2$d" -msgstr "%s og venner" +msgstr "%1$s blokkerte profiler, side %2$d" #: actions/blockedfromgroup.php:108 msgid "A list of the users blocked from joining this group." @@ -913,7 +893,6 @@ msgid "Couldn't delete email confirmation." msgstr "" #: actions/confirmaddress.php:144 -#, fuzzy msgid "Confirm address" msgstr "Bekreft adresse" @@ -923,9 +902,8 @@ msgid "The address \"%s\" has been confirmed for your account." msgstr "" #: actions/conversation.php:99 -#, fuzzy msgid "Conversation" -msgstr "Bekreftelseskode" +msgstr "Samtale" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:216 lib/searchgroupnav.php:82 @@ -998,35 +976,31 @@ msgstr "" #: actions/deletenotice.php:109 actions/deletenotice.php:141 msgid "Delete notice" -msgstr "" +msgstr "Slett notis" #: actions/deletenotice.php:144 msgid "Are you sure you want to delete this notice?" msgstr "Er du sikker pÃ¥ at du vil slette denne notisen?" #: actions/deletenotice.php:145 -#, fuzzy msgid "Do not delete this notice" -msgstr "Kan ikke slette notisen." +msgstr "Ikke slett denne notisen" #: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" -msgstr "" +msgstr "Slett denne notisen" #: actions/deleteuser.php:67 -#, fuzzy msgid "You cannot delete users." -msgstr "Klarte ikke Ã¥ oppdatere bruker." +msgstr "Du kan ikke slette brukere." #: actions/deleteuser.php:74 -#, fuzzy msgid "You can only delete local users." -msgstr "Ugyldig OpenID" +msgstr "Du kan bare slette lokale brukere." #: actions/deleteuser.php:110 actions/deleteuser.php:133 -#, fuzzy msgid "Delete user" -msgstr "slett" +msgstr "Slett bruker" #: actions/deleteuser.php:135 msgid "" @@ -1035,9 +1009,8 @@ msgid "" msgstr "" #: actions/deleteuser.php:148 lib/deleteuserform.php:77 -#, fuzzy msgid "Delete this user" -msgstr "Kan ikke slette notisen." +msgstr "Slett denne brukeren" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 #: lib/adminpanelaction.php:316 lib/groupnav.php:119 @@ -1059,13 +1032,12 @@ msgid "Theme not available: %s" msgstr "" #: actions/designadminpanel.php:375 -#, fuzzy msgid "Change logo" -msgstr "Endre passordet ditt" +msgstr "Endre logo" #: actions/designadminpanel.php:380 msgid "Site logo" -msgstr "" +msgstr "Nettstedslogo" #: actions/designadminpanel.php:387 #, fuzzy @@ -1083,12 +1055,12 @@ msgstr "" #: actions/designadminpanel.php:417 lib/designsettings.php:101 msgid "Change background image" -msgstr "" +msgstr "Endre bakgrunnsbilde" #: actions/designadminpanel.php:422 actions/designadminpanel.php:497 #: lib/designsettings.php:178 msgid "Background" -msgstr "" +msgstr "Bakgrunn" #: actions/designadminpanel.php:427 #, php-format @@ -1118,9 +1090,8 @@ msgid "Change colours" msgstr "Endre farger" #: actions/designadminpanel.php:510 lib/designsettings.php:191 -#, fuzzy msgid "Content" -msgstr "Koble til" +msgstr "Innhold" #: actions/designadminpanel.php:523 lib/designsettings.php:204 #, fuzzy @@ -1137,7 +1108,7 @@ msgstr "Lenker" #: actions/designadminpanel.php:577 lib/designsettings.php:247 msgid "Use defaults" -msgstr "" +msgstr "Bruk standard" #: actions/designadminpanel.php:578 lib/designsettings.php:248 msgid "Restore default designs" @@ -1157,7 +1128,7 @@ msgstr "" #: actions/disfavor.php:94 msgid "Add to favorites" -msgstr "" +msgstr "Legg til i favoritter" #: actions/doc.php:158 #, php-format @@ -1186,40 +1157,35 @@ msgstr "" #: actions/editapplication.php:177 actions/newapplication.php:159 msgid "Name is required." -msgstr "" +msgstr "Navn kreves." #: actions/editapplication.php:180 actions/newapplication.php:165 -#, fuzzy msgid "Name is too long (max 255 chars)." -msgstr "Beklager, navnet er for langt (max 250 tegn)." +msgstr "Navn er for langt (maks 250 tegn)." #: actions/editapplication.php:183 actions/newapplication.php:162 -#, fuzzy msgid "Name already in use. Try another one." -msgstr "Det nicket er allerede i bruk. Prøv et annet." +msgstr "Navn allerede i bruk. Prøv et annet." #: actions/editapplication.php:186 actions/newapplication.php:168 -#, fuzzy msgid "Description is required." -msgstr "Alle abonnementer" +msgstr "Beskrivelse kreves." #: actions/editapplication.php:194 msgid "Source URL is too long." -msgstr "" +msgstr "Kilde-URL er for lang." #: actions/editapplication.php:200 actions/newapplication.php:185 -#, fuzzy msgid "Source URL is not valid." -msgstr "Hjemmesiden er ikke en gyldig URL." +msgstr "Kilde-URL er ikke gyldig." #: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." -msgstr "" +msgstr "Organisasjon kreves." #: actions/editapplication.php:206 actions/newapplication.php:191 -#, fuzzy msgid "Organization is too long (max 255 chars)." -msgstr "Beskrivelsen er for lang (maks %d tegn)." +msgstr "Organisasjon er for lang (maks 255 tegn)." #: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." @@ -1245,7 +1211,7 @@ msgstr "" #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." -msgstr "" +msgstr "Du mÃ¥ være innlogget for Ã¥ opprette en gruppe." #: actions/editgroup.php:103 actions/editgroup.php:168 #: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 @@ -1258,19 +1224,17 @@ msgid "Use this form to edit the group." msgstr "" #: actions/editgroup.php:201 actions/newgroup.php:145 -#, fuzzy, php-format +#, php-format msgid "description is too long (max %d chars)." -msgstr "Bioen er for lang (max 140 tegn)" +msgstr "beskrivelse er for lang (maks %d tegn)" #: actions/editgroup.php:253 -#, fuzzy msgid "Could not update group." -msgstr "Klarte ikke Ã¥ oppdatere bruker." +msgstr "Kunne ikke oppdatere gruppe." #: actions/editgroup.php:259 classes/User_group.php:390 -#, fuzzy msgid "Could not create aliases." -msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" +msgstr "Kunne ikke opprette alias." #: actions/editgroup.php:269 msgid "Options saved." @@ -1316,13 +1280,12 @@ msgid "Cancel" msgstr "Avbryt" #: actions/emailsettings.php:121 -#, fuzzy msgid "Email address" msgstr "E-postadresse" #: actions/emailsettings.php:123 msgid "Email address, like \"UserName@example.org\"" -msgstr "" +msgstr "E-postadresse («brukernavn@eksempel.org»)" #: actions/emailsettings.php:126 actions/imsettings.php:133 #: actions/smssettings.php:145 @@ -1574,14 +1537,12 @@ msgid "Error updating remote profile" msgstr "" #: actions/getfile.php:79 -#, fuzzy msgid "No such file." -msgstr "Klarte ikke Ã¥ lagre profil." +msgstr "Ingen slik fil." #: actions/getfile.php:83 -#, fuzzy msgid "Cannot read file." -msgstr "Klarte ikke Ã¥ lagre profil." +msgstr "Kan ikke lese fil." #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 @@ -1638,9 +1599,8 @@ msgid "Database error blocking user from group." msgstr "" #: actions/groupbyid.php:74 actions/userbyid.php:70 -#, fuzzy msgid "No ID." -msgstr "Ingen id." +msgstr "Ingen ID." #: actions/groupdesignsettings.php:68 msgid "You must be logged in to edit a group." @@ -1668,7 +1628,7 @@ msgstr "" #: actions/grouplogo.php:139 actions/grouplogo.php:192 msgid "Group logo" -msgstr "" +msgstr "Gruppelogo" #: actions/grouplogo.php:150 #, php-format @@ -1686,9 +1646,8 @@ msgid "Pick a square area of the image to be the logo." msgstr "" #: actions/grouplogo.php:396 -#, fuzzy msgid "Logo updated." -msgstr "Avataren har blitt oppdatert." +msgstr "Logo oppdatert." #: actions/grouplogo.php:398 msgid "Failed updating logo." @@ -1697,7 +1656,7 @@ msgstr "" #: actions/groupmembers.php:93 lib/groupnav.php:92 #, php-format msgid "%s group members" -msgstr "" +msgstr "%s gruppemedlemmer" #: actions/groupmembers.php:96 #, php-format @@ -1754,9 +1713,8 @@ msgid "" msgstr "" #: actions/groups.php:107 actions/usergroups.php:124 lib/groupeditform.php:122 -#, fuzzy msgid "Create a new group" -msgstr "Opprett en ny konto" +msgstr "Opprett en ny gruppe" #: actions/groupsearch.php:52 #, php-format @@ -1766,14 +1724,13 @@ msgid "" msgstr "" #: actions/groupsearch.php:58 -#, fuzzy msgid "Group search" -msgstr "Tekst-søk" +msgstr "Gruppesøk" #: actions/groupsearch.php:79 actions/noticesearch.php:117 #: actions/peoplesearch.php:83 msgid "No results." -msgstr "" +msgstr "Ingen resultat." #: actions/groupsearch.php:82 #, php-format @@ -1894,12 +1851,12 @@ msgstr "Det er ikke din Jabber ID." #: actions/inbox.php:59 #, php-format msgid "Inbox for %1$s - page %2$d" -msgstr "" +msgstr "Innboks for %1$s - side %2$d" #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" -msgstr "" +msgstr "Innboks for %s" #: actions/inbox.php:115 msgid "This is your inbox, which lists your incoming private messages." @@ -1907,7 +1864,7 @@ msgstr "" #: actions/invite.php:39 msgid "Invites have been disabled." -msgstr "" +msgstr "Invitasjoner har blitt deaktivert." #: actions/invite.php:41 #, php-format @@ -1917,15 +1874,15 @@ msgstr "" #: actions/invite.php:72 #, php-format msgid "Invalid email address: %s" -msgstr "" +msgstr "Ugyldig e-postadresse: %s" #: actions/invite.php:110 msgid "Invitation(s) sent" -msgstr "" +msgstr "Invitasjon(er) sendt" #: actions/invite.php:112 msgid "Invite new users" -msgstr "" +msgstr "Inviter nye brukere" #: actions/invite.php:128 msgid "You are already subscribed to these users:" @@ -1934,7 +1891,7 @@ msgstr "" #: actions/invite.php:131 actions/invite.php:139 lib/command.php:306 #, php-format msgid "%1$s (%2$s)" -msgstr "" +msgstr "%1$s (%2$s)" #: actions/invite.php:136 msgid "" @@ -1958,7 +1915,7 @@ msgstr "" #: actions/invite.php:187 msgid "Email addresses" -msgstr "" +msgstr "E-postadresser" #: actions/invite.php:189 msgid "Addresses of friends to invite (one per line)" @@ -1966,7 +1923,7 @@ msgstr "Adresser til venner som skal inviteres (én per linje)" #: actions/invite.php:192 msgid "Personal message" -msgstr "" +msgstr "Personlig melding" #: actions/invite.php:194 msgid "Optionally add a personal message to the invitation." @@ -2035,7 +1992,7 @@ msgstr "" #: actions/joingroup.php:60 msgid "You must be logged in to join a group." -msgstr "" +msgstr "Du mÃ¥ være innlogget for Ã¥ bli med i en gruppe." #: actions/joingroup.php:131 #, php-format @@ -2051,9 +2008,9 @@ msgid "You are not a member of that group." msgstr "" #: actions/leavegroup.php:127 -#, fuzzy, php-format +#, php-format msgid "%1$s left group %2$s" -msgstr "%1$s sin status pÃ¥ %2$s" +msgstr "%1$s forlot gruppe %2$s" #: actions/login.php:80 actions/otp.php:62 actions/register.php:137 msgid "Already logged in." @@ -2124,7 +2081,7 @@ msgstr "Gjør brukeren til en administrator for gruppen" #: actions/microsummary.php:69 msgid "No current status" -msgstr "" +msgstr "Ingen nÃ¥værende status" #: actions/newapplication.php:52 #, fuzzy @@ -2246,11 +2203,11 @@ msgstr "" #: actions/nudge.php:94 msgid "Nudge sent" -msgstr "" +msgstr "Knuff sendt" #: actions/nudge.php:97 msgid "Nudge sent!" -msgstr "" +msgstr "Knuff sendt!" #: actions/oauthappssettings.php:59 msgid "You must be logged in to list your applications." @@ -2306,11 +2263,11 @@ msgstr "%1$s sin status pÃ¥ %2$s" #: actions/oembed.php:157 msgid "content type " -msgstr "" +msgstr "innholdstype " #: actions/oembed.php:160 msgid "Only " -msgstr "" +msgstr "Bare " #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 #: lib/api.php:1067 lib/api.php:1177 @@ -2326,9 +2283,8 @@ msgid "Notice Search" msgstr "" #: actions/othersettings.php:60 -#, fuzzy msgid "Other settings" -msgstr "Innstillinger for IM" +msgstr "Andre innstillinger" #: actions/othersettings.php:71 msgid "Manage various other options." @@ -2385,30 +2341,28 @@ msgstr "" #: actions/outbox.php:58 #, php-format msgid "Outbox for %1$s - page %2$d" -msgstr "" +msgstr "Utboks for %1$s - side %2$d" #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" -msgstr "" +msgstr "Utboks for %s" #: actions/outbox.php:116 msgid "This is your outbox, which lists private messages you have sent." -msgstr "" +msgstr "Dette er utboksen din som viser alle private meldinger du har sendt." #: actions/passwordsettings.php:58 msgid "Change password" msgstr "Endre passord" #: actions/passwordsettings.php:69 -#, fuzzy msgid "Change your password." -msgstr "Endre passord" +msgstr "Endre passordet ditt." #: actions/passwordsettings.php:96 actions/recoverpassword.php:231 -#, fuzzy msgid "Password change" -msgstr "Passordet ble lagret" +msgstr "Endre passord" #: actions/passwordsettings.php:104 msgid "Old password" @@ -2429,7 +2383,7 @@ msgstr "Bekreft" #: actions/passwordsettings.php:113 actions/recoverpassword.php:240 msgid "Same as password above" -msgstr "" +msgstr "Samme som passord ovenfor" #: actions/passwordsettings.php:117 msgid "Change" @@ -2437,11 +2391,11 @@ msgstr "Endre" #: actions/passwordsettings.php:154 actions/register.php:230 msgid "Password must be 6 or more characters." -msgstr "" +msgstr "Passord mÃ¥ være minst 6 tegn." #: actions/passwordsettings.php:157 actions/register.php:233 msgid "Passwords don't match." -msgstr "" +msgstr "Passordene var ikke like." #: actions/passwordsettings.php:165 msgid "Incorrect old password" @@ -2497,9 +2451,8 @@ msgid "Site" msgstr "" #: actions/pathsadminpanel.php:238 -#, fuzzy msgid "Server" -msgstr "Gjenopprett" +msgstr "Tjener" #: actions/pathsadminpanel.php:238 msgid "Site's server hostname." @@ -2583,24 +2536,23 @@ msgstr "" #: actions/pathsadminpanel.php:320 msgid "SSL" -msgstr "" +msgstr "SSL" #: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 -#, fuzzy msgid "Never" -msgstr "Gjenopprett" +msgstr "Aldri" #: actions/pathsadminpanel.php:324 msgid "Sometimes" -msgstr "" +msgstr "Noen ganger" #: actions/pathsadminpanel.php:325 msgid "Always" -msgstr "" +msgstr "Alltid" #: actions/pathsadminpanel.php:329 msgid "Use SSL" -msgstr "" +msgstr "Bruk SSL" #: actions/pathsadminpanel.php:330 msgid "When to use SSL" @@ -2727,7 +2679,7 @@ msgstr "SprÃ¥k" #: actions/profilesettings.php:152 msgid "Preferred language" -msgstr "" +msgstr "Foretrukket sprÃ¥k" #: actions/profilesettings.php:161 msgid "Timezone" @@ -2735,7 +2687,7 @@ msgstr "Tidssone" #: actions/profilesettings.php:162 msgid "What timezone are you normally in?" -msgstr "" +msgstr "Hvilken tidssone er du vanligvis i?" #: actions/profilesettings.php:167 msgid "" @@ -2744,17 +2696,17 @@ msgstr "" "Abonner automatisk pÃ¥ de som abonnerer pÃ¥ meg (best for ikke-mennesker)" #: actions/profilesettings.php:228 actions/register.php:223 -#, fuzzy, php-format +#, php-format msgid "Bio is too long (max %d chars)." -msgstr "«Om meg» er for lang (maks 140 tegn)." +msgstr "«Om meg» er for lang (maks %d tegn)." #: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." -msgstr "" +msgstr "Tidssone ikke valgt." #: actions/profilesettings.php:241 msgid "Language is too long (max 50 chars)." -msgstr "" +msgstr "SprÃ¥k er for langt (maks 50 tegn)." #: actions/profilesettings.php:253 actions/tagother.php:178 #, fuzzy, php-format @@ -3026,7 +2978,7 @@ msgstr "" #: actions/register.php:212 msgid "Email address already exists." -msgstr "" +msgstr "E-postadressen finnes allerede." #: actions/register.php:243 actions/register.php:265 msgid "Invalid username or password." @@ -3049,7 +3001,7 @@ msgstr "6 eller flere tegn. PÃ¥krevd." #: actions/register.php:434 msgid "Same as password above. Required." -msgstr "" +msgstr "Samme som passord over. Kreves." #: actions/register.php:438 actions/register.php:442 #: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 @@ -3066,23 +3018,22 @@ msgstr "Lengre navn, helst ditt \"ekte\" navn" #: actions/register.php:494 msgid "My text and files are available under " -msgstr "" +msgstr "Teksten og filene mine er tilgjengelig under " #: actions/register.php:496 msgid "Creative Commons Attribution 3.0" -msgstr "" +msgstr "Creative Commons Navngivelse 3.0" #: actions/register.php:497 -#, fuzzy msgid "" " except this private data: password, email address, IM address, and phone " "number." msgstr "" -"utenom disse private dataene: passord, epost, adresse, lynmeldingsadresse og " -"telefonnummer." +" utenom disse private dataene: passord, e-postadresse, lynmeldingsadresse " +"og telefonnummer." #: actions/register.php:538 -#, fuzzy, php-format +#, php-format msgid "" "Congratulations, %1$s! And welcome to %%%%site.name%%%%. From here, you may " "want to...\n" @@ -3099,20 +3050,20 @@ msgid "" "\n" "Thanks for signing up and we hope you enjoy using this service." msgstr "" -"Gratulerer, %s! Og velkommen til %%%%site.name%%%%. Herfra vil du " +"Gratulerer, %1$s! Og velkommen til %%%%site.name%%%%. Herfra vil du " "kanskje...\n" "\n" -"* GÃ¥ til [din profil](%s) og sende din første notis.\n" -"* Legge til en [Jabber/GTalk addresse](%%%%action.imsettings%%%%) sÃ¥ du kan " -"sende notiser fra lynmeldinger.\n" -"* [Søke etter brukere](%%%%action.peoplesearch%%%%) that you may know or " -"that share your interests. \n" -"* Update your [profile settings](%%%%action.profilesettings%%%%) to tell " -"others more about you. \n" -"* Read over the [online docs](%%%%doc.help%%%%) for features you may have " -"missed. \n" +"* GÃ¥ til [din profil](%2$s) og sende din første melding.\n" +"* Legge til en [Jabber/GTalk-addresse](%%%%action.imsettings%%%%) sÃ¥ du kan " +"sende notiser gjennom lynmeldinger.\n" +"* [Søke etter brukere](%%%%action.peoplesearch%%%%) som du kanskje kjenner " +"eller deler dine interesser.\n" +"* Oppdater dine [profilinnstillinger](%%%%action.profilesettings%%%%) for Ã¥ " +"fortelle mer om deg til andre.\n" +"* Les over [hjelpetekstene](%%%%doc.help%%%%) for funksjoner du kan ha gÃ¥tt " +"glipp av.\n" "\n" -"Thanks for signing up and we hope you enjoy using this service." +"Takk for at du registrerte deg og vi hÃ¥per du kommer til Ã¥ like tjenesten." #: actions/register.php:562 msgid "" @@ -3194,14 +3145,12 @@ msgid "You already repeated that notice." msgstr "Du er allerede logget inn!" #: actions/repeat.php:114 lib/noticelist.php:642 -#, fuzzy msgid "Repeated" -msgstr "Opprett" +msgstr "Gjentatt" #: actions/repeat.php:119 -#, fuzzy msgid "Repeated!" -msgstr "Opprett" +msgstr "Gjentatt!" #: actions/replies.php:125 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 @@ -3210,24 +3159,24 @@ msgid "Replies to %s" msgstr "Svar til %s" #: actions/replies.php:127 -#, fuzzy, php-format +#, php-format msgid "Replies to %1$s, page %2$d" -msgstr "Svar til %s" +msgstr "Svar til %1$s, side %2$d" #: actions/replies.php:144 #, php-format msgid "Replies feed for %s (RSS 1.0)" -msgstr "" +msgstr "Svarstrøm for %s (RSS 1.0)" #: actions/replies.php:151 #, php-format msgid "Replies feed for %s (RSS 2.0)" -msgstr "" +msgstr "Svarstrøm for %s (RSS 2.0)" #: actions/replies.php:158 -#, fuzzy, php-format +#, php-format msgid "Replies feed for %s (Atom)" -msgstr "Svar til %s" +msgstr "Svarstrøm for %s (Atom)" #: actions/replies.php:198 #, fuzzy, php-format @@ -3254,14 +3203,13 @@ msgstr "" "s)." #: actions/repliesrss.php:72 -#, fuzzy, php-format +#, php-format msgid "Replies to %1$s on %2$s!" -msgstr "Svar til %s" +msgstr "Svar til %1$s pÃ¥ %2$s!" #: actions/rsd.php:146 actions/version.php:157 -#, fuzzy msgid "StatusNet" -msgstr "Statistikk" +msgstr "StatusNet" #: actions/sandbox.php:65 actions/unsandbox.php:65 #, fuzzy @@ -3308,79 +3256,81 @@ msgstr "Innstillinger for IM" msgid "You must be logged in to view an application." msgstr "" -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 msgid "Application profile" msgstr "" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" -msgstr "" +msgstr "Ikon" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 -#, fuzzy msgid "Name" -msgstr "Nick" +msgstr "Navn" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 -#, fuzzy +#: actions/showapplication.php:178 lib/applicationeditform.php:222 msgid "Organization" -msgstr "Bekreftelseskode" +msgstr "Organisasjon" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 -#, fuzzy msgid "Description" -msgstr "Alle abonnementer" +msgstr "Beskrivelse" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statistikk" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" -msgstr "" +msgstr "Opprettet av %1$s - %2$s standardtilgang - %3$d brukere" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "Er du sikker pÃ¥ at du vil slette denne notisen?" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4694,11 +4644,11 @@ msgstr "" msgid "Sessions configuration" msgstr "" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index c00e68ce6..489ab7f95 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:21:47+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:33:17+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: out-statusnet\n" @@ -487,12 +487,11 @@ msgstr "groepen op %s" #: actions/apioauthauthorize.php:101 msgid "No oauth_token parameter provided." -msgstr "" +msgstr "Er is geen oauth_token parameter opgegeven." #: actions/apioauthauthorize.php:106 -#, fuzzy msgid "Invalid token." -msgstr "Ongeldige afmetingen." +msgstr "Ongeldig token." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -540,9 +539,9 @@ msgstr "" "toegangstoken." #: actions/apioauthauthorize.php:227 -#, fuzzy, php-format +#, php-format msgid "The request token %s has been denied and revoked." -msgstr "Het verzoektoken %s is geweigerd." +msgstr "Het verzoektoken %s is geweigerd en ingetrokken." #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -568,6 +567,9 @@ msgid "" "the ability to %3$s your %4$s account data. You should only " "give access to your %4$s account to third parties you trust." msgstr "" +"De applicatie %1$s van %2$s vraagt toegang " +"van het type \"%3$s tot uw gebruikersgegevens. Geef alleen " +"toegang tot uw gebruiker bij %4$s aan derde partijen die u vertrouwt." #: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" @@ -765,7 +767,7 @@ msgstr "Origineel" msgid "Preview" msgstr "Voorvertoning" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Verwijderen" @@ -934,14 +936,12 @@ msgid "Notices" msgstr "Mededelingen" #: actions/deleteapplication.php:63 -#, fuzzy msgid "You must be logged in to delete an application." -msgstr "U moet aangemeld zijn om een applicatie te kunnen bewerken." +msgstr "U moet aangemeld zijn om een applicatie te kunnen verwijderen." #: actions/deleteapplication.php:71 -#, fuzzy msgid "Application not found." -msgstr "Applicatieinformatie" +msgstr "De applicatie is niet gevonden." #: actions/deleteapplication.php:78 actions/editapplication.php:77 #: actions/showapplication.php:94 @@ -955,30 +955,26 @@ msgid "There was a problem with your session token." msgstr "Er is een probleem met uw sessietoken." #: actions/deleteapplication.php:123 actions/deleteapplication.php:147 -#, fuzzy msgid "Delete application" -msgstr "Applicatie bewerken" +msgstr "Applicatie verwijderen" #: actions/deleteapplication.php:149 -#, fuzzy msgid "" "Are you sure you want to delete this application? This will clear all data " "about the application from the database, including all existing user " "connections." msgstr "" -"Weet u zeker dat u deze gebruiker wilt verwijderen? Door deze handeling " -"worden alle gegevens van deze gebruiker uit de database verwijderd. Het is " -"niet mogelijk ze terug te zetten." +"Weet u zeker dat u deze applicatie wilt verwijderen? Door deze handeling " +"worden alle gegevens van deze applicatie uit de database verwijderd, " +"inclusief alle bestaande gebruikersverbindingen." #: actions/deleteapplication.php:156 -#, fuzzy msgid "Do not delete this application" -msgstr "Deze mededeling niet verwijderen" +msgstr "Deze applicatie niet verwijderen" #: actions/deleteapplication.php:160 -#, fuzzy msgid "Delete this application" -msgstr "Icoon voor deze applicatie" +msgstr "Deze applicatie verwijderen" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 @@ -1190,10 +1186,8 @@ msgid "Name is too long (max 255 chars)." msgstr "De naam is te lang (maximaal 255 tekens)." #: actions/editapplication.php:183 actions/newapplication.php:162 -#, fuzzy msgid "Name already in use. Try another one." -msgstr "" -"De opgegeven gebruikersnaam is al in gebruik. Kies een andere gebruikersnaam." +msgstr "Deze naam wordt al gebruikt. Kies een andere." #: actions/editapplication.php:186 actions/newapplication.php:168 msgid "Description is required." @@ -3371,71 +3365,71 @@ msgstr "Websiteinstellingen opslaan" msgid "You must be logged in to view an application." msgstr "U moet aangemeld zijn om een applicatie te kunnen bekijken." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 msgid "Application profile" msgstr "Applicatieprofiel" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "Icoon" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 msgid "Name" msgstr "Naam" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 msgid "Organization" msgstr "Organisatie" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Beschrijving" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statistieken" -#: actions/showapplication.php:204 -#, fuzzy, php-format +#: actions/showapplication.php:203 +#, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" -msgstr "aangemaakt door %1$s - standaardtoegang \"%2$s\" - %3$d gebruikers" +msgstr "Aangemaakt door %1$s - standaardtoegang \"%2$s\" - %3$d gebruikers" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "Applicatiehandelingen" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "Sleutel en wachtwoord op nieuw instellen" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "Applicatieinformatie" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "Gebruikerssleutel" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "Gebruikerswachtwoord" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "URL voor verzoektoken" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "URL voor toegangstoken" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "Autorisatie-URL" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3443,6 +3437,11 @@ msgstr "" "Opmerking: HMAC-SHA1 ondertekening wordt ondersteund. Ondertekening in " "platte tekst is niet mogelijk." +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "Weet u zeker dat u deze aankondiging wilt verwijderen?" + #: actions/showfavorites.php:79 #, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4832,13 +4831,13 @@ msgstr "Padinstellingen" msgid "Sessions configuration" msgstr "Sessieinstellingen" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" "Het API-programma heeft lezen-en-schrijventoegang nodig, maar u hebt alleen " "maar leestoegang." -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -6068,7 +6067,7 @@ msgstr "Deze mededeling herhalen" #: lib/router.php:665 msgid "No single user defined for single-user mode." -msgstr "" +msgstr "Er is geen gebruiker gedefinieerd voor single-usermodus." #: lib/sandboxform.php:67 msgid "Sandbox" diff --git a/locale/nn/LC_MESSAGES/statusnet.po b/locale/nn/LC_MESSAGES/statusnet.po index 084e2d6fe..aa512e84a 100644 --- a/locale/nn/LC_MESSAGES/statusnet.po +++ b/locale/nn/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:21:43+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:33:14+0000\n" "Language-Team: Norwegian Nynorsk\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nn\n" "X-Message-Group: out-statusnet\n" @@ -763,7 +763,7 @@ msgstr "Original" msgid "Preview" msgstr "Forhandsvis" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Slett" @@ -3389,79 +3389,84 @@ msgstr "Avatar-innstillingar" msgid "You must be logged in to view an application." msgstr "Du mÃ¥ være innlogga for Ã¥ melde deg ut av ei gruppe." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 #, fuzzy msgid "Application profile" msgstr "Notisen har ingen profil" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "Kallenamn" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Paginering" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Beskriving" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statistikk" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "Sikker pÃ¥ at du vil sletta notisen?" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4821,11 +4826,11 @@ msgstr "SMS bekreftelse" msgid "Sessions configuration" msgstr "SMS bekreftelse" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index 372892a6d..cf3c247f8 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:21:50+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:33:20+0000\n" "Last-Translator: Piotr DrÄ…g \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -19,7 +19,7 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: out-statusnet\n" @@ -484,12 +484,11 @@ msgstr "grupy na %s" #: actions/apioauthauthorize.php:101 msgid "No oauth_token parameter provided." -msgstr "" +msgstr "Nie podano parametru oauth_token." #: actions/apioauthauthorize.php:106 -#, fuzzy msgid "Invalid token." -msgstr "NieprawidÅ‚owy rozmiar." +msgstr "NieprawidÅ‚owy token." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -530,9 +529,9 @@ msgstr "" "Token żądania %s zostaÅ‚ upoważniony. ProszÄ™ wymienić go na token dostÄ™pu." #: actions/apioauthauthorize.php:227 -#, fuzzy, php-format +#, php-format msgid "The request token %s has been denied and revoked." -msgstr "Token żądania %s zostaÅ‚ odrzucony." +msgstr "Token żądania %s zostaÅ‚ odrzucony lub unieważniony." #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -558,6 +557,9 @@ msgid "" "the ability to %3$s your %4$s account data. You should only " "give access to your %4$s account to third parties you trust." msgstr "" +"Aplikacja %1$s autorstwa %2$s chciaÅ‚aby " +"uzyskać możliwość %3$s danych konta %4$s. DostÄ™p do konta %4" +"$s powinien być udostÄ™pniany tylko zaufanym osobom trzecim." #: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" @@ -752,7 +754,7 @@ msgstr "OryginaÅ‚" msgid "Preview" msgstr "PodglÄ…d" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "UsuÅ„" @@ -920,14 +922,12 @@ msgid "Notices" msgstr "Wpisy" #: actions/deleteapplication.php:63 -#, fuzzy msgid "You must be logged in to delete an application." -msgstr "Musisz być zalogowany, aby zmodyfikować aplikacjÄ™." +msgstr "Musisz być zalogowany, aby usunąć aplikacjÄ™." #: actions/deleteapplication.php:71 -#, fuzzy msgid "Application not found." -msgstr "Informacje o aplikacji" +msgstr "Nie odnaleziono aplikacji." #: actions/deleteapplication.php:78 actions/editapplication.php:77 #: actions/showapplication.php:94 @@ -941,29 +941,25 @@ msgid "There was a problem with your session token." msgstr "WystÄ…piÅ‚ problem z tokenem sesji." #: actions/deleteapplication.php:123 actions/deleteapplication.php:147 -#, fuzzy msgid "Delete application" -msgstr "Zmodyfikuj aplikacjÄ™" +msgstr "UsuÅ„ aplikacjÄ™" #: actions/deleteapplication.php:149 -#, fuzzy msgid "" "Are you sure you want to delete this application? This will clear all data " "about the application from the database, including all existing user " "connections." msgstr "" -"Na pewno usunąć tego użytkownika? WyczyÅ›ci to wszystkie dane o użytkowniku z " -"bazy danych, bez utworzenia kopii zapasowej." +"Na pewno usunąć tÄ™ aplikacjÄ™? WyczyÅ›ci to wszystkie dane o aplikacji z bazy " +"danych, w tym wszystkie istniejÄ…ce poÅ‚Ä…czenia użytkowników." #: actions/deleteapplication.php:156 -#, fuzzy msgid "Do not delete this application" -msgstr "Nie usuwaj tego wpisu" +msgstr "Nie usuwaj tej aplikacji" #: actions/deleteapplication.php:160 -#, fuzzy msgid "Delete this application" -msgstr "Ikona tej aplikacji" +msgstr "UsuÅ„ tÄ™ aplikacjÄ™" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 @@ -1172,9 +1168,8 @@ msgid "Name is too long (max 255 chars)." msgstr "Nazwa jest za dÅ‚uga (maksymalnie 255 znaków)." #: actions/editapplication.php:183 actions/newapplication.php:162 -#, fuzzy msgid "Name already in use. Try another one." -msgstr "Pseudonim jest już używany. Spróbuj innego." +msgstr "Nazwa jest już używana. Spróbuj innej." #: actions/editapplication.php:186 actions/newapplication.php:168 msgid "Description is required." @@ -3322,71 +3317,71 @@ msgstr "Zapisz ustawienia witryny" msgid "You must be logged in to view an application." msgstr "Musisz być zalogowany, aby wyÅ›wietlić aplikacjÄ™." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 msgid "Application profile" msgstr "Profil aplikacji" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "Ikona" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 msgid "Name" msgstr "Nazwa" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 msgid "Organization" msgstr "Organizacja" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Opis" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statystyki" -#: actions/showapplication.php:204 -#, fuzzy, php-format +#: actions/showapplication.php:203 +#, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" -msgstr "utworzona przez %1$s - domyÅ›lny dostÄ™p: %2$s - %3$d użytkowników" +msgstr "Utworzona przez %1$s - domyÅ›lny dostÄ™p: %2$s - %3$d użytkowników" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "CzynnoÅ›ci aplikacji" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "Przywrócenie klucza i sekretu" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "Informacje o aplikacji" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "Klucz klienta" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "Sekret klienta" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "Adres URL tokenu żądania" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "Adres URL tokenu żądania" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "Adres URL upoważnienia" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3394,6 +3389,11 @@ msgstr "" "Uwaga: obsÅ‚ugiwane sÄ… podpisy HMAC-SHA1. Metoda podpisu w zwykÅ‚ym tekÅ›cie " "nie jest obsÅ‚ugiwana." +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "JesteÅ› pewien, że chcesz usunąć ten wpis?" + #: actions/showfavorites.php:79 #, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4765,13 +4765,13 @@ msgstr "Konfiguracja Å›cieżek" msgid "Sessions configuration" msgstr "Konfiguracja sesji" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" "Zasób API wymaga dostÄ™pu do zapisu i do odczytu, ale powiadasz dostÄ™p tylko " "do odczytu." -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5994,6 +5994,7 @@ msgstr "Powtórz ten wpis" #: lib/router.php:665 msgid "No single user defined for single-user mode." msgstr "" +"Nie okreÅ›lono pojedynczego użytkownika dla trybu pojedynczego użytkownika." #: lib/sandboxform.php:67 msgid "Sandbox" diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index 96d35bf8a..239414026 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:21:54+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:33:23+0000\n" "Language-Team: Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: out-statusnet\n" @@ -752,7 +752,7 @@ msgstr "Original" msgid "Preview" msgstr "Antevisão" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Apagar" @@ -3360,79 +3360,84 @@ msgstr "Gravar configurações do site" msgid "You must be logged in to view an application." msgstr "Precisa de iniciar uma sessão para deixar um grupo." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 #, fuzzy msgid "Application profile" msgstr "Nota não tem perfil" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 msgid "Name" msgstr "Nome" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Paginação" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Descrição" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Estatísticas" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 #, fuzzy msgid "Authorize URL" msgstr "Autor" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "Tem a certeza de que quer apagar esta nota?" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4804,11 +4809,11 @@ msgstr "Configuração das localizações" msgid "Sessions configuration" msgstr "Configuração do estilo" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index 81c931c45..88b46d663 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:21:58+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:33:27+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" @@ -761,7 +761,7 @@ msgstr "Original" msgid "Preview" msgstr "Visualização" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Excluir" @@ -3360,71 +3360,71 @@ msgstr "Salvar as configurações do site" msgid "You must be logged in to view an application." msgstr "Você deve estar autenticado para visualizar uma aplicação." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 msgid "Application profile" msgstr "Perfil da aplicação" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "Ãcone" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 msgid "Name" msgstr "Nome" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 msgid "Organization" msgstr "Organização" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Descrição" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Estatísticas" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, fuzzy, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "criado por %1$s - %2$s acessa por padrão - %3$d usuários" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "Ações da aplicação" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "Restaurar a chave e o segredo" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "Informação da aplicação" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "Chave do consumidor" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "Segredo do consumidor" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "URL do token de requisição" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "URL do token de acesso" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "Autorizar a URL" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3432,6 +3432,11 @@ msgstr "" "Nota: Nós suportamos assinaturas HMAC-SHA1. Nós não suportamos o método de " "assinatura em texto plano." +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "Tem certeza que deseja excluir esta mensagem?" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4805,11 +4810,11 @@ msgstr "Configuração dos caminhos" msgid "Sessions configuration" msgstr "Configuração da aparência" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index a9fd1e3cf..48e7d28aa 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -1,6 +1,7 @@ # Translation of StatusNet to Russian # # Author@translatewiki.net: Brion +# Author@translatewiki.net: Kirill # Author@translatewiki.net: Lockal # Author@translatewiki.net: Rubin # Author@translatewiki.net: ÐлекÑандр Сигачёв @@ -11,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:22:02+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:33:30+0000\n" "Language-Team: Russian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: out-statusnet\n" @@ -485,12 +486,11 @@ msgstr "группы на %s" #: actions/apioauthauthorize.php:101 msgid "No oauth_token parameter provided." -msgstr "" +msgstr "Ðе задан параметр oauth_token." #: actions/apioauthauthorize.php:106 -#, fuzzy msgid "Invalid token." -msgstr "Ðеверный размер." +msgstr "Ðеправильный токен" #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -531,9 +531,9 @@ msgstr "" "Ключ запроÑа %s авторизован. ПожалуйÑта, обменÑйте его на ключ доÑтупа." #: actions/apioauthauthorize.php:227 -#, fuzzy, php-format +#, php-format msgid "The request token %s has been denied and revoked." -msgstr "Ключ запроÑа %s отклонён." +msgstr "Ð—Ð°Ð¿Ñ€Ð¾Ñ Ñ‚Ð¾ÐºÐµÐ½Ð° %s был запрещен и аннулирован." #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -559,6 +559,10 @@ msgid "" "the ability to %3$s your %4$s account data. You should only " "give access to your %4$s account to third parties you trust." msgstr "" +"Приложение %1$s от %2$s проÑит разрешение " +"на%3$s данных вашей учётной запиÑи%4$s . Ð’Ñ‹ должны " +"предоÑтавлÑÑ‚ÑŒ разрешение на доÑтуп к вашей учётной запиÑи %4$s только тем " +"Ñторонним приложениÑм, которым вы доверÑете." #: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" @@ -754,7 +758,7 @@ msgstr "Оригинал" msgid "Preview" msgstr "ПроÑмотр" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Удалить" @@ -922,14 +926,12 @@ msgid "Notices" msgstr "ЗапиÑи" #: actions/deleteapplication.php:63 -#, fuzzy msgid "You must be logged in to delete an application." -msgstr "Ð’Ñ‹ должны авторизоватьÑÑ, чтобы изменить приложение." +msgstr "Ð’Ñ‹ должны войти в ÑиÑтему, чтобы удалить приложение." #: actions/deleteapplication.php:71 -#, fuzzy msgid "Application not found." -msgstr "Ð˜Ð½Ñ„Ð¾Ñ€Ð¼Ð°Ñ†Ð¸Ñ Ð¾ приложении" +msgstr "Приложение не найдено." #: actions/deleteapplication.php:78 actions/editapplication.php:77 #: actions/showapplication.php:94 @@ -943,29 +945,26 @@ msgid "There was a problem with your session token." msgstr "Проблема Ñ Ð’Ð°ÑˆÐµÐ¹ ÑеÑÑией. Попробуйте ещё раз, пожалуйÑта." #: actions/deleteapplication.php:123 actions/deleteapplication.php:147 -#, fuzzy msgid "Delete application" -msgstr "Изменить приложение" +msgstr "Удалить приложение" #: actions/deleteapplication.php:149 -#, fuzzy msgid "" "Are you sure you want to delete this application? This will clear all data " "about the application from the database, including all existing user " "connections." msgstr "" -"Ð’Ñ‹ дейÑтвительно хотите удалить Ñтого пользователÑ? Это повлечёт удаление " -"вÑех данных о пользователе из базы данных без возможноÑти воÑÑтановлениÑ." +"Ð’Ñ‹ уверены, что хотите удалить Ñто приложение? Это очиÑтит вÑе данные о " +"применении из базы данных, Ð²ÐºÐ»ÑŽÑ‡Ð°Ñ Ð²Ñе ÑущеÑтвующие Ð¿Ð¾Ð´ÐºÐ»ÑŽÑ‡ÐµÐ½Ð¸Ñ " +"пользователей." #: actions/deleteapplication.php:156 -#, fuzzy msgid "Do not delete this application" -msgstr "Ðе удалÑÑ‚ÑŒ Ñту запиÑÑŒ" +msgstr "Ðе удалÑйте Ñто приложение" #: actions/deleteapplication.php:160 -#, fuzzy msgid "Delete this application" -msgstr "Иконка Ð´Ð»Ñ Ñтого приложениÑ" +msgstr "Удалить Ñто приложение" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 @@ -1176,7 +1175,6 @@ msgid "Name is too long (max 255 chars)." msgstr "Ð˜Ð¼Ñ Ñлишком длинное (не больше 255 знаков)." #: actions/editapplication.php:183 actions/newapplication.php:162 -#, fuzzy msgid "Name already in use. Try another one." msgstr "Такое Ð¸Ð¼Ñ ÑƒÐ¶Ðµ иÑпользуетÑÑ. Попробуйте какое-нибудь другое." @@ -3337,71 +3335,71 @@ msgstr "Сохранить наÑтройки Ñайта" msgid "You must be logged in to view an application." msgstr "Ð’Ñ‹ должны авторизоватьÑÑ, чтобы проÑматривать приложениÑ." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 msgid "Application profile" msgstr "Профиль приложениÑ" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "Иконка" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 msgid "Name" msgstr "ИмÑ" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 msgid "Organization" msgstr "ОрганизациÑ" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "ОпиÑание" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "СтатиÑтика" -#: actions/showapplication.php:204 -#, fuzzy, php-format +#: actions/showapplication.php:203 +#, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" -msgstr "Ñоздано %1$s — %2$s доÑтуп по умолчанию — %3$d польз." +msgstr "Создано %1$s — доÑтуп по умолчанию: %2$s — %3$d польз." -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "ДейÑÑ‚Ð²Ð¸Ñ Ð¿Ñ€Ð¸Ð»Ð¾Ð¶ÐµÐ½Ð¸Ñ" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "СброÑить ключ и Ñекретную фразу" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "Ð˜Ð½Ñ„Ð¾Ñ€Ð¼Ð°Ñ†Ð¸Ñ Ð¾ приложении" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "ПотребительÑкий ключ" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "Ð¡ÐµÐºÑ€ÐµÑ‚Ð½Ð°Ñ Ñ„Ñ€Ð°Ð·Ð° потребителÑ" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "URL ключа запроÑа" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "URL ключа доÑтупа" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "URL авторизации" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3409,6 +3407,11 @@ msgstr "" "Примечание: Мы поддерживаем подпиÑи HMAC-SHA1. Мы не поддерживаем метод " "подпиÑи открытым текÑтом." +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "Ð’Ñ‹ уверены, что хотите удалить Ñту запиÑÑŒ?" + #: actions/showfavorites.php:79 #, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4781,13 +4784,13 @@ msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¿ÑƒÑ‚ÐµÐ¹" msgid "Sessions configuration" msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ ÑеÑÑий" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" "API реÑурÑа требует доÑтуп Ð´Ð»Ñ Ñ‡Ñ‚ÐµÐ½Ð¸Ñ Ð¸ запиÑи, но у Ð²Ð°Ñ ÐµÑÑ‚ÑŒ только доÑтуп " "Ð´Ð»Ñ Ñ‡Ñ‚ÐµÐ½Ð¸Ñ." -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -6006,7 +6009,7 @@ msgstr "Повторить Ñту запиÑÑŒ" #: lib/router.php:665 msgid "No single user defined for single-user mode." -msgstr "" +msgstr "Ðи задан пользователь Ð´Ð»Ñ Ð¾Ð´Ð½Ð¾Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»ÑŒÑкого режима." #: lib/sandboxform.php:67 msgid "Sandbox" diff --git a/locale/statusnet.po b/locale/statusnet.po index bdd6f05cd..6275acc2c 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -728,7 +728,7 @@ msgstr "" msgid "Preview" msgstr "" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "" @@ -3137,76 +3137,80 @@ msgstr "" msgid "You must be logged in to view an application." msgstr "" -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 msgid "Application profile" msgstr "" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 msgid "Name" msgstr "" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 msgid "Organization" msgstr "" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "" + #: actions/showfavorites.php:79 #, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4481,11 +4485,11 @@ msgstr "" msgid "Sessions configuration" msgstr "" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index a6a277ba1..aaf7206cc 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:22:06+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:33:34+0000\n" "Language-Team: Swedish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: out-statusnet\n" @@ -476,12 +476,11 @@ msgstr "grupper pÃ¥ %s" #: actions/apioauthauthorize.php:101 msgid "No oauth_token parameter provided." -msgstr "" +msgstr "Ingen oauth_token-parameter angiven." #: actions/apioauthauthorize.php:106 -#, fuzzy msgid "Invalid token." -msgstr "Ogiltig storlek." +msgstr "Ogiltig token." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -521,9 +520,9 @@ msgid "" msgstr "Begäran-token %s har godkänts. Byt ut den mot en Ã¥tkomst-token." #: actions/apioauthauthorize.php:227 -#, fuzzy, php-format +#, php-format msgid "The request token %s has been denied and revoked." -msgstr "Begäran-token %s har nekats." +msgstr "Begäran-token %s har nekats och Ã¥terkallats." #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -549,6 +548,9 @@ msgid "" "the ability to %3$s your %4$s account data. You should only " "give access to your %4$s account to third parties you trust." msgstr "" +"Applikationen %1$s av %2$s vill att " +"möjligheten att %3$s din %4$s kontoinformation. Du bör bara " +"ge tillgÃ¥ng till ditt %4$s-konto till tredje-parter du litar pÃ¥." #: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" @@ -744,7 +746,7 @@ msgstr "Orginal" msgid "Preview" msgstr "Förhandsgranska" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Ta bort" @@ -913,14 +915,12 @@ msgid "Notices" msgstr "Notiser" #: actions/deleteapplication.php:63 -#, fuzzy msgid "You must be logged in to delete an application." -msgstr "Du mÃ¥ste vara inloggad för att redigera en applikation." +msgstr "Du mÃ¥ste vara inloggad för att ta bort en applikation." #: actions/deleteapplication.php:71 -#, fuzzy msgid "Application not found." -msgstr "Information om applikation" +msgstr "Applikation hittades inte." #: actions/deleteapplication.php:78 actions/editapplication.php:77 #: actions/showapplication.php:94 @@ -934,29 +934,26 @@ msgid "There was a problem with your session token." msgstr "Det var ett problem med din sessions-token." #: actions/deleteapplication.php:123 actions/deleteapplication.php:147 -#, fuzzy msgid "Delete application" -msgstr "Redigera applikation" +msgstr "Ta bort applikation" #: actions/deleteapplication.php:149 -#, fuzzy msgid "" "Are you sure you want to delete this application? This will clear all data " "about the application from the database, including all existing user " "connections." msgstr "" -"Är du säker pÃ¥ att du vill ta bort denna användare? Det kommer rensa all " -"data om användaren frÃ¥n databasen, utan en säkerhetskopia." +"Är du säker pÃ¥ att du vill ta bort denna applikation? Detta kommer rensa " +"bort all data om applikationen frÃ¥n databasen, inklusive alla befintliga " +"användaranslutningar." #: actions/deleteapplication.php:156 -#, fuzzy msgid "Do not delete this application" -msgstr "Ta inte bort denna notis" +msgstr "Ta inte bort denna applikation" #: actions/deleteapplication.php:160 -#, fuzzy msgid "Delete this application" -msgstr "Ikon för denna applikation" +msgstr "Ta bort denna applikation" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 @@ -1167,9 +1164,8 @@ msgid "Name is too long (max 255 chars)." msgstr "Namnet är för lÃ¥ngt (max 255 tecken)." #: actions/editapplication.php:183 actions/newapplication.php:162 -#, fuzzy msgid "Name already in use. Try another one." -msgstr "Smeknamnet används redan. Försök med ett annat." +msgstr "Namnet används redan. Prova ett annat." #: actions/editapplication.php:186 actions/newapplication.php:168 msgid "Description is required." @@ -3323,71 +3319,71 @@ msgstr "Spara webbplatsinställningar" msgid "You must be logged in to view an application." msgstr "Du mÃ¥ste vara inloggad för att se en applikation." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 msgid "Application profile" msgstr "Applikationsprofil" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "Ikon" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 msgid "Name" msgstr "Namn" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 msgid "Organization" msgstr "Organisation" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Beskrivning" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statistik" -#: actions/showapplication.php:204 -#, fuzzy, php-format +#: actions/showapplication.php:203 +#, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" -msgstr "skapad av %1$s - %2$s standardÃ¥tkomst - %3$d användare" +msgstr "Skapad av %1$s - %2$s standardÃ¥tkomst - %3$d användare" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "Ã…tgärder för applikation" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "Ã…terställ nyckel & hemlighet" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "Information om applikation" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "Nyckel för konsument" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "Hemlighet för konsument" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "URL för begäran-token" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "URL för Ã¥tkomst-token" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "TillÃ¥t URL" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3395,6 +3391,11 @@ msgstr "" "Notera: Vi stöjder HMAC-SHA1-signaturer. Vi stödjer inte metoden med " "klartextsignatur." +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "Är du säker pÃ¥ att du vill ta bort denna notis?" + #: actions/showfavorites.php:79 #, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4759,12 +4760,12 @@ msgstr "Konfiguration av sökvägar" msgid "Sessions configuration" msgstr "Konfiguration av sessioner" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" "API-resursen kräver läs- och skrivrättigheter, men du har bara läsrättighet." -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5979,7 +5980,7 @@ msgstr "Upprepa denna notis" #: lib/router.php:665 msgid "No single user defined for single-user mode." -msgstr "" +msgstr "Ingen enskild användare definierad för enanvändarläge." #: lib/sandboxform.php:67 msgid "Sandbox" diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index d8eae4dc5..40cf0b5d6 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:22:10+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:33:37+0000\n" "Language-Team: Telugu\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: out-statusnet\n" @@ -592,14 +592,12 @@ msgid "No such notice." msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ సందేశమేమీ లేదà±." #: actions/apistatusesretweet.php:83 -#, fuzzy msgid "Cannot repeat your own notice." -msgstr "à°ˆ లైసెనà±à°¸à±à°•à°¿ అంగీకరించకపోతే మీరౠనమోదà±à°šà±‡à°¸à±à°•à±‹à°²à±‡à°°à±." +msgstr "మీ నోటీసà±à°¨à°¿ మీరే à°ªà±à°¨à°°à°¾à°µà±ƒà°¤à°¿à°‚చలేరà±." #: actions/apistatusesretweet.php:91 -#, fuzzy msgid "Already repeated that notice." -msgstr "à°ˆ నోటీసà±à°¨à°¿ తొలగించà±" +msgstr "ఇపà±à°ªà°Ÿà°¿à°•à±‡ à°† నోటీసà±à°¨à°¿ à°ªà±à°¨à°°à°¾à°µà±ƒà°¤à°¿à°‚చారà±." #: actions/apistatusesshow.php:138 msgid "Status deleted." @@ -746,7 +744,7 @@ msgstr "అసలà±" msgid "Preview" msgstr "à°®à±à°¨à±à°œà±‚à°ªà±" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "తొలగించà±" @@ -913,14 +911,12 @@ msgid "Notices" msgstr "సందేశాలà±" #: actions/deleteapplication.php:63 -#, fuzzy msgid "You must be logged in to delete an application." -msgstr "ఉపకరణాలని మారà±à°šà°¡à°¾à°¨à°¿à°•à°¿ మీరౠపà±à°°à°µà±‡à°¶à°¿à°‚à°šà°¿ ఉండాలి." +msgstr "ఉపకరణాలని తొలగించడానికి మీరౠపà±à°°à°µà±‡à°¶à°¿à°‚à°šà°¿ ఉండాలి." #: actions/deleteapplication.php:71 -#, fuzzy msgid "Application not found." -msgstr "ఉపకరణ సమాచారం" +msgstr "ఉపకరణం కనబడలేదà±." #: actions/deleteapplication.php:78 actions/editapplication.php:77 #: actions/showapplication.php:94 @@ -934,29 +930,25 @@ msgid "There was a problem with your session token." msgstr "" #: actions/deleteapplication.php:123 actions/deleteapplication.php:147 -#, fuzzy msgid "Delete application" -msgstr "ఉపకరణానà±à°¨à°¿ మారà±à°šà±" +msgstr "ఉపకరణ తొలగింపà±" #: actions/deleteapplication.php:149 -#, fuzzy msgid "" "Are you sure you want to delete this application? This will clear all data " "about the application from the database, including all existing user " "connections." msgstr "" -"మీరౠనిజంగానే à°ˆ వాడà±à°•à°°à°¿à°¨à°¿ తొలగించాలనà±à°•à±à°‚à°Ÿà±à°¨à±à°¨à°¾à°°à°¾? ఇది à°† వాడà±à°•à°°à°¿ భోగటà±à°Ÿà°¾à°¨à°¿ డాటాబేసౠనà±à°‚à°¡à°¿ తొలగిసà±à°¤à±à°‚ది, " -"వెనకà±à°•à°¿ తేలేకà±à°‚à°¡à°¾." +"మీరౠనిజంగానే à°ˆ ఉపకరణానà±à°¨à°¿ తొలగించాలనà±à°•à±à°‚à°Ÿà±à°¨à±à°¨à°¾à°°à°¾? ఇది à°† ఉపకరణం à°—à±à°°à°¿à°‚à°šà°¿ భోగటà±à°Ÿà°¾à°¨à°¿, à°ªà±à°°à°¸à±à°¤à±à°¤ " +"వాడà±à°•à°°à±à°² à°…à°¨à±à°¸à°‚ధానాలతో సహా, డాటాబేసౠనà±à°‚à°¡à°¿ తొలగిసà±à°¤à±à°‚ది." #: actions/deleteapplication.php:156 -#, fuzzy msgid "Do not delete this application" -msgstr "à°ˆ నోటీసà±à°¨à°¿ తొలగించకà±" +msgstr "à°ˆ ఉపకరణానà±à°¨à°¿ తొలగించకà±" #: actions/deleteapplication.php:160 -#, fuzzy msgid "Delete this application" -msgstr "à°ˆ ఉపకరణానికి à°ªà±à°°à°¤à±€à°•à°‚" +msgstr "à°ˆ ఉపకరణానà±à°¨à°¿ తొలగించà±" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 @@ -1707,6 +1699,10 @@ msgid "" "for one](%%%%action.groupsearch%%%%) or [start your own!](%%%%action.newgroup" "%%%%)" msgstr "" +"ఒకే రకమైన ఆసకà±à°¤à±à°²à± ఉనà±à°¨ à°µà±à°¯à°•à±à°¤à±à°²à± à°•à°²à±à°¸à±à°•à±‹à°¡à°¾à°¨à°¿à°•à°¿ మరియౠమాటà±à°²à°¾à°¡à±à°•à±‹à°¡à°¾à°¨à°¿à°•à°¿ %%%%site.name%%%% " +"à°—à±à°‚à°ªà±à°²à± వీలà±à°•à°²à±à°ªà°¿à°¸à±à°¤à°¾à°¯à°¿. à°’à°• à°—à±à°‚à°ªà±à°²à±‹ చేరిన తరà±à°µà°¾à°¤ మీరౠ\"!groupname\" à°…à°¨à±à°¨ సంకేతం à°¦à±à°µà°¾à°°à°¾ à°† " +"à°—à±à°‚పౠలోని సభà±à°¯à±à°²à°‚దరికీ సందేశాలని పంపించవచà±à°šà±. మీకౠనచà±à°šà°¿à°¨ à°—à±à°‚పౠకనబడలేదా? [దాని కోసం వెతకండి](%%" +"%%action.groupsearch%%%%) లేదా [మీరే కొతà±à°¤à°¦à°¿ సృషà±à°Ÿà°¿à°‚à°šà°‚à°¡à°¿!](%%%%action.newgroup%%%%)" #: actions/groups.php:107 actions/usergroups.php:124 lib/groupeditform.php:122 msgid "Create a new group" @@ -3239,77 +3235,82 @@ msgstr "సైటౠఅమరికలనౠభదà±à°°à°ªà°°à°šà±" msgid "You must be logged in to view an application." msgstr "à°—à±à°‚à°ªà±à°¨à°¿ వదిలివెళà±à°³à°¡à°¾à°¨à°¿à°•à°¿ మీరౠపà±à°°à°µà±‡à°¶à°¿à°‚à°šà°¿ ఉండాలి." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 msgid "Application profile" msgstr "" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "à°ªà±à°°à°¤à±€à°•à°‚" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 msgid "Name" msgstr "పేరà±" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 msgid "Organization" msgstr "సంసà±à°§" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "వివరణ" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "గణాంకాలà±" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "ఉపకరణ à°šà°°à±à°¯à°²à±" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "ఉపకరణ సమాచారం" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 #, fuzzy msgid "Authorize URL" msgstr "రచయిత" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "మీరౠనిజంగానే à°ˆ నోటీసà±à°¨à°¿ తొలగించాలనà±à°•à±à°‚à°Ÿà±à°¨à±à°¨à°¾à°°à°¾?" + #: actions/showfavorites.php:79 #, php-format msgid "%1$s's favorite notices, page %2$d" @@ -3825,12 +3826,12 @@ msgstr "%1$s చందాదారà±à°²à±, పేజీ %2$d" #: actions/subscribers.php:63 msgid "These are the people who listen to your notices." -msgstr "" +msgstr "వీళà±à°³à± మీ నోటీసà±à°²à°¨à°¿ వినే à°ªà±à°°à°œà°²à±." #: actions/subscribers.php:67 #, php-format msgid "These are the people who listen to %s's notices." -msgstr "" +msgstr "వీళà±à°³à± %s యొకà±à°• నోటీసà±à°²à°¨à°¿ వినే à°ªà±à°°à°œà°²à±." #: actions/subscribers.php:108 msgid "" @@ -4061,7 +4062,7 @@ msgstr "వాడà±à°•à°°à±à°²à°¨à± కొతà±à°¤ వారిని ఆహ #: actions/userauthorization.php:105 msgid "Authorize subscription" -msgstr "" +msgstr "చందాని అధీకరించండి" #: actions/userauthorization.php:110 msgid "" @@ -4612,11 +4613,11 @@ msgstr "SMS నిరà±à°§à°¾à°°à°£" msgid "Sessions configuration" msgstr "రూపకలà±à°ªà°¨ à°¸à±à°µà°°à±‚పణం" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index d406e6159..9506731a4 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:22:13+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:33:40+0000\n" "Language-Team: Turkish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: out-statusnet\n" @@ -768,7 +768,7 @@ msgstr "" msgid "Preview" msgstr "" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "" @@ -3327,80 +3327,84 @@ msgstr "Ayarlar" msgid "You must be logged in to view an application." msgstr "" -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 #, fuzzy msgid "Application profile" msgstr "Bu durum mesajının ait oldugu kullanıcı profili yok" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "Takma ad" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "Yer" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 #, fuzzy msgid "Description" msgstr "Abonelikler" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Ä°statistikler" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4744,11 +4748,11 @@ msgstr "Eposta adresi onayı" msgid "Sessions configuration" msgstr "Eposta adresi onayı" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index 3532fdf9f..1689b7d72 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:22:16+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:33:43+0000\n" "Language-Team: Ukrainian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: out-statusnet\n" @@ -481,12 +481,11 @@ msgstr "групи на %s" #: actions/apioauthauthorize.php:101 msgid "No oauth_token parameter provided." -msgstr "" +msgstr "Жодного параметру oauth_token не забезпечено." #: actions/apioauthauthorize.php:106 -#, fuzzy msgid "Invalid token." -msgstr "ÐедійÑний розмір." +msgstr "Ðевірний токен." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -529,9 +528,9 @@ msgstr "" "доÑтупу." #: actions/apioauthauthorize.php:227 -#, fuzzy, php-format +#, php-format msgid "The request token %s has been denied and revoked." -msgstr "Токен запиту %s було відхилено." +msgstr "Токен запиту %s було ÑкаÑовано Ñ– відхилено." #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -557,6 +556,10 @@ msgid "" "the ability to %3$s your %4$s account data. You should only " "give access to your %4$s account to third parties you trust." msgstr "" +"Додаток %1$s від %2$s запитує дозвіл на " +"%3$s дані Вашого акаунту %4$s. Ви повинні надавати дозвіл " +"на доÑтуп до Вашого акаунту %4$s лише тим Ñтороннім додаткам, Ñким Ви " +"довірÑєте." #: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" @@ -753,7 +756,7 @@ msgstr "Оригінал" msgid "Preview" msgstr "ПереглÑд" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "Видалити" @@ -921,14 +924,12 @@ msgid "Notices" msgstr "ДопиÑи" #: actions/deleteapplication.php:63 -#, fuzzy msgid "You must be logged in to delete an application." -msgstr "Ви маєте Ñпочатку увійти, аби мати змогу керувати додатком." +msgstr "Ви маєте Ñпочатку увійти, аби мати змогу видалити додаток." #: actions/deleteapplication.php:71 -#, fuzzy msgid "Application not found." -msgstr "Інфо додатку" +msgstr "Додаток не виÑвлено." #: actions/deleteapplication.php:78 actions/editapplication.php:77 #: actions/showapplication.php:94 @@ -942,29 +943,26 @@ msgid "There was a problem with your session token." msgstr "Виникли певні проблеми з токеном поточної ÑеÑÑ–Ñ—." #: actions/deleteapplication.php:123 actions/deleteapplication.php:147 -#, fuzzy msgid "Delete application" -msgstr "Керувати додатками" +msgstr "Видалити додаток" #: actions/deleteapplication.php:149 -#, fuzzy msgid "" "Are you sure you want to delete this application? This will clear all data " "about the application from the database, including all existing user " "connections." msgstr "" -"Впевнені, що бажаєте видалити цього кориÑтувача? УÑÑ– дані буде знищено без " -"можливоÑÑ‚Ñ– відновленнÑ." +"Впевнені, що бажаєте видалити цей додаток? У базі даних буде знищено вÑÑŽ " +"інформацію ÑтоÑовно нього, включно із даними про під’єднаних до цього " +"додатку кориÑтувачів." #: actions/deleteapplication.php:156 -#, fuzzy msgid "Do not delete this application" -msgstr "Ðе видалÑти цей допиÑ" +msgstr "Ðе видалÑти додаток" #: actions/deleteapplication.php:160 -#, fuzzy msgid "Delete this application" -msgstr "Іконка Ð´Ð»Ñ Ñ†ÑŒÐ¾Ð³Ð¾ додатку" +msgstr "Видалити додаток" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 @@ -1173,7 +1171,6 @@ msgid "Name is too long (max 255 chars)." msgstr "Ð†Ð¼â€™Ñ Ð·Ð°Ð´Ð¾Ð²Ð³Ðµ (255 знаків макÑимум)." #: actions/editapplication.php:183 actions/newapplication.php:162 -#, fuzzy msgid "Name already in use. Try another one." msgstr "Це Ñ–Ð¼â€™Ñ Ð²Ð¶Ðµ викориÑтовуєтьÑÑ. Спробуйте інше." @@ -3329,71 +3326,71 @@ msgstr "Зберегти Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ñайту" msgid "You must be logged in to view an application." msgstr "Ви повинні Ñпочатку увійти, аби переглÑнути додаток." -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 msgid "Application profile" msgstr "Профіль додатку" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "Іконка" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 msgid "Name" msgstr "Ім’Ñ" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 msgid "Organization" msgstr "ОрганізаціÑ" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "ОпиÑ" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "СтатиÑтика" -#: actions/showapplication.php:204 -#, fuzzy, php-format +#: actions/showapplication.php:203 +#, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" -msgstr "Ñтворено %1$s — %2$s доÑтуп за замовч. — %3$d кориÑтувачів" +msgstr "Створено %1$s — %2$s доÑтуп за замовч. — %3$d кориÑтувачів" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "МожливоÑÑ‚Ñ– додатку" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "Призначити новий ключ Ñ– таємне Ñлово" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "Інфо додатку" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "Ключ Ñпоживача" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "Таємно Ñлово Ñпоживача" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "URL-адреÑа токена запиту" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "URL-адреÑа токена дозволу" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "Ðвторизувати URL-адреÑу" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." @@ -3401,6 +3398,11 @@ msgstr "" "До уваги: Ð’ÑÑ– підпиÑи шифруютьÑÑ Ð·Ð° методом HMAC-SHA1. Ми не підтримуємо " "ÑˆÐ¸Ñ„Ñ€ÑƒÐ²Ð°Ð½Ð½Ñ Ð¿Ñ–Ð´Ð¿Ð¸Ñів відкритим текÑтом." +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "Ви впевненні, що бажаєте видалити цей допиÑ?" + #: actions/showfavorites.php:79 #, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4766,13 +4768,13 @@ msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÑˆÐ»Ñху" msgid "Sessions configuration" msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÑеÑій" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" "API-реÑÑƒÑ€Ñ Ð²Ð¸Ð¼Ð°Ð³Ð°Ñ” дозвіл типу «читаннÑ-запиÑ», але у Ð²Ð°Ñ Ñ” лише доÑтуп Ð´Ð»Ñ " "читаннÑ." -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5988,7 +5990,7 @@ msgstr "Вторувати цьому допиÑу" #: lib/router.php:665 msgid "No single user defined for single-user mode." -msgstr "" +msgstr "КориÑтувача Ð´Ð»Ñ Ð¾Ð´Ð½Ð¾ÐºÐ¾Ñ€Ð¸Ñтувацького режиму не визначено." #: lib/sandboxform.php:67 msgid "Sandbox" diff --git a/locale/vi/LC_MESSAGES/statusnet.po b/locale/vi/LC_MESSAGES/statusnet.po index 91f2cbd94..80d7d0c8d 100644 --- a/locale/vi/LC_MESSAGES/statusnet.po +++ b/locale/vi/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:22:19+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:33:46+0000\n" "Language-Team: Vietnamese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: vi\n" "X-Message-Group: out-statusnet\n" @@ -771,7 +771,7 @@ msgstr "" msgid "Preview" msgstr "Xem trÆ°á»›c" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 #, fuzzy msgid "Delete" @@ -3447,79 +3447,84 @@ msgstr "Thay đổi hình đại diện" msgid "You must be logged in to view an application." msgstr "Bạn phải đăng nhập vào má»›i có thể gá»­i thÆ° má»i những " -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 #, fuzzy msgid "Application profile" msgstr "Tin nhắn không có hồ sÆ¡ cá nhân" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "Biệt danh" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "ThÆ° má»i đã gá»­i" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" msgstr "Mô tả" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Số liệu thống kê" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "Bạn có chắc chắn là muốn xóa tin nhắn này không?" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4903,11 +4908,11 @@ msgstr "Xác nhận SMS" msgid "Sessions configuration" msgstr "Xác nhận SMS" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index 81dcb1db2..ef95bd01a 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:22:22+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:33:49+0000\n" "Language-Team: Simplified Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: out-statusnet\n" @@ -766,7 +766,7 @@ msgstr "原æ¥çš„" msgid "Preview" msgstr "预览" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 #, fuzzy msgid "Delete" @@ -3381,80 +3381,85 @@ msgstr "头åƒè®¾ç½®" msgid "You must be logged in to view an application." msgstr "您必须登录æ‰èƒ½é‚€è¯·å…¶ä»–人使用 %s" -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 #, fuzzy msgid "Application profile" msgstr "通告没有关è”个人信æ¯" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "昵称" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "分页" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 #, fuzzy msgid "Description" msgstr "æè¿°" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "统计" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +#, fuzzy +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "确定è¦åˆ é™¤è¿™æ¡æ¶ˆæ¯å—?" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4826,11 +4831,11 @@ msgstr "SMS短信确认" msgid "Sessions configuration" msgstr "SMS短信确认" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" diff --git a/locale/zh_TW/LC_MESSAGES/statusnet.po b/locale/zh_TW/LC_MESSAGES/statusnet.po index 7122a0e05..69eb63b8b 100644 --- a/locale/zh_TW/LC_MESSAGES/statusnet.po +++ b/locale/zh_TW/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-02 19:19+0000\n" -"PO-Revision-Date: 2010-02-02 19:22:25+0000\n" +"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"PO-Revision-Date: 2010-02-04 10:33:52+0000\n" "Language-Team: Traditional Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61864); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hant\n" "X-Message-Group: out-statusnet\n" @@ -758,7 +758,7 @@ msgstr "" msgid "Preview" msgstr "" -#: actions/avatarsettings.php:149 actions/showapplication.php:247 +#: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:624 msgid "Delete" msgstr "" @@ -3262,79 +3262,83 @@ msgstr "線上å³æ™‚通設定" msgid "You must be logged in to view an application." msgstr "" -#: actions/showapplication.php:158 +#: actions/showapplication.php:157 msgid "Application profile" msgstr "" -#: actions/showapplication.php:160 lib/applicationeditform.php:180 +#: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" msgstr "" -#: actions/showapplication.php:170 actions/version.php:195 +#: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 #, fuzzy msgid "Name" msgstr "暱稱" -#: actions/showapplication.php:179 lib/applicationeditform.php:222 +#: actions/showapplication.php:178 lib/applicationeditform.php:222 #, fuzzy msgid "Organization" msgstr "地點" -#: actions/showapplication.php:188 actions/version.php:198 +#: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 #, fuzzy msgid "Description" msgstr "所有訂閱" -#: actions/showapplication.php:193 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 msgid "Statistics" msgstr "" -#: actions/showapplication.php:204 +#: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" msgstr "" -#: actions/showapplication.php:214 +#: actions/showapplication.php:213 msgid "Application actions" msgstr "" -#: actions/showapplication.php:232 +#: actions/showapplication.php:236 msgid "Reset key & secret" msgstr "" -#: actions/showapplication.php:256 +#: actions/showapplication.php:261 msgid "Application info" msgstr "" -#: actions/showapplication.php:258 +#: actions/showapplication.php:263 msgid "Consumer key" msgstr "" -#: actions/showapplication.php:263 +#: actions/showapplication.php:268 msgid "Consumer secret" msgstr "" -#: actions/showapplication.php:268 +#: actions/showapplication.php:273 msgid "Request token URL" msgstr "" -#: actions/showapplication.php:273 +#: actions/showapplication.php:278 msgid "Access token URL" msgstr "" -#: actions/showapplication.php:278 +#: actions/showapplication.php:283 msgid "Authorize URL" msgstr "" -#: actions/showapplication.php:283 +#: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +#: actions/showapplication.php:309 +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "" + #: actions/showfavorites.php:79 #, fuzzy, php-format msgid "%1$s's favorite notices, page %2$d" @@ -4660,11 +4664,11 @@ msgstr "確èªä¿¡ç®±" msgid "Sessions configuration" msgstr "確èªä¿¡ç®±" -#: lib/apiauth.php:99 +#: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:279 +#: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" -- cgit v1.2.3-54-g00ecf From 48782ee1d9c99a3e17ed2973fffd478c97603c6a Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Thu, 4 Feb 2010 16:27:34 +0000 Subject: Fixes minor remote subscription profile layout --- actions/userauthorization.php | 21 ++++++++++++++------- 1 file changed, 14 insertions(+), 7 deletions(-) diff --git a/actions/userauthorization.php b/actions/userauthorization.php index 4321f1302..7f71c60db 100644 --- a/actions/userauthorization.php +++ b/actions/userauthorization.php @@ -127,10 +127,10 @@ class UserauthorizationAction extends Action $location = $params->getLocation(); $avatar = $params->getAvatarURL(); - $this->elementStart('div', array('class' => 'profile')); $this->elementStart('div', 'entity_profile vcard'); - $this->elementStart('a', array('href' => $profile, - 'class' => 'url')); + $this->elementStart('dl', 'entity_depiction'); + $this->element('dt', null, _('Photo')); + $this->elementStart('dd'); if ($avatar) { $this->element('img', array('src' => $avatar, 'class' => 'photo avatar', @@ -138,11 +138,19 @@ class UserauthorizationAction extends Action 'height' => AVATAR_PROFILE_SIZE, 'alt' => $nickname)); } + $this->elementEnd('dd'); + $this->elementEnd('dl'); + + $this->elementStart('dl', 'entity_nickname'); + $this->element('dt', null, _('Nickname')); + $this->elementStart('dd'); $hasFN = ($fullname !== '') ? 'nickname' : 'fn nickname'; - $this->elementStart('span', $hasFN); + $this->elementStart('a', array('href' => $profile, + 'class' => 'url '.$hasFN)); $this->raw($nickname); - $this->elementEnd('span'); $this->elementEnd('a'); + $this->elementEnd('dd'); + $this->elementEnd('dl'); if (!is_null($fullname)) { $this->elementStart('dl', 'entity_fn'); @@ -214,7 +222,6 @@ class UserauthorizationAction extends Action $this->elementEnd('li'); $this->elementEnd('ul'); $this->elementEnd('div'); - $this->elementEnd('div'); } function sendAuthorization() @@ -350,4 +357,4 @@ class UserauthorizationAction extends Action } } } -} \ No newline at end of file +} -- cgit v1.2.3-54-g00ecf From 9e940445f1ab1ec53f3bad14a1a94dc2064d0ee6 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Thu, 4 Feb 2010 16:51:51 +0000 Subject: Added accept and reject icons to remote subscription authorization --- theme/base/images/icons/icons-01.gif | Bin 3758 -> 3870 bytes theme/base/images/icons/twotone/green/against.gif | Bin 0 -> 85 bytes theme/base/images/icons/twotone/green/checkmark.gif | Bin 0 -> 76 bytes theme/default/css/display.css | 9 ++++++++- theme/identica/css/display.css | 9 ++++++++- 5 files changed, 16 insertions(+), 2 deletions(-) create mode 100644 theme/base/images/icons/twotone/green/against.gif create mode 100644 theme/base/images/icons/twotone/green/checkmark.gif diff --git a/theme/base/images/icons/icons-01.gif b/theme/base/images/icons/icons-01.gif index 01a729c10..6f284f023 100644 Binary files a/theme/base/images/icons/icons-01.gif and b/theme/base/images/icons/icons-01.gif differ diff --git a/theme/base/images/icons/twotone/green/against.gif b/theme/base/images/icons/twotone/green/against.gif new file mode 100644 index 000000000..ca796c8a3 Binary files /dev/null and b/theme/base/images/icons/twotone/green/against.gif differ diff --git a/theme/base/images/icons/twotone/green/checkmark.gif b/theme/base/images/icons/twotone/green/checkmark.gif new file mode 100644 index 000000000..892429d48 Binary files /dev/null and b/theme/base/images/icons/twotone/green/checkmark.gif differ diff --git a/theme/default/css/display.css b/theme/default/css/display.css index 6954de7ba..82eb13531 100644 --- a/theme/default/css/display.css +++ b/theme/default/css/display.css @@ -192,7 +192,8 @@ button.minimize, .form_reset_key input.submit, .entity_clear input.submit, .entity_flag input.submit, -.entity_flag p { +.entity_flag p, +.entity_subscribe input.submit { background-image:url(../../base/images/icons/icons-01.gif); background-repeat:no-repeat; background-color:transparent; @@ -348,6 +349,12 @@ background-position: 5px -2039px; .entity_flag p { background-position: 5px -2105px; } +.entity_subscribe input.accept { +background-position: 5px -2171px; +} +.entity_subscribe input.reject { +background-position: 5px -2237px; +} /* NOTICES */ .notice .attachment { diff --git a/theme/identica/css/display.css b/theme/identica/css/display.css index 9ac2730bd..44ae4953b 100644 --- a/theme/identica/css/display.css +++ b/theme/identica/css/display.css @@ -192,7 +192,8 @@ button.minimize, .form_reset_key input.submit, .entity_clear input.submit, .entity_flag input.submit, -.entity_flag p { +.entity_flag p, +.entity_subscribe input.submit { background-image:url(../../base/images/icons/icons-01.gif); background-repeat:no-repeat; background-color:transparent; @@ -347,6 +348,12 @@ background-position: 5px -2039px; .entity_flag p { background-position: 5px -2105px; } +.entity_subscribe input.accept { +background-position: 5px -2171px; +} +.entity_subscribe input.reject { +background-position: 5px -2237px; +} /* NOTICES */ .notice .attachment { -- cgit v1.2.3-54-g00ecf From e89107549475ee1e824bcf6f0bd66830fb724b2f Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Thu, 4 Feb 2010 19:39:46 +0000 Subject: Moved hardcoded identica theme out of MobileProfile. In this case, it will use whichever theme is loaded as its base and then add its own mobile styles. Of course, if a theme comes with its own mobile styles, it will use that instead as an addition to its own base. --- plugins/MobileProfile/MobileProfilePlugin.php | 10 ++++++++++ plugins/MobileProfile/mp-screen.css | 5 +---- 2 files changed, 11 insertions(+), 4 deletions(-) diff --git a/plugins/MobileProfile/MobileProfilePlugin.php b/plugins/MobileProfile/MobileProfilePlugin.php index 5c913836d..cd2531fa7 100644 --- a/plugins/MobileProfile/MobileProfilePlugin.php +++ b/plugins/MobileProfile/MobileProfilePlugin.php @@ -240,6 +240,8 @@ class MobileProfilePlugin extends WAP20Plugin return true; } + $action->cssLink('css/display.css'); + if (file_exists(Theme::file('css/mp-screen.css'))) { $action->cssLink('css/mp-screen.css', null, 'screen'); } else { @@ -256,6 +258,14 @@ class MobileProfilePlugin extends WAP20Plugin } + function onStartShowUAStyles($action) { + if (!$this->serveMobile) { + return true; + } + + return false; + } + function onStartShowHeader($action) { if (!$this->serveMobile) { diff --git a/plugins/MobileProfile/mp-screen.css b/plugins/MobileProfile/mp-screen.css index 04fa5fb00..0fc801612 100644 --- a/plugins/MobileProfile/mp-screen.css +++ b/plugins/MobileProfile/mp-screen.css @@ -1,15 +1,12 @@ /** theme: mobile profile screen * * @package StatusNet - * @author Sarven Capadisli + * @author Sarven Capadisli * @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/ */ -@import url(../../theme/base/css/display.css); -@import url(../../theme/identica/css/display.css); - #wrap { min-width:0; max-width:100%; -- cgit v1.2.3-54-g00ecf From 54d2ed8b057025dee2ea8f531c6371e1008f4b89 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Thu, 4 Feb 2010 23:09:37 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans --- locale/ar/LC_MESSAGES/statusnet.po | 58 ++--- locale/arz/LC_MESSAGES/statusnet.po | 58 ++--- locale/bg/LC_MESSAGES/statusnet.po | 58 ++--- locale/ca/LC_MESSAGES/statusnet.po | 58 ++--- locale/cs/LC_MESSAGES/statusnet.po | 58 ++--- locale/de/LC_MESSAGES/statusnet.po | 58 ++--- locale/el/LC_MESSAGES/statusnet.po | 58 ++--- locale/en_GB/LC_MESSAGES/statusnet.po | 58 ++--- locale/es/LC_MESSAGES/statusnet.po | 58 ++--- locale/fa/LC_MESSAGES/statusnet.po | 58 ++--- locale/fi/LC_MESSAGES/statusnet.po | 58 ++--- locale/fr/LC_MESSAGES/statusnet.po | 58 ++--- locale/ga/LC_MESSAGES/statusnet.po | 58 ++--- locale/he/LC_MESSAGES/statusnet.po | 58 ++--- locale/hsb/LC_MESSAGES/statusnet.po | 58 ++--- locale/ia/LC_MESSAGES/statusnet.po | 446 ++++++++++++++++------------------ locale/is/LC_MESSAGES/statusnet.po | 58 ++--- locale/it/LC_MESSAGES/statusnet.po | 61 ++--- locale/ja/LC_MESSAGES/statusnet.po | 58 ++--- locale/ko/LC_MESSAGES/statusnet.po | 58 ++--- locale/mk/LC_MESSAGES/statusnet.po | 63 ++--- locale/nb/LC_MESSAGES/statusnet.po | 58 ++--- locale/nl/LC_MESSAGES/statusnet.po | 64 ++--- locale/nn/LC_MESSAGES/statusnet.po | 58 ++--- locale/pl/LC_MESSAGES/statusnet.po | 58 ++--- locale/pt/LC_MESSAGES/statusnet.po | 58 ++--- locale/pt_BR/LC_MESSAGES/statusnet.po | 58 ++--- locale/ru/LC_MESSAGES/statusnet.po | 62 ++--- locale/statusnet.po | 54 ++-- locale/sv/LC_MESSAGES/statusnet.po | 58 ++--- locale/te/LC_MESSAGES/statusnet.po | 58 ++--- locale/tr/LC_MESSAGES/statusnet.po | 58 ++--- locale/uk/LC_MESSAGES/statusnet.po | 58 ++--- locale/vi/LC_MESSAGES/statusnet.po | 58 ++--- locale/zh_CN/LC_MESSAGES/statusnet.po | 58 ++--- locale/zh_TW/LC_MESSAGES/statusnet.po | 58 ++--- 36 files changed, 1262 insertions(+), 1228 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index bfc6c0324..85830f0af 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:32:02+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:03:36+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" @@ -551,7 +551,8 @@ msgstr "الحساب" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "الاسم المستعار" @@ -1406,7 +1407,7 @@ msgstr "هذا الإشعار Ù…Ùضلة مسبقًا!" msgid "Disfavor favorite" msgstr "ألغ٠تÙضيل المÙضلة" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "إشعارات مشهورة" @@ -2582,7 +2583,7 @@ msgstr "السيرة" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "الموقع" @@ -2760,7 +2761,7 @@ msgid "" "one!" msgstr "" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "سحابة الوسوم" @@ -3306,12 +3307,12 @@ msgid "Group profile" msgstr "مل٠المجموعة الشخصي" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "مسار" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "ملاحظة" @@ -3850,7 +3851,8 @@ msgstr "" msgid "User profile" msgstr "مل٠المستخدم الشخصي" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "صورة" @@ -3905,7 +3907,7 @@ msgstr "" msgid "Unsubscribed" msgstr "" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -3989,84 +3991,84 @@ msgid "" "click “Rejectâ€." msgstr "" -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "الرخصة" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "اقبل" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "اشترك بهذا المستخدم" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "ارÙض" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 msgid "Reject this subscription" msgstr "ارÙض هذا الاشتراك" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "لا طلب استيثاق!" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " "subscription. Your subscription token is:" msgstr "" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "رÙÙض الاشتراك" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " "subscription." msgstr "" -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "" diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index 6f859ec1f..3b8dfcf5f 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:32:07+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:03:39+0000\n" "Language-Team: Egyptian Spoken Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: out-statusnet\n" @@ -551,7 +551,8 @@ msgstr "الحساب" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "الاسم المستعار" @@ -1406,7 +1407,7 @@ msgstr "هذا الإشعار Ù…Ùضله مسبقًا!" msgid "Disfavor favorite" msgstr "ألغ٠تÙضيل المÙضلة" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "إشعارات مشهورة" @@ -2580,7 +2581,7 @@ msgstr "السيرة" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "الموقع" @@ -2758,7 +2759,7 @@ msgid "" "one!" msgstr "" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "سحابه الوسوم" @@ -3304,12 +3305,12 @@ msgid "Group profile" msgstr "مل٠المجموعه الشخصي" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "مسار" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "ملاحظة" @@ -3848,7 +3849,8 @@ msgstr "" msgid "User profile" msgstr "مل٠المستخدم الشخصي" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "صورة" @@ -3903,7 +3905,7 @@ msgstr "" msgid "Unsubscribed" msgstr "" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -3987,84 +3989,84 @@ msgid "" "click “Rejectâ€." msgstr "" -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "الرخصة" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "اقبل" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "اشترك بهذا المستخدم" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "ارÙض" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 msgid "Reject this subscription" msgstr "ارÙض هذا الاشتراك" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "لا طلب استيثاق!" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " "subscription. Your subscription token is:" msgstr "" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "رÙÙض الاشتراك" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " "subscription." msgstr "" -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "" diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index 0121a235c..bf361c47c 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:32:10+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:03:42+0000\n" "Language-Team: Bulgarian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: out-statusnet\n" @@ -561,7 +561,8 @@ msgstr "Сметка" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "ПÑевдоним" @@ -1449,7 +1450,7 @@ msgstr "Тази бележка вече е отбелÑзана като люб msgid "Disfavor favorite" msgstr "Ðелюбимо" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "ПопулÑрни бележки" @@ -2708,7 +2709,7 @@ msgstr "За мен" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "МеÑтоположение" @@ -2884,7 +2885,7 @@ msgid "" "one!" msgstr "" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "" @@ -3462,12 +3463,12 @@ msgid "Group profile" msgstr "Профил на групата" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Бележка" @@ -4022,7 +4023,8 @@ msgstr "Етикети" msgid "User profile" msgstr "ПотребителÑки профил" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "Снимка" @@ -4081,7 +4083,7 @@ msgstr "Сървърът не е върнал Ð°Ð´Ñ€ÐµÑ Ð½Ð° профила." msgid "Unsubscribed" msgstr "ОтпиÑване" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4172,37 +4174,37 @@ msgstr "" "Проверете тези детайли и Ñе уверете, че иÑкате да Ñе абонирате за бележките " "на този потребител. Ðко не иÑкате абонамента, натиÑнете \"Cancel\" (Отказ)." -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "Лиценз" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "Приемане" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "Ðбониране за този потребител" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "ОхвърлÑне" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 #, fuzzy msgid "Reject this subscription" msgstr "Ðбонаменти на %s" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "ÐÑма заÑвка за одобрение." -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "Ðбонаментът е одобрен" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 #, fuzzy msgid "" "The subscription has been authorized, but no callback URL was passed. Check " @@ -4212,11 +4214,11 @@ msgstr "" "Ðбонаментът е одобрен, но не е зададен callback URL. За да завършите " "одобрÑването, проверете инÑтрукциите на Ñайта. ВашиÑÑ‚ token за абонамент е:" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "Ðбонаментът е отказан" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 #, fuzzy msgid "" "The subscription has been rejected, but no callback URL was passed. Check " @@ -4226,37 +4228,37 @@ msgstr "" "Ðбонаментът е отказан, но не е зададен callback URL. За да откажете напълно " "абонамента, проверете инÑтрукциите на Ñайта." -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, fuzzy, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "Грешка при четене адреÑа на аватара '%s'" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, fuzzy, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "Грешен вид изображение за '%s'" diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index 8be73131c..2dc54c93e 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:32:13+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:03:45+0000\n" "Language-Team: Catalan\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: out-statusnet\n" @@ -573,7 +573,8 @@ msgstr "Compte" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Sobrenom" @@ -1466,7 +1467,7 @@ msgstr "Aquesta nota ja és favorita." msgid "Disfavor favorite" msgstr "Desfavoritar favorit" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "Notificacions populars" @@ -2734,7 +2735,7 @@ msgstr "Biografia" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "Ubicació" @@ -2916,7 +2917,7 @@ msgid "" "one!" msgstr "" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "Núvol d'etiquetes" @@ -3505,12 +3506,12 @@ msgid "Group profile" msgstr "Perfil del grup" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Avisos" @@ -4075,7 +4076,8 @@ msgstr "Etiqueta %s" msgid "User profile" msgstr "Perfil de l'usuari" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "Foto" @@ -4137,7 +4139,7 @@ msgstr "No id en el perfil sol·licitat." msgid "Unsubscribed" msgstr "No subscrit" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4225,36 +4227,36 @@ msgstr "" "subscriure't als avisos d'aquest usuari. Si no has demanat subscriure't als " "avisos de ningú, clica \"Cancel·lar\"." -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "Llicència" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "Accepta" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "Subscriure's a aquest usuari" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "Rebutja" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 msgid "Reject this subscription" msgstr "Rebutja la subscripció" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "Cap petició d'autorització!" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "Subscripció autoritzada" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 #, fuzzy msgid "" "The subscription has been authorized, but no callback URL was passed. Check " @@ -4265,11 +4267,11 @@ msgstr "" "Llegeix de nou les instruccions per a saber com autoritzar la subscripció. " "El teu identificador de subscripció és:" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "Subscripció rebutjada" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 #, fuzzy msgid "" "The subscription has been rejected, but no callback URL was passed. Check " @@ -4279,37 +4281,37 @@ msgstr "" "S'ha rebutjat la subscripció, però no s'ha enviat un URL de retorn. Llegeix " "de nou les instruccions per a saber com rebutjar la subscripció completament." -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, fuzzy, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "No es pot llegir l'URL de l'avatar '%s'" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, fuzzy, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "Tipus d'imatge incorrecte per a '%s'" diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index 73e7ca60a..65e340095 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:32:16+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:03:48+0000\n" "Language-Team: Czech\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: out-statusnet\n" @@ -570,7 +570,8 @@ msgstr "O nás" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "PÅ™ezdívka" @@ -1462,7 +1463,7 @@ msgstr "" msgid "Disfavor favorite" msgstr "" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 #, fuzzy msgid "Popular notices" @@ -2711,7 +2712,7 @@ msgstr "O mÄ›" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "UmístÄ›ní" @@ -2889,7 +2890,7 @@ msgid "" "one!" msgstr "" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "" @@ -3455,12 +3456,12 @@ msgid "Group profile" msgstr "Žádné takové oznámení." #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Poznámka" @@ -4018,7 +4019,8 @@ msgstr "" msgid "User profile" msgstr "Uživatel nemá profil." -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "" @@ -4080,7 +4082,7 @@ msgstr "Nebylo vráceno žádné URL profilu od servu." msgid "Unsubscribed" msgstr "Odhlásit" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4171,38 +4173,38 @@ msgstr "" "sdÄ›lení tohoto uživatele. Pokud ne, ask to subscribe to somone's notices, " "kliknÄ›te na \"ZruÅ¡it\"" -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "Licence" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "PÅ™ijmout" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 #, fuzzy msgid "Subscribe to this user" msgstr "OdbÄ›r autorizován" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "Odmítnout" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 #, fuzzy msgid "Reject this subscription" msgstr "VÅ¡echny odbÄ›ry" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "Žádné potvrení!" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "OdbÄ›r autorizován" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 #, fuzzy msgid "" "The subscription has been authorized, but no callback URL was passed. Check " @@ -4213,11 +4215,11 @@ msgstr "" "nápovÄ›dÄ› jak správnÄ› postupovat pÅ™i potvrzování odbÄ›ru. Váš Å™etÄ›zec odbÄ›ru " "je:" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "OdbÄ›r odmítnut" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 #, fuzzy msgid "" "The subscription has been rejected, but no callback URL was passed. Check " @@ -4227,37 +4229,37 @@ msgstr "" "Odebírání bylo zamítnuto, ale neproÅ¡la žádná callback adresa. Zkontrolujte v " "nápovÄ›dÄ› jak správnÄ› postupovat pÅ™i zamítání odbÄ›ru" -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, fuzzy, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "Nelze pÅ™eÄíst adresu obrázku '%s'" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, fuzzy, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "Neplatný typ obrázku pro '%s'" diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index 53e7646e5..35f4d4c75 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:32:19+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:03:51+0000\n" "Language-Team: German\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: out-statusnet\n" @@ -572,7 +572,8 @@ msgstr "Konto" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Nutzername" @@ -1462,7 +1463,7 @@ msgstr "Diese Nachricht ist bereits ein Favorit!" msgid "Disfavor favorite" msgstr "Aus Favoriten entfernen" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "Beliebte Nachrichten" @@ -2732,7 +2733,7 @@ msgstr "Biografie" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "Aufenthaltsort" @@ -2912,7 +2913,7 @@ msgid "" "one!" msgstr "" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "Tag-Wolke" @@ -3505,12 +3506,12 @@ msgid "Group profile" msgstr "Gruppenprofil" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Nachricht" @@ -4083,7 +4084,8 @@ msgstr "Tag %s" msgid "User profile" msgstr "Benutzerprofil" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "Foto" @@ -4146,7 +4148,7 @@ msgstr "Keine Profil-ID in der Anfrage." msgid "Unsubscribed" msgstr "Abbestellt" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, fuzzy, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4241,38 +4243,38 @@ msgstr "" "dieses Nutzers abonnieren möchtest. Wenn du das nicht wolltest, klicke auf " "„Abbrechen“." -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "Lizenz" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "Akzeptieren" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 #, fuzzy msgid "Subscribe to this user" msgstr "Abonniere diesen Benutzer" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "Ablehnen" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 #, fuzzy msgid "Reject this subscription" msgstr "%s Abonnements" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "Keine Bestätigungsanfrage!" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "Abonnement autorisiert" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 #, fuzzy msgid "" "The subscription has been authorized, but no callback URL was passed. Check " @@ -4283,11 +4285,11 @@ msgstr "" "zurückgegeben. Lies nochmal die Anweisungen der Site, wie Abonnements " "bestätigt werden. Dein Abonnement-Token ist:" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "Abonnement abgelehnt" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 #, fuzzy msgid "" "The subscription has been rejected, but no callback URL was passed. Check " @@ -4298,37 +4300,37 @@ msgstr "" "zurückgegeben. Lies nochmal die Anweisungen der Site, wie Abonnements " "vollständig abgelehnt werden. Dein Abonnement-Token ist:" -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "Konnte Avatar-URL nicht öffnen „%s“" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "Falscher Bildtyp für „%s“" diff --git a/locale/el/LC_MESSAGES/statusnet.po b/locale/el/LC_MESSAGES/statusnet.po index ae1aaed7d..a2cc4e682 100644 --- a/locale/el/LC_MESSAGES/statusnet.po +++ b/locale/el/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:32:22+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:03:53+0000\n" "Language-Team: Greek\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: el\n" "X-Message-Group: out-statusnet\n" @@ -559,7 +559,8 @@ msgstr "ΛογαÏιασμός" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Ψευδώνυμο" @@ -1445,7 +1446,7 @@ msgstr "" msgid "Disfavor favorite" msgstr "" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "" @@ -2660,7 +2661,7 @@ msgstr "ΒιογÏαφικό" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "Τοποθεσία" @@ -2838,7 +2839,7 @@ msgid "" "one!" msgstr "" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "" @@ -3412,12 +3413,12 @@ msgid "Group profile" msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "" @@ -3966,7 +3967,8 @@ msgstr "" msgid "User profile" msgstr "ΠÏοφίλ χÏήστη" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "" @@ -4023,7 +4025,7 @@ msgstr "" msgid "Unsubscribed" msgstr "" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4111,85 +4113,85 @@ msgid "" "click “Rejectâ€." msgstr "" -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "Αποδοχή" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "Γίνε συνδÏομητής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… χÏήστη" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 #, fuzzy msgid "Reject this subscription" msgstr "ΑδÏνατη η αποθήκευση των νέων πληÏοφοÏιών του Ï€Ïοφίλ" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " "subscription. Your subscription token is:" msgstr "" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " "subscription." msgstr "" -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "" diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index 3c4095d0d..78cb289a2 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:32:26+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:03:56+0000\n" "Language-Team: British English\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: out-statusnet\n" @@ -563,7 +563,8 @@ msgstr "Account" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Nickname" @@ -1428,7 +1429,7 @@ msgstr "This notice is already a favourite!" msgid "Disfavor favorite" msgstr "Disfavor favourite" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "Popular notices" @@ -2707,7 +2708,7 @@ msgstr "Bio" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "Location" @@ -2892,7 +2893,7 @@ msgid "" "one!" msgstr "" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "Tag cloud" @@ -3485,12 +3486,12 @@ msgid "Group profile" msgstr "Group profile" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Note" @@ -4062,7 +4063,8 @@ msgstr "Tag %s" msgid "User profile" msgstr "User profile" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "Photo" @@ -4123,7 +4125,7 @@ msgstr "No profile id in request." msgid "Unsubscribed" msgstr "Unsubscribed" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, fuzzy, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4215,36 +4217,36 @@ msgstr "" "user's notices. If you didn't just ask to subscribe to someone's notices, " "click \"Cancel\"." -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "License" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "Accept" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "Subscribe to this user" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "Reject" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 msgid "Reject this subscription" msgstr "Reject this subscription" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "No authorisation request!" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "Subscription authorised" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 #, fuzzy msgid "" "The subscription has been authorized, but no callback URL was passed. Check " @@ -4255,11 +4257,11 @@ msgstr "" "with the site's instructions for details on how to authorise the " "subscription. Your subscription token is:" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "Subscription rejected" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 #, fuzzy msgid "" "The subscription has been rejected, but no callback URL was passed. Check " @@ -4270,37 +4272,37 @@ msgstr "" "with the site's instructions for details on how to fully reject the " "subscription." -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, fuzzy, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "Can't read avatar URL '%s'" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, fuzzy, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "Wrong image type for '%s'" diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index 1826206ca..f7f57bd3b 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:32:29+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:03:59+0000\n" "Language-Team: Spanish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: out-statusnet\n" @@ -561,7 +561,8 @@ msgstr "Cuenta" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Apodo" @@ -1458,7 +1459,7 @@ msgstr "¡Este aviso ya está en favoritos!" msgid "Disfavor favorite" msgstr "Sacar favorito" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 #, fuzzy msgid "Popular notices" @@ -2751,7 +2752,7 @@ msgstr "Biografía" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "Ubicación" @@ -2933,7 +2934,7 @@ msgid "" "one!" msgstr "" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "Nube de tags" @@ -3526,12 +3527,12 @@ msgid "Group profile" msgstr "Perfil de grupo" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 #, fuzzy msgid "Note" msgstr "Nota" @@ -4105,7 +4106,8 @@ msgstr "%s tag" msgid "User profile" msgstr "Perfil de usuario" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "Foto" @@ -4168,7 +4170,7 @@ msgstr "Ningún perfil de Id en solicitud." msgid "Unsubscribed" msgstr "Desuscrito" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4260,37 +4262,37 @@ msgstr "" "avisos de este usuario. Si no pediste suscribirte a los avisos de alguien, " "haz clic en \"Cancelar\"." -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "Licencia" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "Aceptar" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 #, fuzzy msgid "Subscribe to this user" msgstr "Suscribirse a este usuario" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "Rechazar" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 msgid "Reject this subscription" msgstr "Rechazar esta suscripción" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "¡Ninguna petición de autorización!" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "Suscripción autorizada" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 #, fuzzy msgid "" "The subscription has been authorized, but no callback URL was passed. Check " @@ -4301,11 +4303,11 @@ msgstr "" "Lee de nuevo las instrucciones para saber cómo autorizar la suscripción. Tu " "identificador de suscripción es:" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "Suscripción rechazada" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 #, fuzzy msgid "" "The subscription has been rejected, but no callback URL was passed. Check " @@ -4316,37 +4318,37 @@ msgstr "" "de nuevo las instrucciones para saber cómo rechazar la suscripción " "completamente." -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, fuzzy, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "No se puede leer el URL del avatar '%s'" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, fuzzy, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "Tipo de imagen incorrecto para '%s'" diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index c5856c88d..d18f6ec93 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:32:36+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:04:06+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian\n" "MIME-Version: 1.0\n" @@ -20,7 +20,7 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" #: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 @@ -562,7 +562,8 @@ msgstr "حساب کاربری" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "نام کاربری" @@ -1449,7 +1450,7 @@ msgstr "این پیام هم اکنون دوست داشتنی شده است." msgid "Disfavor favorite" msgstr "دوست ندارم" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "آگهی‌های محبوب" @@ -2681,7 +2682,7 @@ msgstr "شرح‌حال" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "موقعیت" @@ -2853,7 +2854,7 @@ msgid "" "one!" msgstr "" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "" @@ -3411,12 +3412,12 @@ msgid "Group profile" msgstr "" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "" @@ -3966,7 +3967,8 @@ msgstr "" msgid "User profile" msgstr "پروÙایل کاربر" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "" @@ -4021,7 +4023,7 @@ msgstr "" msgid "Unsubscribed" msgstr "" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4105,84 +4107,84 @@ msgid "" "click “Rejectâ€." msgstr "" -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "لیسانس" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "پذیرÙتن" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "تصویب این کاریر" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "رد کردن" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 msgid "Reject this subscription" msgstr "" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " "subscription. Your subscription token is:" msgstr "" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " "subscription." msgstr "" -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "" diff --git a/locale/fi/LC_MESSAGES/statusnet.po b/locale/fi/LC_MESSAGES/statusnet.po index c013107f4..92d6cab49 100644 --- a/locale/fi/LC_MESSAGES/statusnet.po +++ b/locale/fi/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:32:32+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:04:02+0000\n" "Language-Team: Finnish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: out-statusnet\n" @@ -578,7 +578,8 @@ msgstr "Käyttäjätili" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Tunnus" @@ -1476,7 +1477,7 @@ msgstr "Tämä päivitys on jo suosikki!" msgid "Disfavor favorite" msgstr "Poista suosikeista" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "Suosituimmat päivitykset" @@ -2760,7 +2761,7 @@ msgstr "Tietoja" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "Kotipaikka" @@ -2941,7 +2942,7 @@ msgid "" "one!" msgstr "" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "Tagipilvi" @@ -3537,12 +3538,12 @@ msgid "Group profile" msgstr "Ryhmän profiili" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Huomaa" @@ -4107,7 +4108,8 @@ msgstr "Tagi %s" msgid "User profile" msgstr "Käyttäjän profiili" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "Kuva" @@ -4171,7 +4173,7 @@ msgstr "Ei profiili id:tä kyselyssä." msgid "Unsubscribed" msgstr "Tilaus lopetettu" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4266,37 +4268,37 @@ msgstr "" "päivitykset. Jos et valinnut haluavasi tilata jonkin käyttäjän päivityksiä, " "paina \"Peruuta\"." -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "Lisenssi" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "Hyväksy" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "Tilaa tämä käyttäjä" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "Hylkää" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 #, fuzzy msgid "Reject this subscription" msgstr "Käyttäjän %s tilaukset" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "Ei valtuutuspyyntöä!" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "Tilaus sallittu" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 #, fuzzy msgid "" "The subscription has been authorized, but no callback URL was passed. Check " @@ -4307,11 +4309,11 @@ msgstr "" "saatu. Tarkista sivuston ohjeet miten päivityksen tilaus hyväksytään. " "Tilauskoodisi on:" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "Tilaus hylätty" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 #, fuzzy msgid "" "The subscription has been rejected, but no callback URL was passed. Check " @@ -4321,37 +4323,37 @@ msgstr "" "Päivityksen tilaus on hylätty, mutta callback-osoitetta palveluun ei ole " "saatu. Tarkista sivuston ohjeet miten päivityksen tilaus hylätään kokonaan." -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, fuzzy, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "Kuvan URL-osoitetta '%s' ei voi avata." -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, fuzzy, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "Kuvan '%s' tyyppi on väärä" diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index 7a25b9ef2..010cc8070 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -14,12 +14,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:32:38+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:04:09+0000\n" "Language-Team: French\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: out-statusnet\n" @@ -578,7 +578,8 @@ msgstr "Compte" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Pseudo" @@ -1449,7 +1450,7 @@ msgstr "Cet avis a déjà été ajouté à vos favoris !" msgid "Disfavor favorite" msgstr "Retirer ce favori" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "Avis populaires" @@ -2732,7 +2733,7 @@ msgstr "Bio" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "Emplacement" @@ -2922,7 +2923,7 @@ msgstr "" "Pourquoi ne pas [créer un compte](%%action.register%%) et être le premier à " "en poster un !" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "Nuage de marques" @@ -3519,12 +3520,12 @@ msgid "Group profile" msgstr "Profil du groupe" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Note" @@ -4111,7 +4112,8 @@ msgstr "Marque %s" msgid "User profile" msgstr "Profil de l’utilisateur" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "Photo" @@ -4171,7 +4173,7 @@ msgstr "Aucune identité de profil dans la requête." msgid "Unsubscribed" msgstr "Désabonné" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4262,36 +4264,36 @@ msgstr "" "abonner aux avis de cet utilisateur. Si vous n’avez pas demandé à vous " "abonner aux avis de quelqu’un, cliquez « Rejeter »." -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "Licence" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "Accepter" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "S’abonner à cet utilisateur" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "Refuser" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 msgid "Reject this subscription" msgstr "Rejeter cet abonnement" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "Pas de requête d’autorisation !" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "Abonnement autorisé" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " @@ -4301,11 +4303,11 @@ msgstr "" "Vérifiez les instructions du site pour savoir comment compléter " "l’autorisation de l’abonnement. Votre jeton d’abonnement est :" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "Abonnement refusé" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " @@ -4315,38 +4317,38 @@ msgstr "" "Vérifiez les instructions du site pour savoir comment refuser pleinement " "l’abonnement." -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "L’URI de l’auditeur ‘%s’ n’a pas été trouvée ici." -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "L’URI à laquelle vous vous êtes abonné(e) ‘%s’ est trop longue." -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" "L’URI à laquelle vous vous êtes abonné(e) ‘%s’ est un utilisateur local." -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "L’URL du profil ‘%s’ est pour un utilisateur local." -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "L’URL de l’avatar ‘%s’ n’est pas valide." -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "Impossible de lire l’URL de l’avatar « %s »." -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "Format d’image invalide pour l’URL de l’avatar « %s »." diff --git a/locale/ga/LC_MESSAGES/statusnet.po b/locale/ga/LC_MESSAGES/statusnet.po index 5be4d756e..0d48fb182 100644 --- a/locale/ga/LC_MESSAGES/statusnet.po +++ b/locale/ga/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:32:41+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:04:12+0000\n" "Language-Team: Irish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ga\n" "X-Message-Group: out-statusnet\n" @@ -575,7 +575,8 @@ msgstr "Sobre" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Alcume" @@ -1498,7 +1499,7 @@ msgstr "Este chío xa é un favorito!" msgid "Disfavor favorite" msgstr "Desactivar favorito" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "Chíos populares" @@ -2792,7 +2793,7 @@ msgstr "Bio" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "Localización" @@ -2981,7 +2982,7 @@ msgid "" "one!" msgstr "" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "" @@ -3574,12 +3575,12 @@ msgid "Group profile" msgstr "Non existe o perfil." #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 #, fuzzy msgid "Note" msgstr "Chíos" @@ -4160,7 +4161,8 @@ msgstr "Tags" msgid "User profile" msgstr "O usuario non ten perfil." -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "" @@ -4225,7 +4227,7 @@ msgstr "Non hai identificador de perfil na peticion." msgid "Unsubscribed" msgstr "De-suscribido" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4320,38 +4322,38 @@ msgstr "" "user's notices. If you didn't just ask to subscribe to someone's notices, " "click \"Cancel\"." -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "Aceptar" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 #, fuzzy msgid "Subscribe to this user" msgstr "Suscrito a %s" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "Rexeitar" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 #, fuzzy msgid "Reject this subscription" msgstr "Subscrición de autorización." -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "Sen petición de autorización!" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "Subscrición autorizada" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 #, fuzzy msgid "" "The subscription has been authorized, but no callback URL was passed. Check " @@ -4362,11 +4364,11 @@ msgstr "" "proporcionada. Comproba coas instruccións do sitio para máis detalles en " "como autorizar subscricións. O teu token de subscrición é:" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "Subscrición rexeitada" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 #, fuzzy msgid "" "The subscription has been rejected, but no callback URL was passed. Check " @@ -4377,37 +4379,37 @@ msgstr "" "with the site's instructions for details on how to fully reject the " "subscription." -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, fuzzy, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "Non se pode ler a URL do avatar de '%s'" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, fuzzy, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "Tipo de imaxe incorrecto para '%s'" diff --git a/locale/he/LC_MESSAGES/statusnet.po b/locale/he/LC_MESSAGES/statusnet.po index cbf4a8f0c..e564ba3ea 100644 --- a/locale/he/LC_MESSAGES/statusnet.po +++ b/locale/he/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:32:45+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:04:16+0000\n" "Language-Team: Hebrew\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: he\n" "X-Message-Group: out-statusnet\n" @@ -568,7 +568,8 @@ msgstr "×ודות" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "כינוי" @@ -1469,7 +1470,7 @@ msgstr "" msgid "Disfavor favorite" msgstr "" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 #, fuzzy msgid "Popular notices" @@ -2719,7 +2720,7 @@ msgstr "ביוגרפיה" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "מיקו×" @@ -2897,7 +2898,7 @@ msgid "" "one!" msgstr "" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "" @@ -3458,12 +3459,12 @@ msgid "Group profile" msgstr "×ין הודעה כזו." #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 #, fuzzy msgid "Note" msgstr "הודעות" @@ -4019,7 +4020,8 @@ msgstr "" msgid "User profile" msgstr "למשתמש ×ין פרופיל." -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "" @@ -4081,7 +4083,7 @@ msgstr "השרת ×œ× ×”×—×–×™×¨ כתובת פרופיל" msgid "Unsubscribed" msgstr "בטל מנוי" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4172,38 +4174,38 @@ msgstr "" "בדוק ×ת ×”×¤×¨×˜×™× ×›×“×™ ×œ×•×•×“× ×©×‘×¨×¦×•× ×š ×œ×”×™×¨×©× ×›×ž× ×•×™ להודעות משתמש ×–×”. ×× ×ינך רוצה " "להירש×, לחץ \"בטל\"." -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "קבל" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 #, fuzzy msgid "Subscribe to this user" msgstr "ההרשמה ×ושרה" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "דחה" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 #, fuzzy msgid "Reject this subscription" msgstr "כל המנויי×" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "×œ× ×”×ª×‘×§×© ×ישור!" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "ההרשמה ×ושרה" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 #, fuzzy msgid "" "The subscription has been authorized, but no callback URL was passed. Check " @@ -4213,11 +4215,11 @@ msgstr "" "המנוי ×ושר, ×בל ×œ× ×”×ª×§×‘×œ×” כתובת ×ליה ניתן לחזור. בדוק ×ת הור×ות ×”×תר וחפש " "כיצד ל×שר מנוי. ×סימון המנוי שלך הו×:" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "ההרשמה נדחתה" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 #, fuzzy msgid "" "The subscription has been rejected, but no callback URL was passed. Check " @@ -4227,37 +4229,37 @@ msgstr "" "המנוי נדחה, ×בל ×œ× ×”×ª×§×‘×œ×” כתובת לחזרה. בדוק ×ת הור×ות ×”×תר וחפש כיצד ×œ×”×©×œ×™× " "דחיית מנוי." -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, fuzzy, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "×œ× × ×™×ª×Ÿ ×œ×§×¨×•× ×ת ×”-URL '%s' של התמונה" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, fuzzy, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "סוג התמונה של '%s' ×ינו מת××™×" diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index 7fead90d8..fc0b29b40 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:32:48+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:04:19+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: out-statusnet\n" @@ -551,7 +551,8 @@ msgstr "Konto" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "PÅ™imjeno" @@ -1409,7 +1410,7 @@ msgstr "Tuta zdźělenka je hižo faworit!" msgid "Disfavor favorite" msgstr "" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "Woblubowane zdźělenki" @@ -2587,7 +2588,7 @@ msgstr "Biografija" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "MÄ›stno" @@ -2759,7 +2760,7 @@ msgid "" "one!" msgstr "" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "" @@ -3302,12 +3303,12 @@ msgid "Group profile" msgstr "Skupinski profil" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "" @@ -3846,7 +3847,8 @@ msgstr "" msgid "User profile" msgstr "Wužiwarski profil" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "Foto" @@ -3901,7 +3903,7 @@ msgstr "" msgid "Unsubscribed" msgstr "Wotskazany" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -3985,84 +3987,84 @@ msgid "" "click “Rejectâ€." msgstr "" -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "Licenca" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "Akceptować" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "Tutoho wužiwarja abonować" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "Wotpokazać" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 msgid "Reject this subscription" msgstr "Tutón abonement wotpokazać" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "Abonement awtorizowany" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " "subscription. Your subscription token is:" msgstr "" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "Abonement wotpokazany" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " "subscription." msgstr "" -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "" diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index e1227bbba..6662516dd 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:32:51+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:04:22+0000\n" "Language-Team: Interlingua\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: out-statusnet\n" @@ -24,14 +24,12 @@ msgid "Access" msgstr "Accesso" #: actions/accessadminpanel.php:65 -#, fuzzy msgid "Site access settings" -msgstr "Salveguardar configurationes del sito" +msgstr "Configurationes de accesso al sito" #: actions/accessadminpanel.php:158 -#, fuzzy msgid "Registration" -msgstr "Crear un conto" +msgstr "Registration" #: actions/accessadminpanel.php:161 msgid "Private" @@ -70,9 +68,8 @@ msgid "Save" msgstr "Salveguardar" #: actions/accessadminpanel.php:189 -#, fuzzy msgid "Save access settings" -msgstr "Salveguardar configurationes del sito" +msgstr "Salveguardar configurationes de accesso" #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 @@ -106,9 +103,9 @@ msgid "No such user." msgstr "Usator non existe." #: actions/all.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s and friends, page %2$d" -msgstr "%s profilos blocate, pagina %d" +msgstr "%1$s e amicos, pagina %2$d" #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 @@ -150,13 +147,13 @@ msgstr "" "action.groups%%) o publica alique tu mesme." #: actions/all.php:134 -#, fuzzy, php-format +#, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -"Tu pote tentar [dar un pulsata a %s](../%s) in su profilo o [publicar un " -"message a su attention](%%%%action.newnotice%%%%?status_textarea=%s)." +"Tu pote tentar [dar un pulsata a %1$s](../%2$s) in su profilo o [publicar un " +"message a su attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." #: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format @@ -324,18 +321,16 @@ msgid "No status found with that ID." msgstr "Nulle stato trovate con iste ID." #: actions/apifavoritecreate.php:119 -#, fuzzy msgid "This status is already a favorite." -msgstr "Iste stato es ja favorite!" +msgstr "Iste stato es ja favorite." #: actions/apifavoritecreate.php:130 actions/favor.php:84 lib/command.php:176 msgid "Could not create favorite." msgstr "Non poteva crear le favorite." #: actions/apifavoritedestroy.php:122 -#, fuzzy msgid "That status is not a favorite." -msgstr "Iste stato non es favorite!" +msgstr "Iste stato non es favorite." #: actions/apifavoritedestroy.php:134 actions/disfavor.php:87 msgid "Could not delete favorite." @@ -355,9 +350,8 @@ msgid "Could not unfollow user: User not found." msgstr "Non poteva cessar de sequer le usator: Usator non trovate." #: actions/apifriendshipsdestroy.php:120 -#, fuzzy msgid "You cannot unfollow yourself." -msgstr "Tu non pote cessar de sequer te mesme!" +msgstr "Tu non pote cessar de sequer te mesme." #: actions/apifriendshipsexists.php:94 msgid "Two user ids or screen_names must be supplied." @@ -452,18 +446,18 @@ msgid "You have been blocked from that group by the admin." msgstr "Le administrator te ha blocate de iste gruppo." #: actions/apigroupjoin.php:138 actions/joingroup.php:124 -#, fuzzy, php-format +#, php-format msgid "Could not join user %1$s to group %2$s." -msgstr "Non poteva inscriber le usator %s in le gruppo %s." +msgstr "Non poteva inscriber le usator %1$s in le gruppo %2$s." #: actions/apigroupleave.php:114 msgid "You are not a member of this group." msgstr "Tu non es membro de iste gruppo." #: actions/apigroupleave.php:124 actions/leavegroup.php:119 -#, fuzzy, php-format +#, php-format msgid "Could not remove user %1$s from group %2$s." -msgstr "Non poteva remover le usator %s del gruppo %s." +msgstr "Non poteva remover le usator %1$s del gruppo %2$s." #: actions/apigrouplist.php:95 #, php-format @@ -482,12 +476,11 @@ msgstr "gruppos in %s" #: actions/apioauthauthorize.php:101 msgid "No oauth_token parameter provided." -msgstr "" +msgstr "Nulle parametro oauth_token fornite." #: actions/apioauthauthorize.php:106 -#, fuzzy msgid "Invalid token." -msgstr "Dimension invalide." +msgstr "Indicio invalide." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -508,19 +501,19 @@ msgid "There was a problem with your session token. Try again, please." msgstr "Occurreva un problema con le indicio de tu session. Per favor reproba." #: actions/apioauthauthorize.php:135 -#, fuzzy msgid "Invalid nickname / password!" -msgstr "Nomine de usator o contrasigno invalide." +msgstr "Nomine de usator o contrasigno invalide!" #: actions/apioauthauthorize.php:159 -#, fuzzy msgid "Database error deleting OAuth application user." -msgstr "Error durante le configuration del usator." +msgstr "" +"Error del base de datos durante le deletion del usator del application OAuth." #: actions/apioauthauthorize.php:185 -#, fuzzy msgid "Database error inserting OAuth application user." -msgstr "Error durante le configuration del usator." +msgstr "" +"Error del base de datos durante le insertion del usator del application " +"OAuth." #: actions/apioauthauthorize.php:214 #, php-format @@ -528,11 +521,13 @@ msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" +"Le indicio de requesta %s ha essite autorisate. Per favor excambia lo pro un " +"indicio de accesso." #: actions/apioauthauthorize.php:227 #, php-format msgid "The request token %s has been denied and revoked." -msgstr "" +msgstr "Le indicio de requesta %s ha essite refusate e revocate." #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -545,11 +540,11 @@ msgstr "Submission de formulario inexpectate." #: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" -msgstr "" +msgstr "Un application vole connecter se a tu conto" #: actions/apioauthauthorize.php:276 msgid "Allow or deny access" -msgstr "" +msgstr "Permitter o refusar accesso" #: actions/apioauthauthorize.php:292 #, php-format @@ -558,14 +553,18 @@ msgid "" "the ability to %3$s your %4$s account data. You should only " "give access to your %4$s account to third parties you trust." msgstr "" +"Le application %1$s per %2$s vole poter " +"%3$s le datos de tu conto de %4$s. Tu debe solmente dar " +"accesso a tu conto de %4$s a tertie personas in le quales tu ha confidentia." #: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" -msgstr "" +msgstr "Conto" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Pseudonymo" @@ -576,17 +575,16 @@ msgid "Password" msgstr "Contrasigno" #: actions/apioauthauthorize.php:328 -#, fuzzy msgid "Deny" -msgstr "Apparentia" +msgstr "Refusar" #: actions/apioauthauthorize.php:334 msgid "Allow" -msgstr "" +msgstr "Permitter" #: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." -msgstr "" +msgstr "Permitter o refusar accesso al informationes de tu conto." #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." @@ -640,14 +638,14 @@ msgid "Unsupported format." msgstr "Formato non supportate." #: actions/apitimelinefavorites.php:108 -#, fuzzy, php-format +#, php-format msgid "%1$s / Favorites from %2$s" -msgstr "%s / Favorites de %s" +msgstr "%1$s / Favorites de %2$s" #: actions/apitimelinefavorites.php:120 -#, fuzzy, php-format +#, php-format msgid "%1$s updates favorited by %2$s / %2$s." -msgstr "%s actualisationes favoritisate per %s / %s." +msgstr "%1$s actualisationes favoritisate per %2$s / %2$s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 #: actions/grouprss.php:131 actions/userrss.php:90 @@ -848,9 +846,9 @@ msgid "%s blocked profiles" msgstr "%s profilos blocate" #: actions/blockedfromgroup.php:93 -#, fuzzy, php-format +#, php-format msgid "%1$s blocked profiles, page %2$d" -msgstr "%s profilos blocate, pagina %d" +msgstr "%1$s profilos blocate, pagina %2$d" #: actions/blockedfromgroup.php:108 msgid "A list of the users blocked from joining this group." @@ -907,7 +905,6 @@ msgid "Couldn't delete email confirmation." msgstr "Non poteva deler confirmation de e-mail." #: actions/confirmaddress.php:144 -#, fuzzy msgid "Confirm address" msgstr "Confirmar adresse" @@ -926,51 +923,45 @@ msgid "Notices" msgstr "Notas" #: actions/deleteapplication.php:63 -#, fuzzy msgid "You must be logged in to delete an application." -msgstr "Tu debe aperir un session pro modificar un gruppo." +msgstr "Tu debe aperir un session pro deler un application." #: actions/deleteapplication.php:71 -#, fuzzy msgid "Application not found." -msgstr "Le nota ha nulle profilo" +msgstr "Application non trovate." #: actions/deleteapplication.php:78 actions/editapplication.php:77 #: actions/showapplication.php:94 -#, fuzzy msgid "You are not the owner of this application." -msgstr "Tu non es membro de iste gruppo." +msgstr "Tu non es le proprietario de iste application." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 #: lib/action.php:1195 msgid "There was a problem with your session token." -msgstr "" +msgstr "Il habeva un problema con tu indicio de session." #: actions/deleteapplication.php:123 actions/deleteapplication.php:147 -#, fuzzy msgid "Delete application" -msgstr "Nota non trovate." +msgstr "Deler application" #: actions/deleteapplication.php:149 -#, fuzzy msgid "" "Are you sure you want to delete this application? This will clear all data " "about the application from the database, including all existing user " "connections." msgstr "" -"Es tu secur de voler deler iste usator? Isto radera tote le datos super le " -"usator del base de datos, sin copia de reserva." +"Es tu secur de voler deler iste application? Isto radera tote le datos super " +"le application del base de datos, includente tote le existente connexiones " +"de usator." #: actions/deleteapplication.php:156 -#, fuzzy msgid "Do not delete this application" -msgstr "Non deler iste nota" +msgstr "Non deler iste application" #: actions/deleteapplication.php:160 -#, fuzzy msgid "Delete this application" -msgstr "Deler iste nota" +msgstr "Deler iste application" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 @@ -1151,84 +1142,74 @@ msgid "Add to favorites" msgstr "Adder al favorites" #: actions/doc.php:158 -#, fuzzy, php-format +#, php-format msgid "No such document \"%s\"" -msgstr "Documento non existe." +msgstr "Le documento \"%s\" non existe." #: actions/editapplication.php:54 -#, fuzzy msgid "Edit Application" -msgstr "Le nota ha nulle profilo" +msgstr "Modificar application" #: actions/editapplication.php:66 -#, fuzzy msgid "You must be logged in to edit an application." -msgstr "Tu debe aperir un session pro modificar un gruppo." +msgstr "Tu debe aperir un session pro modificar un application." #: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 -#, fuzzy msgid "No such application." -msgstr "Nota non trovate." +msgstr "Application non trovate." #: actions/editapplication.php:161 -#, fuzzy msgid "Use this form to edit your application." -msgstr "Usa iste formulario pro modificar le gruppo." +msgstr "Usa iste formulario pro modificar le application." #: actions/editapplication.php:177 actions/newapplication.php:159 -#, fuzzy msgid "Name is required." -msgstr "Identic al contrasigno hic supra. Requisite." +msgstr "Le nomine es requirite." #: actions/editapplication.php:180 actions/newapplication.php:165 -#, fuzzy msgid "Name is too long (max 255 chars)." -msgstr "Le nomine complete es troppo longe (max. 255 characteres)." +msgstr "Le nomine es troppo longe (max. 255 characteres)." #: actions/editapplication.php:183 actions/newapplication.php:162 -#, fuzzy msgid "Name already in use. Try another one." -msgstr "Pseudonymo ja in uso. Proba un altere." +msgstr "Nomine ja in uso. Proba un altere." #: actions/editapplication.php:186 actions/newapplication.php:168 msgid "Description is required." -msgstr "" +msgstr "Le description es requirite." #: actions/editapplication.php:194 msgid "Source URL is too long." -msgstr "" +msgstr "Le URL de origine es troppo longe." #: actions/editapplication.php:200 actions/newapplication.php:185 -#, fuzzy msgid "Source URL is not valid." -msgstr "Le pagina personal non es un URL valide." +msgstr "Le URL de origine non es valide." #: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." -msgstr "" +msgstr "Le organisation es requirite." #: actions/editapplication.php:206 actions/newapplication.php:191 -#, fuzzy msgid "Organization is too long (max 255 chars)." -msgstr "Loco es troppo longe (max. 255 characteres)." +msgstr "Le organisation es troppo longe (max. 255 characteres)." #: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." -msgstr "" +msgstr "Le sito web del organisation es requirite." #: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." -msgstr "" +msgstr "Le reappello (callback) es troppo longe." #: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." -msgstr "" +msgstr "Le URL de reappello (callback) non es valide." #: actions/editapplication.php:258 -#, fuzzy msgid "Could not update application." -msgstr "Non poteva actualisar gruppo." +msgstr "Non poteva actualisar application." #: actions/editgroup.php:56 #, php-format @@ -1241,7 +1222,6 @@ msgstr "Tu debe aperir un session pro crear un gruppo." #: actions/editgroup.php:103 actions/editgroup.php:168 #: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 -#, fuzzy msgid "You must be an admin to edit the group." msgstr "Tu debe esser administrator pro modificar le gruppo." @@ -1267,7 +1247,6 @@ msgid "Options saved." msgstr "Optiones salveguardate." #: actions/emailsettings.php:60 -#, fuzzy msgid "Email settings" msgstr "Configuration de e-mail" @@ -1306,9 +1285,8 @@ msgid "Cancel" msgstr "Cancellar" #: actions/emailsettings.php:121 -#, fuzzy msgid "Email address" -msgstr "Adresses de e-mail" +msgstr "Adresse de e-mail" #: actions/emailsettings.php:123 msgid "Email address, like \"UserName@example.org\"" @@ -1457,7 +1435,7 @@ msgstr "Iste nota es ja favorite!" msgid "Disfavor favorite" msgstr "Disfavorir favorite" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "Notas popular" @@ -1609,15 +1587,15 @@ msgid "Block user from group" msgstr "Blocar usator del gruppo" #: actions/groupblock.php:162 -#, fuzzy, php-format +#, php-format msgid "" "Are you sure you want to block user \"%1$s\" from the group \"%2$s\"? They " "will be removed from the group, unable to post, and unable to subscribe to " "the group in the future." msgstr "" -"Es tu secur de voler blocar le usator \"%s\" del gruppo \"%s\"? Ille essera " -"removite del gruppo, non potera publicar messages, e non potera subscriber " -"se al gruppo in le futuro." +"Es tu secur de voler blocar le usator \"%1$s\" del gruppo \"%2$s\"? Ille " +"essera removite del gruppo, non potera publicar messages, e non potera " +"subscriber se al gruppo in le futuro." #: actions/groupblock.php:178 msgid "Do not block this user from this group" @@ -1673,7 +1651,6 @@ msgstr "" "del file es %s." #: actions/grouplogo.php:178 -#, fuzzy msgid "User without matching profile." msgstr "Usator sin profilo correspondente" @@ -1695,9 +1672,9 @@ msgid "%s group members" msgstr "Membros del gruppo %s" #: actions/groupmembers.php:96 -#, fuzzy, php-format +#, php-format msgid "%1$s group members, page %2$d" -msgstr "Membros del gruppo %s, pagina %d" +msgstr "Membros del gruppo %1$s, pagina %2$d" #: actions/groupmembers.php:111 msgid "A list of the users in this group." @@ -1806,7 +1783,6 @@ msgid "Error removing the block." msgstr "Error de remover le blocada." #: actions/imsettings.php:59 -#, fuzzy msgid "IM settings" msgstr "Configuration de messageria instantanee" @@ -1837,7 +1813,6 @@ msgstr "" "message con ulterior instructiones. (Ha tu addite %s a tu lista de amicos?)" #: actions/imsettings.php:124 -#, fuzzy msgid "IM address" msgstr "Adresse de messageria instantanee" @@ -1903,9 +1878,9 @@ msgid "That is not your Jabber ID." msgstr "Isto non es tu ID de Jabber." #: actions/inbox.php:59 -#, fuzzy, php-format +#, php-format msgid "Inbox for %1$s - page %2$d" -msgstr "Cassa de entrata de %s" +msgstr "Cassa de entrata de %1$s - pagina %2$d" #: actions/inbox.php:62 #, php-format @@ -2061,9 +2036,9 @@ msgid "You must be logged in to join a group." msgstr "Tu debe aperir un session pro facer te membro de un gruppo." #: actions/joingroup.php:131 -#, fuzzy, php-format +#, php-format msgid "%1$s joined group %2$s" -msgstr "%s se faceva membro del gruppo %s" +msgstr "%1$s es ora membro del gruppo %2$s" #: actions/leavegroup.php:60 msgid "You must be logged in to leave a group." @@ -2074,9 +2049,9 @@ msgid "You are not a member of that group." msgstr "Tu non es membro de iste gruppo." #: actions/leavegroup.php:127 -#, fuzzy, php-format +#, php-format msgid "%1$s left group %2$s" -msgstr "%s quitava le gruppo %s" +msgstr "%1$s quitava le gruppo %2$s" #: actions/login.php:80 actions/otp.php:62 actions/register.php:137 msgid "Already logged in." @@ -2136,47 +2111,43 @@ msgid "Only an admin can make another user an admin." msgstr "Solmente un administrator pote facer un altere usator administrator." #: actions/makeadmin.php:95 -#, fuzzy, php-format +#, php-format msgid "%1$s is already an admin for group \"%2$s\"." -msgstr "%s es ja administrator del gruppo \"%s\"." +msgstr "%1$s es ja administrator del gruppo \"%2$s\"." #: actions/makeadmin.php:132 -#, fuzzy, php-format +#, php-format msgid "Can't get membership record for %1$s in group %2$s." -msgstr "Non poteva obtener le datos del membrato de %s in le gruppo %s" +msgstr "Non pote obtener le datos del membrato de %1$s in le gruppo %2$s." #: actions/makeadmin.php:145 -#, fuzzy, php-format +#, php-format msgid "Can't make %1$s an admin for group %2$s." -msgstr "Non pote facer %s administrator del gruppo %s" +msgstr "Non pote facer %1$s administrator del gruppo %2$s." #: actions/microsummary.php:69 msgid "No current status" msgstr "Nulle stato actual" #: actions/newapplication.php:52 -#, fuzzy msgid "New Application" -msgstr "Nota non trovate." +msgstr "Nove application" #: actions/newapplication.php:64 -#, fuzzy msgid "You must be logged in to register an application." -msgstr "Tu debe aperir un session pro crear un gruppo." +msgstr "Tu debe aperir un session pro registrar un application." #: actions/newapplication.php:143 -#, fuzzy msgid "Use this form to register a new application." -msgstr "Usa iste formulario pro crear un nove gruppo." +msgstr "Usa iste formulario pro registrar un nove application." #: actions/newapplication.php:176 msgid "Source URL is required." -msgstr "" +msgstr "Le URL de origine es requirite." #: actions/newapplication.php:258 actions/newapplication.php:267 -#, fuzzy msgid "Could not create application." -msgstr "Non poteva crear aliases." +msgstr "Non poteva crear application." #: actions/newgroup.php:53 msgid "New group" @@ -2215,9 +2186,9 @@ msgid "Message sent" msgstr "Message inviate" #: actions/newmessage.php:185 -#, fuzzy, php-format +#, php-format msgid "Direct message to %s sent." -msgstr "Message directe a %s inviate" +msgstr "Message directe a %s inviate." #: actions/newmessage.php:210 actions/newnotice.php:245 lib/channel.php:170 msgid "Ajax Error" @@ -2245,9 +2216,9 @@ msgid "Text search" msgstr "Recerca de texto" #: actions/noticesearch.php:91 -#, fuzzy, php-format +#, php-format msgid "Search results for \"%1$s\" on %2$s" -msgstr "Resultatos del recerca de \"%s\" in %s" +msgstr "Resultatos del recerca de \"%1$s\" in %2$s" #: actions/noticesearch.php:121 #, php-format @@ -2294,48 +2265,48 @@ msgid "Nudge sent!" msgstr "Pulsata inviate!" #: actions/oauthappssettings.php:59 -#, fuzzy msgid "You must be logged in to list your applications." -msgstr "Tu debe aperir un session pro modificar un gruppo." +msgstr "Tu debe aperir un session pro listar tu applicationes." #: actions/oauthappssettings.php:74 msgid "OAuth applications" -msgstr "" +msgstr "Applicationes OAuth" #: actions/oauthappssettings.php:85 msgid "Applications you have registered" -msgstr "" +msgstr "Applicationes que tu ha registrate" #: actions/oauthappssettings.php:135 #, php-format msgid "You have not registered any applications yet." -msgstr "" +msgstr "Tu non ha ancora registrate alcun application." #: actions/oauthconnectionssettings.php:72 msgid "Connected applications" -msgstr "" +msgstr "Applicationes connectite" #: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." -msgstr "" +msgstr "Tu ha permittite al sequente applicationes de acceder a tu conto." #: actions/oauthconnectionssettings.php:175 -#, fuzzy msgid "You are not a user of that application." -msgstr "Tu non es membro de iste gruppo." +msgstr "Tu non es usator de iste application." #: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " -msgstr "" +msgstr "Impossibile revocar le accesso del application: " #: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." -msgstr "" +msgstr "Tu non ha autorisate alcun application a usar tu conto." #: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" +"Le programmatores pote modificar le parametros de registration pro lor " +"applicationes " #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" @@ -2368,7 +2339,6 @@ msgid "Notice Search" msgstr "Rercerca de notas" #: actions/othersettings.php:60 -#, fuzzy msgid "Other settings" msgstr "Altere configurationes" @@ -2401,18 +2371,16 @@ msgid "URL shortening service is too long (max 50 chars)." msgstr "Le servicio de accurtamento de URL es troppo longe (max 50 chars)." #: actions/otp.php:69 -#, fuzzy msgid "No user ID specified." -msgstr "Nulle gruppo specificate." +msgstr "Nulle identificator de usator specificate." #: actions/otp.php:83 -#, fuzzy msgid "No login token specified." -msgstr "Nulle nota specificate." +msgstr "Nulle indicio de session specificate." #: actions/otp.php:90 msgid "No login token requested." -msgstr "" +msgstr "Nulle indicio de session requestate." #: actions/otp.php:95 #, fuzzy @@ -2420,14 +2388,13 @@ msgid "Invalid login token specified." msgstr "Indicio invalide o expirate." #: actions/otp.php:104 -#, fuzzy msgid "Login token expired." -msgstr "Identificar te a iste sito" +msgstr "Le indicio de session ha expirate." #: actions/outbox.php:58 -#, fuzzy, php-format +#, php-format msgid "Outbox for %1$s - page %2$d" -msgstr "Cassa de exito pro %s" +msgstr "Cassa de exito de %1$s - pagina %2$d" #: actions/outbox.php:61 #, php-format @@ -2642,7 +2609,6 @@ msgid "When to use SSL" msgstr "Quando usar SSL" #: actions/pathsadminpanel.php:335 -#, fuzzy msgid "SSL server" msgstr "Servitor SSL" @@ -2673,19 +2639,20 @@ msgid "Not a valid people tag: %s" msgstr "Etiquetta de personas invalide: %s" #: actions/peopletag.php:144 -#, fuzzy, php-format +#, php-format msgid "Users self-tagged with %1$s - page %2$d" -msgstr "Usatores auto-etiquettate con %s - pagina %d" +msgstr "Usatores auto-etiquettate con %1$s - pagina %2$d" #: actions/postnotice.php:84 msgid "Invalid notice content" msgstr "Le contento del nota es invalide" #: actions/postnotice.php:90 -#, fuzzy, php-format +#, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -"Le licentia del nota '%s' non es compatibile con le licentia del sito '%s'." +"Le licentia del nota ‘%1$s’ non es compatibile con le licentia del sito ‘%2" +"$s’." #: actions/profilesettings.php:60 msgid "Profile settings" @@ -2736,7 +2703,7 @@ msgstr "Bio" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "Loco" @@ -2924,7 +2891,7 @@ msgstr "" "Proque non [registrar un conto](%%action.register%%) e devenir le prime a " "publicar un?" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "Etiquettario" @@ -3138,7 +3105,7 @@ msgstr "" "messageria instantanee, numero de telephono." #: actions/register.php:538 -#, fuzzy, php-format +#, php-format msgid "" "Congratulations, %1$s! And welcome to %%%%site.name%%%%. From here, you may " "want to...\n" @@ -3155,9 +3122,9 @@ msgid "" "\n" "Thanks for signing up and we hope you enjoy using this service." msgstr "" -"Felicitationes, %s! Benvenite a %%%%site.name%%%%. Ora tu pote...\n" +"Felicitationes, %1$s! Benvenite a %%%%site.name%%%%. Ora tu pote...\n" "\n" -"* Visitar [tu profilo](%s) e publicar tu prime message.\n" +"* Visitar [tu profilo](%2$s) e publicar tu prime message.\n" "* Adder un [adresse Jabber/GTalk](%%%%action.imsettings%%%%) pro poter " "inviar notas per messages instantanee.\n" "* [Cercar personas](%%%%action.peoplesearch%%%%) que tu cognosce o con que " @@ -3267,9 +3234,9 @@ msgid "Replies to %s" msgstr "Responsas a %s" #: actions/replies.php:127 -#, fuzzy, php-format +#, php-format msgid "Replies to %1$s, page %2$d" -msgstr "Responsas a %1$s in %2$s!" +msgstr "Responsas a %1$s, pagina %2$d" #: actions/replies.php:144 #, php-format @@ -3287,13 +3254,13 @@ msgid "Replies feed for %s (Atom)" msgstr "Syndication de responsas pro %s (Atom)" #: actions/replies.php:198 -#, fuzzy, php-format +#, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "" -"Isto es le chronologia de responsas a %s, ma %s non ha ancora recipite alcun " -"nota a su attention." +"Isto es le chronologia de responsas a %1$s, ma %2$s non ha ancora recipite " +"alcun nota a su attention." #: actions/replies.php:203 #, php-format @@ -3305,13 +3272,13 @@ msgstr "" "personas o [devenir membro de gruppos](%%action.groups%%)." #: actions/replies.php:205 -#, fuzzy, php-format +#, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " "attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -"Tu pote tentar [pulsar %s](../%s) o [publicar alique a su attention](%%%%" -"action.newnotice%%%%?status_textarea=%s)." +"Tu pote tentar [pulsar %1$s](../%2$s) o [publicar alique a su attention](%%%%" +"action.newnotice%%%%?status_textarea=%3$s)." #: actions/repliesrss.php:72 #, php-format @@ -3319,9 +3286,8 @@ msgid "Replies to %1$s on %2$s!" msgstr "Responsas a %1$s in %2$s!" #: actions/rsd.php:146 actions/version.php:157 -#, fuzzy msgid "StatusNet" -msgstr "Stato delite." +msgstr "StatusNet" #: actions/sandbox.php:65 actions/unsandbox.php:65 msgid "You cannot sandbox users on this site." @@ -3334,28 +3300,27 @@ msgstr "Usator es ja in cassa de sablo." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 #: lib/adminpanelaction.php:336 msgid "Sessions" -msgstr "" +msgstr "Sessiones" #: actions/sessionsadminpanel.php:65 -#, fuzzy msgid "Session settings for this StatusNet site." -msgstr "Configuration del apparentia de iste sito StatusNet." +msgstr "Parametros de session pro iste sito StatusNet." #: actions/sessionsadminpanel.php:175 msgid "Handle sessions" -msgstr "" +msgstr "Gerer sessiones" #: actions/sessionsadminpanel.php:177 msgid "Whether to handle sessions ourselves." -msgstr "" +msgstr "Si nos debe gerer le sessiones nos mesme." #: actions/sessionsadminpanel.php:181 msgid "Session debugging" -msgstr "" +msgstr "Cercar defectos de session" #: actions/sessionsadminpanel.php:183 msgid "Turn on debugging output for sessions." -msgstr "" +msgstr "Producer informationes technic pro cercar defectos in sessiones." #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 #: actions/useradminpanel.php:293 @@ -3363,33 +3328,30 @@ msgid "Save site settings" msgstr "Salveguardar configurationes del sito" #: actions/showapplication.php:82 -#, fuzzy msgid "You must be logged in to view an application." -msgstr "Tu debe aperir un session pro quitar un gruppo." +msgstr "Tu debe aperir un session pro vider un application." #: actions/showapplication.php:157 -#, fuzzy msgid "Application profile" -msgstr "Le nota ha nulle profilo" +msgstr "Profilo del application" #: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" -msgstr "" +msgstr "Icone" #: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 -#, fuzzy msgid "Name" -msgstr "Pseudonymo" +msgstr "Nomine" #: actions/showapplication.php:178 lib/applicationeditform.php:222 msgid "Organization" -msgstr "" +msgstr "Organisation" #: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 msgid "Description" -msgstr "" +msgstr "Description" #: actions/showapplication.php:192 actions/showgroup.php:429 #: lib/profileaction.php:174 @@ -3399,55 +3361,56 @@ msgstr "Statisticas" #: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" -msgstr "" +msgstr "Create per %1$s - accesso %2$s per predefinition - %3$d usatores" #: actions/showapplication.php:213 msgid "Application actions" -msgstr "" +msgstr "Actiones de application" #: actions/showapplication.php:236 msgid "Reset key & secret" -msgstr "" +msgstr "Reinitialisar clave e secreto" #: actions/showapplication.php:261 msgid "Application info" -msgstr "" +msgstr "Info del application" #: actions/showapplication.php:263 msgid "Consumer key" -msgstr "" +msgstr "Clave de consumitor" #: actions/showapplication.php:268 msgid "Consumer secret" -msgstr "" +msgstr "Secreto de consumitor" #: actions/showapplication.php:273 msgid "Request token URL" -msgstr "" +msgstr "URL del indicio de requesta" #: actions/showapplication.php:278 msgid "Access token URL" -msgstr "" +msgstr "URL del indicio de accesso" #: actions/showapplication.php:283 msgid "Authorize URL" -msgstr "" +msgstr "URL de autorisation" #: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +"Nota: Nos supporta le signaturas HMAC-SHA1. Nos non accepta signaturas in " +"texto simple." #: actions/showapplication.php:309 -#, fuzzy msgid "Are you sure you want to reset your consumer key and secret?" -msgstr "Es tu secur de voler deler iste nota?" +msgstr "Es tu secur de voler reinitialisar tu clave e secreto de consumitor?" #: actions/showfavorites.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s's favorite notices, page %2$d" -msgstr "Notas favorite de %s" +msgstr "Notas favorite de %1$s, pagina %2$d" #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." @@ -3507,21 +3470,21 @@ msgid "%s group" msgstr "Gruppo %s" #: actions/showgroup.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s group, page %2$d" -msgstr "Membros del gruppo %s, pagina %d" +msgstr "Gruppo %1$s, pagina %2$d" #: actions/showgroup.php:218 msgid "Group profile" msgstr "Profilo del gruppo" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Nota" @@ -3631,14 +3594,14 @@ msgid " tagged %s" msgstr " con etiquetta %s" #: actions/showstream.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s, page %2$d" -msgstr "%s profilos blocate, pagina %d" +msgstr "%1$s, pagina %2$d" #: actions/showstream.php:122 -#, fuzzy, php-format +#, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" -msgstr "Syndication de notas pro %s con etiquetta %s (RSS 1.0)" +msgstr "Syndication de notas pro %1$s con etiquetta %2$s (RSS 1.0)" #: actions/showstream.php:129 #, php-format @@ -3661,9 +3624,10 @@ msgid "FOAF for %s" msgstr "Amico de un amico pro %s" #: actions/showstream.php:200 -#, fuzzy, php-format +#, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." -msgstr "Isto es le chronologia pro %s, ma %s non ha ancora publicate alique." +msgstr "" +"Isto es le chronologia pro %1$s, ma %2$s non ha ancora publicate alique." #: actions/showstream.php:205 msgid "" @@ -3674,13 +3638,13 @@ msgstr "" "alcun nota, dunque iste es un bon momento pro comenciar :)" #: actions/showstream.php:207 -#, fuzzy, php-format +#, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -"Tu pote tentar pulsar %s o [publicar un nota a su attention](%%%%action." -"newnotice%%%%?status_textarea=%s)." +"Tu pote tentar pulsar %1$s o [publicar un nota a su attention](%%%%action." +"newnotice%%%%?status_textarea=%2$s)." #: actions/showstream.php:243 #, php-format @@ -3729,14 +3693,13 @@ msgid "Site name must have non-zero length." msgstr "Le longitude del nomine del sito debe esser plus que zero." #: actions/siteadminpanel.php:140 -#, fuzzy msgid "You must have a valid contact email address." msgstr "Tu debe haber un valide adresse de e-mail pro contacto." #: actions/siteadminpanel.php:158 -#, fuzzy, php-format +#, php-format msgid "Unknown language \"%s\"." -msgstr "Lingua \"%s\" incognite" +msgstr "Lingua \"%s\" incognite." #: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." @@ -3865,9 +3828,8 @@ msgstr "" "publicar le mesme cosa de novo." #: actions/smssettings.php:58 -#, fuzzy msgid "SMS settings" -msgstr "Configuration SMS" +msgstr "Parametros de SMS" #: actions/smssettings.php:69 #, php-format @@ -3895,7 +3857,6 @@ msgid "Enter the code you received on your phone." msgstr "Entra le codice que tu ha recipite in tu telephono." #: actions/smssettings.php:138 -#, fuzzy msgid "SMS phone number" msgstr "Numero de telephono pro SMS" @@ -3987,9 +3948,9 @@ msgid "%s subscribers" msgstr "Subscriptores a %s" #: actions/subscribers.php:52 -#, fuzzy, php-format +#, php-format msgid "%1$s subscribers, page %2$d" -msgstr "Subscriptores a %s, pagina %d" +msgstr "Subscriptores a %1$s, pagina %2$d" #: actions/subscribers.php:63 msgid "These are the people who listen to your notices." @@ -4095,7 +4056,8 @@ msgstr "" msgid "User profile" msgstr "" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "" @@ -4150,7 +4112,7 @@ msgstr "" msgid "Unsubscribed" msgstr "" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, fuzzy, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4235,84 +4197,84 @@ msgid "" "click “Rejectâ€." msgstr "" -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 msgid "Reject this subscription" msgstr "" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " "subscription. Your subscription token is:" msgstr "" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " "subscription." msgstr "" -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "" diff --git a/locale/is/LC_MESSAGES/statusnet.po b/locale/is/LC_MESSAGES/statusnet.po index 3b4d89fc0..f03611aed 100644 --- a/locale/is/LC_MESSAGES/statusnet.po +++ b/locale/is/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:32:54+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:04:26+0000\n" "Language-Team: Icelandic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: is\n" "X-Message-Group: out-statusnet\n" @@ -569,7 +569,8 @@ msgstr "Aðgangur" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Stuttnefni" @@ -1463,7 +1464,7 @@ msgstr "Þetta babl er nú þegar í uppáhaldi!" msgid "Disfavor favorite" msgstr "Ekki lengur í uppáhaldi" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "Vinsælt babl" @@ -2741,7 +2742,7 @@ msgstr "Lýsing" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "Staðsetning" @@ -2918,7 +2919,7 @@ msgid "" "one!" msgstr "" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "Merkjaský" @@ -3502,12 +3503,12 @@ msgid "Group profile" msgstr "Hópssíðan" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "Vefslóð" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Athugasemd" @@ -4062,7 +4063,8 @@ msgstr "Merki %s" msgid "User profile" msgstr "Persónuleg síða notanda" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "Ljósmynd" @@ -4126,7 +4128,7 @@ msgstr "Ekkert einkenni persónulegrar síðu í beiðni." msgid "Unsubscribed" msgstr "Ekki lengur áskrifandi" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4221,36 +4223,36 @@ msgstr "" "gerast áskrifandi að babli þessa notanda. Ef þú baðst ekki um að gerast " "áskrifandi að babli, smelltu þá á \"Hætta við\"." -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "Samþykkja" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "Gerast áskrifandi að þessum notanda" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "Hafna" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 msgid "Reject this subscription" msgstr "" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "Engin heimildarbeiðni!" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "Ãskrift heimiluð" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 #, fuzzy msgid "" "The subscription has been authorized, but no callback URL was passed. Check " @@ -4261,11 +4263,11 @@ msgstr "" "leiðbeiningar síðunnar um það hvernig á að heimila áskrift. Ãskriftartókinn " "þinn er;" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "Ãskrift hafnað" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 #, fuzzy msgid "" "The subscription has been rejected, but no callback URL was passed. Check " @@ -4275,37 +4277,37 @@ msgstr "" "Ãskriftinni hefur verið hafnað en afturkallsveffang var ekki sent. Athugaðu " "leiðbeiningar síðunnar um það hvernig á að hafna áskrift alveg." -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, fuzzy, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "Get ekki lesið slóðina fyrir myndina '%s'" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, fuzzy, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "Röng gerð myndar fyrir '%s'" diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index c9cf7347c..bdc16d29c 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -1,5 +1,6 @@ # Translation of StatusNet to Italian # +# Author@translatewiki.net: McDutchie # Author@translatewiki.net: Milocasagrande # Author@translatewiki.net: Nemo bis # -- @@ -9,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:32:58+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:04:29+0000\n" "Language-Team: Italian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: out-statusnet\n" @@ -565,7 +566,8 @@ msgstr "Account" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Soprannome" @@ -1458,7 +1460,7 @@ msgstr "Questo messaggio è già un preferito!" msgid "Disfavor favorite" msgstr "Rimuovi preferito" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "Messaggi famosi" @@ -2733,7 +2735,7 @@ msgstr "Biografia" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "Ubicazione" @@ -2918,7 +2920,7 @@ msgid "" "one!" msgstr "Perché non [crei un accout](%%action.register%%) e ne scrivi uno tu!" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "Insieme delle etichette" @@ -3307,7 +3309,7 @@ msgid "" "attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" "Puoi provare a [richiamare %1$s](../%2$s) o [scrivere qualche cosa alla sua " -"attenzione](%%%%action.newnotice%%%%?status_textarea=%s)." +"attenzione](%%%%action.newnotice%%%%?status_textarea=%3$s)." #: actions/repliesrss.php:72 #, php-format @@ -3511,12 +3513,12 @@ msgid "Group profile" msgstr "Profilo del gruppo" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Nota" @@ -4094,7 +4096,8 @@ msgstr "Etichetta %s" msgid "User profile" msgstr "Profilo utente" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "Fotografia" @@ -4155,7 +4158,7 @@ msgstr "Nessun ID di profilo nella richiesta." msgid "Unsubscribed" msgstr "Abbonamento annullato" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4244,36 +4247,36 @@ msgstr "" "Controlla i dettagli seguenti per essere sicuro di volerti abbonare ai " "messaggi di questo utente. Se non hai richiesto ciò, fai clic su \"Rifiuta\"." -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "Licenza" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "Accetta" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "Abbonati a questo utente" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "Rifiuta" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 msgid "Reject this subscription" msgstr "Rifiuta questo abbonamento" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "Nessuna richiesta di autorizzazione!" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "Abbonamento autorizzato" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " @@ -4283,11 +4286,11 @@ msgstr "" "richiamo. Controlla le istruzioni del sito per i dettagli su come " "autorizzare l'abbonamento. Il tuo token per l'abbonamento è:" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "Abbonamento rifiutato" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " @@ -4297,37 +4300,37 @@ msgstr "" "richiamo. Controlla le istruzioni del sito per i dettagli su come rifiutare " "completamente l'abbonamento." -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "URL \"%s\" dell'ascoltatore non trovato qui." -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "L'URI \"%s\" di colui che si ascolta è troppo lungo." -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "L'URI \"%s\" di colui che si ascolta è un utente locale." -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "L'URL \"%s\" del profilo è per un utente locale." -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "L'URL \"%s\" dell'immagine non è valido." -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "Impossibile leggere l'URL \"%s\" dell'immagine." -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "Tipo di immagine errata per l'URL \"%s\"." diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index e64d47a6f..0d218a094 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:33:01+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:04:32+0000\n" "Language-Team: Japanese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: out-statusnet\n" @@ -561,7 +561,8 @@ msgstr "アカウント" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "ニックãƒãƒ¼ãƒ " @@ -1431,7 +1432,7 @@ msgstr "ã“ã®ã¤ã¶ã‚„ãã¯ã™ã§ã«ãŠæ°—ã«å…¥ã‚Šã§ã™!" msgid "Disfavor favorite" msgstr "ãŠæ°—ã«å…¥ã‚Šã‚’ã‚„ã‚ã‚‹" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "人気ã®ã¤ã¶ã‚„ã" @@ -2691,7 +2692,7 @@ msgstr "自己紹介" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "場所" @@ -2880,7 +2881,7 @@ msgstr "" "ãªãœ [アカウント登録](%%action.register%%) ã—ãªã„ã®ã§ã™ã‹ã€‚ãã—ã¦æœ€åˆã®æŠ•ç¨¿ã‚’" "ã—ã¦ãã ã•ã„!" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "タグクラウド" @@ -3465,12 +3466,12 @@ msgid "Group profile" msgstr "グループプロファイル" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "ノート" @@ -4053,7 +4054,8 @@ msgstr "ã‚¿ã‚° %s" msgid "User profile" msgstr "ユーザプロファイル" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "写真" @@ -4111,7 +4113,7 @@ msgstr "リクエスト内ã«ãƒ—ロファイルIDãŒã‚ã‚Šã¾ã›ã‚“。" msgid "Unsubscribed" msgstr "フォロー解除済ã¿" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4199,36 +4201,36 @@ msgstr "" "ユーザã®ã¤ã¶ã‚„ãをフォローã™ã‚‹ã«ã¯è©³ç´°ã‚’確èªã—ã¦ä¸‹ã•ã„。ã ã‚Œã‹ã®ã¤ã¶ã‚„ãã‚’" "フォローã™ã‚‹ãŸã‚ã«å°‹ã­ãªã„å ´åˆã¯ã€\"Reject\" をクリックã—ã¦ä¸‹ã•ã„。" -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "ライセンス" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "承èª" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "ã“ã®ãƒ¦ãƒ¼ã‚¶ãƒ¼ã‚’フォロー" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "æ‹’å¦" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 msgid "Reject this subscription" msgstr "ã“ã®ãƒ•ã‚©ãƒ­ãƒ¼ã‚’æ‹’å¦" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "èªè¨¼ã®ãƒªã‚¯ã‚¨ã‚¹ãƒˆãŒã‚ã‚Šã¾ã›ã‚“。" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "フォローãŒæ‰¿èªã•ã‚Œã¾ã—ãŸ" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " @@ -4238,11 +4240,11 @@ msgstr "" "フォローを承èªã™ã‚‹ã‹ã«é–¢ã™ã‚‹è©³ç´°ã®ãŸã‚ã®ã‚µã‚¤ãƒˆã®æŒ‡ç¤ºã‚’ãƒã‚§ãƒƒã‚¯ã—ã¦ãã ã•ã„。" "ã‚ãªãŸã®ãƒ•ã‚©ãƒ­ãƒ¼ãƒˆãƒ¼ã‚¯ãƒ³ã¯:" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "フォローãŒæ‹’å¦" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " @@ -4252,37 +4254,37 @@ msgstr "" "フォローを完全ã«æ‹’絶ã™ã‚‹ã‹ã«é–¢ã™ã‚‹è©³ç´°ã®ãŸã‚ã®ã‚µã‚¤ãƒˆã®æŒ‡ç¤ºã‚’ãƒã‚§ãƒƒã‚¯ã—ã¦ãã " "ã•ã„。" -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "リスナー URI ‘%s’ ã¯ã“ã“ã§ã¯è¦‹ã¤ã‹ã‚Šã¾ã›ã‚“。" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "リスニー URI ‘%s’ ãŒé•·ã™ãŽã¾ã™ã€‚" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "リスニー URI ‘%s’ ã¯ãƒ­ãƒ¼ã‚«ãƒ«ãƒ¦ãƒ¼ã‚¶ãƒ¼ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "プロファイル URL ‘%s’ ã¯ãƒ­ãƒ¼ã‚«ãƒ«ãƒ¦ãƒ¼ã‚¶ãƒ¼ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "ã‚¢ãƒã‚¿ãƒ¼ URL ‘%s’ ãŒæ­£ã—ãã‚ã‚Šã¾ã›ã‚“。" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "ã‚¢ãƒã‚¿ãƒ¼URL を読ã¿å–ã‚Œã¾ã›ã‚“ '%s'" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "ã‚¢ãƒã‚¿ãƒ¼ URL '%s' ã¯ä¸æ­£ãªç”»åƒå½¢å¼ã€‚" diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index 3735e6f55..baf45b8a1 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:33:04+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:04:35+0000\n" "Language-Team: Korean\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: out-statusnet\n" @@ -572,7 +572,8 @@ msgstr "계정" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "별명" @@ -1478,7 +1479,7 @@ msgstr "ì´ ê²Œì‹œê¸€ì€ ì´ë¯¸ 좋아하는 게시글입니다." msgid "Disfavor favorite" msgstr "좋아하는글 취소" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "ì¸ê¸°ìžˆëŠ” 게시글" @@ -2757,7 +2758,7 @@ msgstr "ìžê¸°ì†Œê°œ" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "위치" @@ -2935,7 +2936,7 @@ msgid "" "one!" msgstr "" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "태그 í´ë¼ìš°ë“œ" @@ -3518,12 +3519,12 @@ msgid "Group profile" msgstr "그룹 프로필" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "설명" @@ -4086,7 +4087,8 @@ msgstr "태그 %s" msgid "User profile" msgstr "ì´ìš©ìž 프로필" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "사진" @@ -4147,7 +4149,7 @@ msgstr "요청한 프로필idê°€ 없습니다." msgid "Unsubscribed" msgstr "구ë…취소 ë˜ì—ˆìŠµë‹ˆë‹¤." -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4239,38 +4241,38 @@ msgstr "" "사용ìžì˜ 통지를 구ë…하려면 ìƒì„¸ë¥¼ 확ì¸í•´ 주세요. 구ë…하지 않는 경우는, \"취소" "\"를 í´ë¦­í•´ 주세요." -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 #, fuzzy msgid "License" msgstr "ë¼ì´ì„ ìŠ¤" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "수ë½" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "ì´ íšŒì›ì„ 구ë…합니다." -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "거부" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 #, fuzzy msgid "Reject this subscription" msgstr "%s 구ë…" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "허용ë˜ì§€ 않는 요청입니다." -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "êµ¬ë… í—ˆê°€" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 #, fuzzy msgid "" "The subscription has been authorized, but no callback URL was passed. Check " @@ -4280,11 +4282,11 @@ msgstr "" "구ë…ì´ ìŠ¹ì¸ ë˜ì—ˆìŠµë‹ˆë‹¤. 하지만 콜백 URLì´ í†µê³¼ ë˜ì§€ 않았습니다. 웹사ì´íŠ¸ì˜ 지" "시를 찾아 êµ¬ë… ìŠ¹ì¸ ë°©ë²•ì— ëŒ€í•˜ì—¬ ì½ì–´ë³´ì‹­ì‹œì˜¤. ê·€í•˜ì˜ êµ¬ë… í† í°ì€ : " -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "êµ¬ë… ê±°ë¶€" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 #, fuzzy msgid "" "The subscription has been rejected, but no callback URL was passed. Check " @@ -4294,37 +4296,37 @@ msgstr "" "구ë…ì´ í•´ì§€ ë˜ì—ˆìŠµë‹ˆë‹¤. 하지만 콜백 URLì´ í†µê³¼ ë˜ì§€ 않았습니다. 웹사ì´íŠ¸ì˜ 지" "시를 찾아 êµ¬ë… í•´ì§€ ë°©ë²•ì— ëŒ€í•˜ì—¬ ì½ì–´ë³´ì‹­ì‹œì˜¤." -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, fuzzy, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "아바타 URL '%s'ì„(를) ì½ì–´ë‚¼ 수 없습니다." -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, fuzzy, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "%S ìž˜ëª»ëœ ê·¸ë¦¼ íŒŒì¼ íƒ€ìž…ìž…ë‹ˆë‹¤. " diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index 00ac4a797..68a351477 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:33:08+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:04:38+0000\n" "Language-Team: Macedonian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: out-statusnet\n" @@ -567,7 +567,8 @@ msgstr "Сметка" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Прекар" @@ -1441,7 +1442,7 @@ msgstr "Оваа белешка е веќе омилена!" msgid "Disfavor favorite" msgstr "Тргни од омилени" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "Популарни забелешки" @@ -2711,7 +2712,7 @@ msgstr "Биографија" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "Локација" @@ -2900,7 +2901,7 @@ msgstr "" "Зошто не [региÑтрирате Ñметка](%%action.register%%) и Ñтанете прв што ќе " "објави!" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "Облак од ознаки" @@ -3416,9 +3417,10 @@ msgstr "" "текÑÑ‚." #: actions/showapplication.php:309 -#, fuzzy msgid "Are you sure you want to reset your consumer key and secret?" -msgstr "Дали Ñте Ñигурни дека Ñакате да ја избришете оваа заблешка?" +msgstr "" +"Дали Ñте Ñигурни дека Ñакате да го Ñмените вашиот кориÑнички клуч и тајната " +"фраза?" #: actions/showfavorites.php:79 #, php-format @@ -3492,12 +3494,12 @@ msgid "Group profile" msgstr "Профил на група" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Забелешка" @@ -4080,7 +4082,8 @@ msgstr "Означи %s" msgid "User profile" msgstr "КориÑнички профил" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "Фото" @@ -4139,7 +4142,7 @@ msgstr "Во барањето нема id на профилот." msgid "Unsubscribed" msgstr "Претплатата е откажана" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4228,36 +4231,36 @@ msgstr "" "за забелешките на овој кориÑник. Ðко не Ñакате да Ñе претплатите, едноÑтавно " "кликнете на „Одбиј“" -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "Лиценца" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "Прифати" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "Претплати Ñе на кориÑников" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "Одбиј" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 msgid "Reject this subscription" msgstr "Одбиј ја оваа претплата" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "Ðема барање за проверка!" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "Претплатата е одобрена" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " @@ -4267,11 +4270,11 @@ msgstr "" "инÑтрукциите на веб-Ñтраницата за да дознаете како Ñе одобрува претплата. " "Жетонот на Вашата претплата е:" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "Претплатата е одбиена" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " @@ -4281,37 +4284,37 @@ msgstr "" "инÑтрукциите на веб-Ñтраницата за да дознаете како Ñе одбива претплата во " "потполноÑÑ‚." -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "URI-то на Ñледачот „%s“ не е пронајдено тука." -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "Следениот URI „%s“ е предолг." -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "Следеното URI „%s“ е за локален кориÑник." -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "Профилната URL-адреÑа „%s“ е за локален кориÑник." -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "URL-адреÑата „%s“ за аватар е неважечка." -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "Ðе можам да ја прочитам URL на аватарот „%s“." -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "Погрешен тип на Ñлика за URL на аватарот „%s“." diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index 4252e6a83..fa6da6aed 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:33:11+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:04:41+0000\n" "Language-Team: Norwegian (bokmÃ¥l)‬\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: out-statusnet\n" @@ -557,7 +557,8 @@ msgstr "Konto" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Nick" @@ -1428,7 +1429,7 @@ msgstr "" msgid "Disfavor favorite" msgstr "" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "" @@ -2649,7 +2650,7 @@ msgstr "Om meg" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "" @@ -2825,7 +2826,7 @@ msgid "" "one!" msgstr "" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "" @@ -3396,12 +3397,12 @@ msgid "Group profile" msgstr "Klarte ikke Ã¥ lagre profil." #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "" @@ -3956,7 +3957,8 @@ msgstr "Tagger" msgid "User profile" msgstr "Klarte ikke Ã¥ lagre profil." -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "" @@ -4014,7 +4016,7 @@ msgstr "" msgid "Unsubscribed" msgstr "" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4103,85 +4105,85 @@ msgid "" "click “Rejectâ€." msgstr "" -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "Godta" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 #, fuzzy msgid "Reject this subscription" msgstr "Alle abonnementer" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " "subscription. Your subscription token is:" msgstr "" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " "subscription." msgstr "" -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, fuzzy, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "Kan ikke lese brukerbilde-URL «%s»" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "" diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index 489ab7f95..e2c4ea7eb 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:33:17+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:04:47+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: out-statusnet\n" @@ -577,7 +577,8 @@ msgstr "Gebruiker" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Gebruikersnaam" @@ -1300,7 +1301,7 @@ msgstr "Annuleren" #: actions/emailsettings.php:121 msgid "Email address" -msgstr "E-mailadressen" +msgstr "E-mailadres" #: actions/emailsettings.php:123 msgid "Email address, like \"UserName@example.org\"" @@ -1450,7 +1451,7 @@ msgstr "Deze mededeling staat al in uw favorietenlijst." msgid "Disfavor favorite" msgstr "Van favotietenlijst verwijderen" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "Populaire mededelingen" @@ -2729,7 +2730,7 @@ msgstr "Beschrijving" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "Locatie" @@ -2921,7 +2922,7 @@ msgstr "" "U kunt een [gebruiker registeren](%%action.register%%) en dan de eerste zijn " "die er een plaatst!" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "Woordwolk" @@ -3438,9 +3439,9 @@ msgstr "" "platte tekst is niet mogelijk." #: actions/showapplication.php:309 -#, fuzzy msgid "Are you sure you want to reset your consumer key and secret?" -msgstr "Weet u zeker dat u deze aankondiging wilt verwijderen?" +msgstr "" +"Weet u zeker dat u uw gebruikerssleutel en geheime code wilt verwijderen?" #: actions/showfavorites.php:79 #, php-format @@ -3515,12 +3516,12 @@ msgid "Group profile" msgstr "Groepsprofiel" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Opmerking" @@ -4107,7 +4108,8 @@ msgstr "Label %s" msgid "User profile" msgstr "Gebruikersprofiel" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "Foto" @@ -4168,7 +4170,7 @@ msgstr "Het profiel-ID was niet aanwezig in het verzoek." msgid "Unsubscribed" msgstr "Het abonnement is opgezegd" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4258,36 +4260,36 @@ msgstr "" "aangegeven dat u zich op de mededelingen van een gebruiker wilt abonneren, " "klik dan op \"Afwijzen\"." -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "Licentie" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "Aanvaarden" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "Abonnement geautoriseerd" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "Afwijzen" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 msgid "Reject this subscription" msgstr "Dit abonnement weigeren" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "Geen autorisatieverzoek!" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "Het abonnement is geautoriseerd" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " @@ -4297,11 +4299,11 @@ msgstr "" "Controleer de instructies van de site voor informatie over het volledig " "afwijzen van een abonnement. Uw abonnementstoken is:" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "Het abonnement is afgewezen" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " @@ -4311,37 +4313,37 @@ msgstr "" "Controleer de instructies van de site voor informatie over het volledig " "afwijzen van een abonnement." -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "De abonnee-URI \"%s\" is hier niet te vinden." -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "De URI \"%s\" voor de stream is te lang." -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "de URI \"%s\" voor de stream is een lokale gebruiker." -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "De profiel-URL \"%s\" is niet geldig." -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "De avatar-URL \"%s\" is niet geldig." -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "Het was niet mogelijk de avatar-URL \"%s\" te lezen." -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "Er staat een verkeerd afbeeldingsttype op de avatar-URL \"%s\"." diff --git a/locale/nn/LC_MESSAGES/statusnet.po b/locale/nn/LC_MESSAGES/statusnet.po index aa512e84a..98b0a251e 100644 --- a/locale/nn/LC_MESSAGES/statusnet.po +++ b/locale/nn/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:33:14+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:04:44+0000\n" "Language-Team: Norwegian Nynorsk\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nn\n" "X-Message-Group: out-statusnet\n" @@ -570,7 +570,8 @@ msgstr "Konto" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Kallenamn" @@ -1478,7 +1479,7 @@ msgstr "Denne notisen er alt ein favoritt!" msgid "Disfavor favorite" msgstr "Fjern favoritt" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "Populære notisar" @@ -2763,7 +2764,7 @@ msgstr "Om meg" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "Plassering" @@ -2944,7 +2945,7 @@ msgid "" "one!" msgstr "" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "Emne sky" @@ -3531,12 +3532,12 @@ msgid "Group profile" msgstr "Gruppe profil" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Merknad" @@ -4100,7 +4101,8 @@ msgstr "Merkelapp %s" msgid "User profile" msgstr "Brukarprofil" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "Bilete" @@ -4164,7 +4166,7 @@ msgstr "Ingen profil-ID i førespurnaden." msgid "Unsubscribed" msgstr "Fjerna tinging" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4257,38 +4259,38 @@ msgstr "" "Sjekk desse detaljane og forsikre deg om at du vil abonnere pÃ¥ denne " "brukaren sine notisar. Vist du ikkje har bedt om dette, klikk \"Avbryt\"" -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 #, fuzzy msgid "License" msgstr "lisens." -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "Godta" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "Lagre tinging for brukar: %s" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "AvslÃ¥" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 #, fuzzy msgid "Reject this subscription" msgstr "%s tingarar" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "Ingen autoriserings-spørjing!" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "Tinging autorisert" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 #, fuzzy msgid "" "The subscription has been authorized, but no callback URL was passed. Check " @@ -4299,11 +4301,11 @@ msgstr "" "Sjekk med sida sine instruksjonar for korleis autorisering til tinginga skal " "gjennomførast. Ditt tingings teikn er: " -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "Tinging avvist" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 #, fuzzy msgid "" "The subscription has been rejected, but no callback URL was passed. Check " @@ -4313,37 +4315,37 @@ msgstr "" "Tingina har blitt avvist, men ingen henvisnings URL er tilgjengleg. Sjekk " "med sida sine instruksjonar for korleis ein skal avvise tinginga." -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, fuzzy, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "Kan ikkje lesa brukarbilete-URL «%s»" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, fuzzy, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "Feil biletetype for '%s'" diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index cf3c247f8..1c9e5e341 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:33:20+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:04:50+0000\n" "Last-Translator: Piotr DrÄ…g \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -19,7 +19,7 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: out-statusnet\n" @@ -567,7 +567,8 @@ msgstr "Konto" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Pseudonim" @@ -1431,7 +1432,7 @@ msgstr "Ten wpis jest już ulubiony." msgid "Disfavor favorite" msgstr "UsuÅ„ wpis z ulubionych" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "Popularne wpisy" @@ -2689,7 +2690,7 @@ msgstr "O mnie" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "PoÅ‚ożenie" @@ -2877,7 +2878,7 @@ msgstr "" "Dlaczego nie [zarejestrujesz konta](%%action.register%%) i zostaniesz " "pierwszym, który go wyÅ›le." -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "Chmura znaczników" @@ -3466,12 +3467,12 @@ msgid "Group profile" msgstr "Profil grupy" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "Adres URL" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Wpis" @@ -4052,7 +4053,8 @@ msgstr "Znacznik %s" msgid "User profile" msgstr "Profil użytkownika" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "ZdjÄ™cie" @@ -4112,7 +4114,7 @@ msgstr "Brak identyfikatora profilu w żądaniu." msgid "Unsubscribed" msgstr "Zrezygnowano z subskrypcji" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4201,36 +4203,36 @@ msgstr "" "wpisy tego użytkownika. Jeżeli nie prosiÅ‚eÅ› o subskrypcjÄ™ czyichÅ› wpisów, " "naciÅ›nij \"Odrzuć\"." -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "Licencja" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "Zaakceptuj" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "Subskrybuj tego użytkownika" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "Odrzuć" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 msgid "Reject this subscription" msgstr "Odrzuć tÄ™ subskrypcjÄ™" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "Brak żądania upoważnienia." -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "Upoważniono subskrypcjÄ™" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " @@ -4239,11 +4241,11 @@ msgstr "" "Subskrypcja zostaÅ‚a upoważniona, ale nie przekazano zwrotnego adresu URL. " "Sprawdź w instrukcjach witryny, jak upoważnić subskrypcjÄ™. Token subskrypcji:" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "Odrzucono subskrypcjÄ™" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " @@ -4252,37 +4254,37 @@ msgstr "" "Subskrypcja zostaÅ‚a odrzucona, ale nie przekazano zwrotnego adresu URL. " "Sprawdź w instrukcjach witryny, jak w peÅ‚ni odrzucić subskrypcjÄ™." -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "Adres URI nasÅ‚uchujÄ…cego \"%s\" nie zostaÅ‚ tutaj odnaleziony." -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "Adres URI nasÅ‚uchujÄ…cego \"%s\" jest za dÅ‚ugi." -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "Adres URI nasÅ‚uchujÄ…cego \"%s\" jest lokalnym użytkownikiem." -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "Adres URL profilu \"%s\" jest dla lokalnego użytkownika." -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "Adres URL \"%s\" jest nieprawidÅ‚owy." -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "Nie można odczytać adresu URL awatara \"%s\"." -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "BÅ‚Ä™dny typ obrazu dla adresu URL awatara \"%s\"." diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index 239414026..2617144c9 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:33:23+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:04:54+0000\n" "Language-Team: Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: out-statusnet\n" @@ -563,7 +563,8 @@ msgstr "Conta" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Utilizador" @@ -1455,7 +1456,7 @@ msgstr "Esta nota já é uma favorita!" msgid "Disfavor favorite" msgstr "Retirar das favoritas" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "Notas populares" @@ -2728,7 +2729,7 @@ msgstr "Biografia" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "Localidade" @@ -2915,7 +2916,7 @@ msgstr "" "Podia [registar uma conta](%%action.register%%) e ser a primeira pessoa a " "publicar uma!" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "Nuvem de categorias" @@ -3510,12 +3511,12 @@ msgid "Group profile" msgstr "Perfil do grupo" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Anotação" @@ -4096,7 +4097,8 @@ msgstr "Categoria %s" msgid "User profile" msgstr "Perfil" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "Foto" @@ -4155,7 +4157,7 @@ msgstr "O pedido não tem a identificação do perfil." msgid "Unsubscribed" msgstr "Subscrição cancelada" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4244,36 +4246,36 @@ msgstr "" "subscrever as notas deste utilizador. Se não fez um pedido para subscrever " "as notas de alguém, simplesmente clique \"Rejeitar\"." -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "Licença" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "Aceitar" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "Subscrever este utilizador" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "Rejeitar" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 msgid "Reject this subscription" msgstr "Rejeitar esta subscrição" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "Não há pedido de autorização!" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "Subscrição autorizada" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " @@ -4283,11 +4285,11 @@ msgstr "" "Verifique as instruções do site para saber como autorizar a subscrição. A " "sua chave de subscrição é:" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "Subscrição rejeitada" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " @@ -4297,37 +4299,37 @@ msgstr "" "Verifique as instruções do site para saber como rejeitar completamente a " "subscrição." -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "A listener URI ‘%s’ não foi encontrada aqui." -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "URI do escutado ‘%s’ é demasiado longo." -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "URI do ouvido ‘%s’ é um utilizador local." -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "A URL ‘%s’ do perfil é de um utilizador local." -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "A URL ‘%s’ do avatar é inválida." -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "Não é possível ler a URL do avatar ‘%s’." -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "Tipo de imagem incorrecto para o avatar da URL ‘%s’." diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index 88b46d663..353035009 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:33:27+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:04:59+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" @@ -573,7 +573,8 @@ msgstr "Conta" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Usuário" @@ -1453,7 +1454,7 @@ msgstr "Essa mensagem já é uma favorita!" msgid "Disfavor favorite" msgstr "Desmarcar a favorita" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "Mensagens populares" @@ -2727,7 +2728,7 @@ msgstr "Descrição" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "Localização" @@ -2915,7 +2916,7 @@ msgstr "" "Por que você não [registra uma conta](%%action.register%%) pra ser o " "primeiro a publicar?" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "Nuvem de etiquetas" @@ -3509,12 +3510,12 @@ msgid "Group profile" msgstr "Perfil do grupo" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "Site" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Mensagem" @@ -4095,7 +4096,8 @@ msgstr "Etiqueta %s" msgid "User profile" msgstr "Perfil do usuário" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "Imagem" @@ -4154,7 +4156,7 @@ msgstr "Nenhuma ID de perfil na requisição." msgid "Unsubscribed" msgstr "Cancelado" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4244,36 +4246,36 @@ msgstr "" "as mensagens deste usuário. Se você não solicitou assinar as mensagens de " "alguém, clique em \"Recusar\"." -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "Licença" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "Aceitar" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "Assinar este usuário" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "Recusar" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 msgid "Reject this subscription" msgstr "Recusar esta assinatura" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "Nenhum pedido de autorização!" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "A assinatura foi autorizada" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " @@ -4283,11 +4285,11 @@ msgstr "" "Verifique as instruções do site para detalhes sobre como autorizar a " "assinatura. Seu token de assinatura é:" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "A assinatura foi recusada" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " @@ -4297,37 +4299,37 @@ msgstr "" "Verifique as instruções do site para detalhes sobre como rejeitar " "completamente a assinatura." -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "A URI ‘%s’ do usuário não foi encontrada aqui." -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "A URI ‘%s’ do usuário é muito extensa." -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "A URI ‘%s’ é de um usuário local." -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "A URL ‘%s’ do perfil é de um usuário local." -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "A URL ‘%s’ do avatar não é válida." -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "Não é possível ler a URL '%s' do avatar." -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "Tipo de imagem errado para a URL '%s' do avatar." diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index 48e7d28aa..9b338a8a3 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:33:30+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:05:03+0000\n" "Language-Team: Russian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: out-statusnet\n" @@ -570,7 +570,8 @@ msgstr "ÐаÑтройки" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "ИмÑ" @@ -1447,7 +1448,7 @@ msgstr "Эта запиÑÑŒ уже входит в чиÑло любимых!" msgid "Disfavor favorite" msgstr "Разлюбить" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "ПопулÑрные запиÑи" @@ -2708,7 +2709,7 @@ msgstr "БиографиÑ" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "МеÑтораÑположение" @@ -2894,7 +2895,7 @@ msgstr "" "Почему бы не [зарегиÑтрироватьÑÑ](%%action.register%%), чтобы отправить " "первым?" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "Облако тегов" @@ -3408,9 +3409,9 @@ msgstr "" "подпиÑи открытым текÑтом." #: actions/showapplication.php:309 -#, fuzzy msgid "Are you sure you want to reset your consumer key and secret?" -msgstr "Ð’Ñ‹ уверены, что хотите удалить Ñту запиÑÑŒ?" +msgstr "" +"Ð’Ñ‹ уверены, что хотите ÑброÑить ваш ключ Ð¿Ð¾Ñ‚Ñ€ÐµÐ±Ð¸Ñ‚ÐµÐ»Ñ Ð¸ Ñекретную фразу?" #: actions/showfavorites.php:79 #, php-format @@ -3483,12 +3484,12 @@ msgid "Group profile" msgstr "Профиль группы" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "ЗапиÑÑŒ" @@ -4074,7 +4075,8 @@ msgstr "Теги %s" msgid "User profile" msgstr "Профиль пользователÑ" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "Фото" @@ -4134,7 +4136,7 @@ msgstr "Ðет ID Ð¿Ñ€Ð¾Ñ„Ð¸Ð»Ñ Ð² запроÑе." msgid "Unsubscribed" msgstr "ОтпиÑано" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4223,36 +4225,36 @@ msgstr "" "подпиÑатьÑÑ Ð½Ð° запиÑи Ñтого пользователÑ. ЕÑли Ð’Ñ‹ Ñтого не хотите делать, " "нажмите «Отказ»." -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "ЛицензиÑ" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "ПринÑÑ‚ÑŒ" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "ПодпиÑатьÑÑ Ð½Ð° %s" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "ОтброÑить" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 msgid "Reject this subscription" msgstr "Отвергнуть Ñту подпиÑку" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "Ðе авторизованный запроÑ!" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "ПодпиÑка авторизована" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " @@ -4261,11 +4263,11 @@ msgstr "" "ПодпиÑка авторизована, но нет обратного URL. ПоÑмотрите инÑтрукции на Ñайте " "о том, как авторизовать подпиÑку. Ваш ключ подпиÑки:" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "ПодпиÑка отменена" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " @@ -4274,37 +4276,37 @@ msgstr "" "ПодпиÑка отвергнута, но не бы передан URL обратного вызова. Проверьте " "инÑтрукции на Ñайте, чтобы полноÑтью отказатьÑÑ Ð¾Ñ‚ подпиÑки." -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "СмотрÑщий URI «%s» здеÑÑŒ не найден." -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "ПроÑматриваемый URI «%s» Ñлишком длинный." -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "ПроÑматриваемый URI «%s» — локальный пользователь." -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "URL Ð¿Ñ€Ð¾Ñ„Ð¸Ð»Ñ Â«%s» предназначен только Ð´Ð»Ñ Ð»Ð¾ÐºÐ°Ð»ÑŒÐ½Ð¾Ð³Ð¾ пользователÑ." -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "URL аватары «%s» недейÑтвителен." -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "Ðе удаётÑÑ Ð¿Ñ€Ð¾Ñ‡Ð¸Ñ‚Ð°Ñ‚ÑŒ URL аватары «%s»" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "Ðеверный тип Ð¸Ð·Ð¾Ð±Ñ€Ð°Ð¶ÐµÐ½Ð¸Ñ Ð´Ð»Ñ URL аватары «%s»." diff --git a/locale/statusnet.po b/locale/statusnet.po index 6275acc2c..251a38553 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -541,7 +541,8 @@ msgstr "" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "" @@ -1390,7 +1391,7 @@ msgstr "" msgid "Disfavor favorite" msgstr "" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "" @@ -2563,7 +2564,7 @@ msgstr "" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "" @@ -2735,7 +2736,7 @@ msgid "" "one!" msgstr "" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "" @@ -3275,12 +3276,12 @@ msgid "Group profile" msgstr "" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "" @@ -3819,7 +3820,8 @@ msgstr "" msgid "User profile" msgstr "" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "" @@ -3874,7 +3876,7 @@ msgstr "" msgid "Unsubscribed" msgstr "" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -3958,84 +3960,84 @@ msgid "" "click “Rejectâ€." msgstr "" -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 msgid "Reject this subscription" msgstr "" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " "subscription. Your subscription token is:" msgstr "" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " "subscription." msgstr "" -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index aaf7206cc..bdef96668 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:33:34+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:05:06+0000\n" "Language-Team: Swedish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: out-statusnet\n" @@ -558,7 +558,8 @@ msgstr "Konto" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Smeknamn" @@ -1427,7 +1428,7 @@ msgstr "Denna notis är redan en favorit!" msgid "Disfavor favorite" msgstr "Ta bort märkning som favorit" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "Populära notiser" @@ -2687,7 +2688,7 @@ msgstr "Biografi" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "Plats" @@ -2876,7 +2877,7 @@ msgstr "" "Varför inte [registrera ett konto](%%action.register%%) och bli först att " "posta en!" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "Taggmoln" @@ -3468,12 +3469,12 @@ msgid "Group profile" msgstr "Grupprofil" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Notis" @@ -4050,7 +4051,8 @@ msgstr "Tagg %s" msgid "User profile" msgstr "Användarprofil" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "Foto" @@ -4110,7 +4112,7 @@ msgstr "Ingen profil-ID i begäran." msgid "Unsubscribed" msgstr "Prenumeration avslutad" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4201,36 +4203,36 @@ msgstr "" "prenumerera pÃ¥ den här användarens notiser. Om du inte bett att prenumerera " "pÃ¥ nÃ¥gons meddelanden, klicka pÃ¥ \"Avvisa\"." -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "Licens" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "Acceptera" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "Prenumerera pÃ¥ denna användare" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "Avvisa" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 msgid "Reject this subscription" msgstr "Avvisa denna prenumeration" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "Ingen begäran om godkännande!" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "Prenumeration godkänd" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " @@ -4240,11 +4242,11 @@ msgstr "" "med webbplatsens instruktioner hur du bekräftar en prenumeration. Din " "prenumerations-token är:" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "Prenumeration avvisad" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " @@ -4254,37 +4256,37 @@ msgstr "" "webbplatsens instruktioner för detaljer om hur du fullständingt avvisar " "prenumerationen." -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "URI för lyssnare '%s' hittades inte här." -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "Lyssnar-URI '%s' är för lÃ¥ng." -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "Lyssnar-URI '%s' är en lokal användare." -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "Profil-URL ‘%s’ är för en lokal användare." -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "Avatar-URL ‘%s’ är inte giltig." -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "Kan inte läsa avatar-URL '%s'." -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "Fel bildtyp för avatar-URL '%s'." diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index 40cf0b5d6..08f4f19b4 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:33:37+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:05:19+0000\n" "Language-Team: Telugu\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: out-statusnet\n" @@ -556,7 +556,8 @@ msgstr "ఖాతా" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "పేరà±" @@ -1416,7 +1417,7 @@ msgstr "à°ˆ నోటీసౠఇపà±à°ªà°Ÿà°¿à°•à±‡ మీ ఇషà±à°Ÿà°¾ msgid "Disfavor favorite" msgstr "" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "à°ªà±à°°à°¾à°šà±à°°à±à°¯ నోటీసà±à°²à±" @@ -2629,7 +2630,7 @@ msgstr "à°¸à±à°µà°ªà°°à°¿à°šà°¯à°‚" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "à°ªà±à°°à°¾à°‚తం" @@ -2808,7 +2809,7 @@ msgid "" "one!" msgstr "[à°’à°• ఖాతాని నమోదà±à°šà±‡à°¸à±à°•à±à°¨à°¿](%%action.register%%) మీరే మొదట à°µà±à°°à°¾à°¸à±‡à°µà°¾à°°à± à°Žà°‚à°¦à±à°•à± కాకూడదà±!" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "à°Ÿà±à°¯à°¾à°—ౠమేఘం" @@ -3375,12 +3376,12 @@ msgid "Group profile" msgstr "à°—à±à°‚పౠపà±à°°à±Šà°«à±ˆà°²à±" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "గమనిక" @@ -3928,7 +3929,8 @@ msgstr "" msgid "User profile" msgstr "వాడà±à°•à°°à°¿ à°ªà±à°°à±Šà°«à±ˆà°²à±" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "ఫొటో" @@ -3986,7 +3988,7 @@ msgstr "" msgid "Unsubscribed" msgstr "చందాదారà±à°²à±" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4071,84 +4073,84 @@ msgid "" "click “Rejectâ€." msgstr "" -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "లైసెనà±à°¸à±" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "అంగీకరించà±" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "à°ˆ వాడà±à°•à°°à°¿à°•à°¿ చందాచేరà±" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "తిరసà±à°•à°°à°¿à°‚à°šà±" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 msgid "Reject this subscription" msgstr "à°ˆ చందాని తిరసà±à°•à°°à°¿à°‚à°šà±" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " "subscription. Your subscription token is:" msgstr "" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "చందాని తిరసà±à°•à°°à°¿à°‚చారà±." -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " "subscription." msgstr "" -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, fuzzy, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "'%s' అనే అవతారపౠURL తపà±à°ªà±" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, fuzzy, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "'%s' కొరకౠతపà±à°ªà±à°¡à± బొమà±à°® à°°à°•à°‚" diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index 9506731a4..f1e8c6e4e 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:33:40+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:05:22+0000\n" "Language-Team: Turkish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: out-statusnet\n" @@ -573,7 +573,8 @@ msgstr "Hakkında" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Takma ad" @@ -1473,7 +1474,7 @@ msgstr "" msgid "Disfavor favorite" msgstr "" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 #, fuzzy msgid "Popular notices" @@ -2729,7 +2730,7 @@ msgstr "Hakkında" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "Yer" @@ -2907,7 +2908,7 @@ msgid "" "one!" msgstr "" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "" @@ -3470,12 +3471,12 @@ msgid "Group profile" msgstr "Böyle bir durum mesajı yok." #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 #, fuzzy msgid "Note" msgstr "Durum mesajları" @@ -4033,7 +4034,8 @@ msgstr "" msgid "User profile" msgstr "Kullanıcının profili yok." -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "" @@ -4095,7 +4097,7 @@ msgstr "Yetkilendirme isteÄŸi yok!" msgid "Unsubscribed" msgstr "AboneliÄŸi sonlandır" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4186,86 +4188,86 @@ msgstr "" "detayları gözden geçirin. Kimsenin durumunu taki etme isteÄŸinde " "bulunmadıysanız \"Ä°ptal\" tuÅŸuna basın. " -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "Kabul et" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 #, fuzzy msgid "Subscribe to this user" msgstr "Takip talebine izin verildi" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "Reddet" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 #, fuzzy msgid "Reject this subscription" msgstr "Bütün abonelikler" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "Yetkilendirme isteÄŸi yok!" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "Takip talebine izin verildi" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " "subscription. Your subscription token is:" msgstr "" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "Abonelik reddedildi." -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " "subscription." msgstr "" -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, fuzzy, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "Avatar URLi '%s' okunamıyor" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, fuzzy, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "%s için yanlış resim türü" diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index 1689b7d72..f1de13bed 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:33:43+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:05:26+0000\n" "Language-Team: Ukrainian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: out-statusnet\n" @@ -567,7 +567,8 @@ msgstr "Ðкаунт" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Ð†Ð¼â€™Ñ ÐºÐ¾Ñ€Ð¸Ñтувача" @@ -1433,7 +1434,7 @@ msgstr "Цей Ð´Ð¾Ð¿Ð¸Ñ Ð²Ð¶Ðµ Ñ” обраним!" msgid "Disfavor favorite" msgstr "Видалити з обраних" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" msgstr "ПопулÑрні допиÑи" @@ -2698,7 +2699,7 @@ msgstr "Про Ñебе" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "РозташуваннÑ" @@ -2886,7 +2887,7 @@ msgstr "" "Чому б не [зареєÑтруватиÑÑŒ](%%%%action.register%%%%) Ñ– не напиÑати щоÑÑŒ " "цікаве!" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "Хмарка теґів" @@ -3475,12 +3476,12 @@ msgid "Group profile" msgstr "Профіль групи" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "ЗауваженнÑ" @@ -4061,7 +4062,8 @@ msgstr "Позначити %s" msgid "User profile" msgstr "Профіль кориÑтувача." -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "Фото" @@ -4120,7 +4122,7 @@ msgstr "У запиті відÑутній ID профілю." msgid "Unsubscribed" msgstr "ВідпиÑано" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4208,36 +4210,36 @@ msgstr "" "підпиÑатиÑÑŒ на допиÑи цього кориÑтувача. Якщо Ви не збиралиÑÑŒ підпиÑуватиÑÑŒ " "ні на чиї допиÑи, проÑто натиÑніть «Відмінити»." -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "ЛіцензіÑ" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "ПогодитиÑÑŒ" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "ПідпиÑатиÑÑŒ до цього кориÑтувача" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "Забраковано" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 msgid "Reject this subscription" msgstr "Відмінити цю підпиÑку" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "Ðемає запиту на авторизацію!" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "ПідпиÑку авторизовано" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " @@ -4247,11 +4249,11 @@ msgstr "" "ЗвіртеÑÑŒ з інÑтрукціÑми на Ñайті Ð´Ð»Ñ Ð±Ñ–Ð»ÑŒÑˆ конкретної інформації про те, Ñк " "авторизувати підпиÑку. Ваш підпиÑний токен:" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "ПідпиÑку Ñкинуто" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " @@ -4261,37 +4263,37 @@ msgstr "" "з інÑтрукціÑми на Ñайті Ð´Ð»Ñ Ð±Ñ–Ð»ÑŒÑˆ конкретної інформації про те, Ñк Ñкинути " "підпиÑку." -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "URI Ñлухача «%s» тут не знайдено" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "URI Ñлухача ‘%s’ задовге." -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "URI Ñлухача ‘%s’ це локальний кориÑтувач" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "URL-адреÑа профілю ‘%s’ Ð´Ð»Ñ Ð»Ð¾ÐºÐ°Ð»ÑŒÐ½Ð¾Ð³Ð¾ кориÑтувача." -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "URL-адреÑа автари ‘%s’ помилкова." -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "Ðе можна прочитати URL аватари ‘%s’." -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "Ðеправильний тип Ð·Ð¾Ð±Ñ€Ð°Ð¶ÐµÐ½Ð½Ñ Ð´Ð»Ñ URL-адреÑи аватари ‘%s’." diff --git a/locale/vi/LC_MESSAGES/statusnet.po b/locale/vi/LC_MESSAGES/statusnet.po index 80d7d0c8d..83ba9e871 100644 --- a/locale/vi/LC_MESSAGES/statusnet.po +++ b/locale/vi/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:33:46+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:05:30+0000\n" "Language-Team: Vietnamese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: vi\n" "X-Message-Group: out-statusnet\n" @@ -575,7 +575,8 @@ msgstr "Giá»›i thiệu" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "Biệt danh" @@ -1509,7 +1510,7 @@ msgstr "Tin nhắn này đã có trong danh sách tin nhắn Æ°a thích của b msgid "Disfavor favorite" msgstr "Không thích" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 #, fuzzy msgid "Popular notices" @@ -2825,7 +2826,7 @@ msgstr "Lý lịch" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "Thành phố" @@ -3006,7 +3007,7 @@ msgid "" "one!" msgstr "" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "" @@ -3590,12 +3591,12 @@ msgid "Group profile" msgstr "Thông tin nhóm" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 #, fuzzy msgid "Note" msgstr "Tin nhắn" @@ -4172,7 +4173,8 @@ msgstr "Từ khóa" msgid "User profile" msgstr "Hồ sÆ¡" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "" @@ -4235,7 +4237,7 @@ msgstr "Không có URL cho hồ sÆ¡ để quay vá»." msgid "Unsubscribed" msgstr "Hết theo" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4328,38 +4330,38 @@ msgstr "" "nhắn của các thành viên này. Nếu bạn không yêu cầu đăng nhận xem tin nhắn " "của há», hãy nhấn \"Hủy bá»\"" -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "Chấp nhận" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 #, fuzzy msgid "Subscribe to this user" msgstr "Theo nhóm này" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "Từ chối" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 #, fuzzy msgid "Reject this subscription" msgstr "Tất cả đăng nhận" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "Không có yêu cầu!" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "Äăng nhận được phép" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 #, fuzzy msgid "" "The subscription has been authorized, but no callback URL was passed. Check " @@ -4370,11 +4372,11 @@ msgstr "" "hÆ°á»›ng dẫn chi tiết trên site để biết cách cho phép đăng ký. Äăng nhận token " "của bạn là:" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "Äăng nhận từ chối" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 #, fuzzy msgid "" "The subscription has been rejected, but no callback URL was passed. Check " @@ -4384,37 +4386,37 @@ msgstr "" "Äăng nhận này đã bị từ chối, nhÆ°ng không có URL nào để quay vá». Hãy kiểm tra " "các hÆ°á»›ng dẫn chi tiết trên site để " -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, fuzzy, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "Không thể Ä‘á»c URL cho hình đại diện '%s'" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, fuzzy, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "Kiểu file ảnh không phù hợp vá»›i '%s'" diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index ef95bd01a..83238bda4 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:33:49+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:05:33+0000\n" "Language-Team: Simplified Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: out-statusnet\n" @@ -572,7 +572,8 @@ msgstr "å¸å·" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "昵称" @@ -1485,7 +1486,7 @@ msgstr "已收è—此通告ï¼" msgid "Disfavor favorite" msgstr "å–消收è—" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 #, fuzzy msgid "Popular notices" @@ -2766,7 +2767,7 @@ msgstr "自述" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "ä½ç½®" @@ -2947,7 +2948,7 @@ msgid "" "one!" msgstr "" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "标签云èšé›†" @@ -3525,12 +3526,12 @@ msgid "Group profile" msgstr "组资料" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL 互è”网地å€" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 #, fuzzy msgid "Note" msgstr "通告" @@ -4101,7 +4102,8 @@ msgstr "标签" msgid "User profile" msgstr "用户没有个人信æ¯ã€‚" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "相片" @@ -4165,7 +4167,7 @@ msgstr "æœåŠ¡å™¨æ²¡æœ‰è¿”回个人信æ¯URL。" msgid "Unsubscribed" msgstr "退订" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4257,39 +4259,39 @@ msgstr "" "请检查详细信æ¯ï¼Œç¡®è®¤å¸Œæœ›è®¢é˜…此用户的通告。如果您刚æ‰æ²¡æœ‰è¦æ±‚订阅任何人的通" "告,请点击\"å–消\"。" -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 #, fuzzy msgid "License" msgstr "注册è¯" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "接å—" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 #, fuzzy msgid "Subscribe to this user" msgstr "订阅 %s" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "æ‹’ç»" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 #, fuzzy msgid "Reject this subscription" msgstr "所有订阅" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "未收到认è¯è¯·æ±‚ï¼" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "订阅已确认" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 #, fuzzy msgid "" "The subscription has been authorized, but no callback URL was passed. Check " @@ -4298,11 +4300,11 @@ msgid "" msgstr "" "订阅已确认,但是没有回传URL。请到此网站查看如何确认订阅。您的订阅标识是:" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "订阅被拒ç»" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 #, fuzzy msgid "" "The subscription has been rejected, but no callback URL was passed. Check " @@ -4310,37 +4312,37 @@ msgid "" "subscription." msgstr "订阅已被拒ç»ï¼Œä½†æ˜¯æ²¡æœ‰å›žä¼ URL。请到此网站查看如何拒ç»è®¢é˜…。" -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, fuzzy, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "无法访问头åƒURL '%s'" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, fuzzy, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "'%s' 图åƒæ ¼å¼é”™è¯¯" diff --git a/locale/zh_TW/LC_MESSAGES/statusnet.po b/locale/zh_TW/LC_MESSAGES/statusnet.po index 69eb63b8b..d8f104a13 100644 --- a/locale/zh_TW/LC_MESSAGES/statusnet.po +++ b/locale/zh_TW/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 10:31+0000\n" -"PO-Revision-Date: 2010-02-04 10:33:52+0000\n" +"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"PO-Revision-Date: 2010-02-04 22:05:36+0000\n" "Language-Team: Traditional Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61969); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hant\n" "X-Message-Group: out-statusnet\n" @@ -565,7 +565,8 @@ msgstr "關於" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 lib/groupeditform.php:152 +#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" msgstr "暱稱" @@ -1460,7 +1461,7 @@ msgstr "" msgid "Disfavor favorite" msgstr "" -#: actions/favorited.php:65 lib/popularnoticesection.php:88 +#: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 #, fuzzy msgid "Popular notices" @@ -2675,7 +2676,7 @@ msgstr "自我介紹" #: actions/profilesettings.php:132 actions/register.php:471 #: actions/showgroup.php:256 actions/tagother.php:112 -#: actions/userauthorization.php:158 lib/groupeditform.php:177 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" msgstr "地點" @@ -2850,7 +2851,7 @@ msgid "" "one!" msgstr "" -#: actions/publictagcloud.php:131 +#: actions/publictagcloud.php:134 msgid "Tag cloud" msgstr "" @@ -3404,12 +3405,12 @@ msgid "Group profile" msgstr "無此通知" #: actions/showgroup.php:263 actions/tagother.php:118 -#: actions/userauthorization.php:167 lib/userprofile.php:177 +#: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "" #: actions/showgroup.php:274 actions/tagother.php:128 -#: actions/userauthorization.php:179 lib/userprofile.php:194 +#: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "" @@ -3964,7 +3965,8 @@ msgstr "" msgid "User profile" msgstr "無此通知" -#: actions/tagother.php:81 lib/userprofile.php:102 +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 msgid "Photo" msgstr "" @@ -4024,7 +4026,7 @@ msgstr "無確èªè«‹æ±‚" msgid "Unsubscribed" msgstr "此帳號已註冊" -#: actions/updateprofile.php:62 actions/userauthorization.php:330 +#: actions/updateprofile.php:62 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4110,85 +4112,85 @@ msgid "" "click “Rejectâ€." msgstr "" -#: actions/userauthorization.php:188 actions/version.php:165 +#: actions/userauthorization.php:196 actions/version.php:165 msgid "License" msgstr "" -#: actions/userauthorization.php:209 +#: actions/userauthorization.php:217 msgid "Accept" msgstr "接å—" -#: actions/userauthorization.php:210 lib/subscribeform.php:115 +#: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" msgstr "" -#: actions/userauthorization.php:211 +#: actions/userauthorization.php:219 msgid "Reject" msgstr "" -#: actions/userauthorization.php:212 +#: actions/userauthorization.php:220 #, fuzzy msgid "Reject this subscription" msgstr "所有訂閱" -#: actions/userauthorization.php:225 +#: actions/userauthorization.php:232 msgid "No authorization request!" msgstr "無確èªè«‹æ±‚" -#: actions/userauthorization.php:247 +#: actions/userauthorization.php:254 msgid "Subscription authorized" msgstr "" -#: actions/userauthorization.php:249 +#: actions/userauthorization.php:256 msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " "subscription. Your subscription token is:" msgstr "" -#: actions/userauthorization.php:259 +#: actions/userauthorization.php:266 msgid "Subscription rejected" msgstr "" -#: actions/userauthorization.php:261 +#: actions/userauthorization.php:268 msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " "subscription." msgstr "" -#: actions/userauthorization.php:296 +#: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." msgstr "" -#: actions/userauthorization.php:301 +#: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." msgstr "" -#: actions/userauthorization.php:307 +#: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." msgstr "" -#: actions/userauthorization.php:322 +#: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." msgstr "" -#: actions/userauthorization.php:338 +#: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." msgstr "" -#: actions/userauthorization.php:343 +#: actions/userauthorization.php:350 #, fuzzy, php-format msgid "Can’t read avatar URL ‘%s’." msgstr "無法讀å–æ­¤%sURL的圖åƒ" -#: actions/userauthorization.php:348 +#: actions/userauthorization.php:355 #, php-format msgid "Wrong image type for avatar URL ‘%s’." msgstr "" -- cgit v1.2.3-54-g00ecf From 6cf5df505a27135d6813b3aa6cb8a4da17556c97 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 5 Feb 2010 01:13:23 +0000 Subject: Fix issue with OAuth request parameters being parsed/stored twice when calling /api/account/verify_credentials.:format --- actions/apiaccountverifycredentials.php | 33 ++++++++++++++++++--------------- 1 file changed, 18 insertions(+), 15 deletions(-) diff --git a/actions/apiaccountverifycredentials.php b/actions/apiaccountverifycredentials.php index 1095d5162..ea61a3205 100644 --- a/actions/apiaccountverifycredentials.php +++ b/actions/apiaccountverifycredentials.php @@ -66,18 +66,21 @@ class ApiAccountVerifyCredentialsAction extends ApiAuthAction { parent::handle($args); - switch ($this->format) { - case 'xml': - case 'json': - $args['id'] = $this->auth_user->id; - $action_obj = new ApiUserShowAction(); - if ($action_obj->prepare($args)) { - $action_obj->handle($args); - } - break; - default: - header('Content-Type: text/html; charset=utf-8'); - print 'Authorized'; + if (!in_array($this->format, array('xml', 'json'))) { + $this->clientError(_('API method not found.'), $code = 404); + return; + } + + $twitter_user = $this->twitterUserArray($this->auth_user->getProfile(), true); + + if ($this->format == 'xml') { + $this->initDocument('xml'); + $this->showTwitterXmlUser($twitter_user); + $this->endDocument('xml'); + } elseif ($this->format == 'json') { + $this->initDocument('json'); + $this->showJsonObjects($twitter_user); + $this->endDocument('json'); } } @@ -86,14 +89,14 @@ class ApiAccountVerifyCredentialsAction extends ApiAuthAction * Is this action read only? * * @param array $args other arguments - * + * * @return boolean true * **/ - + function isReadOnly($args) { return true; } - + } -- cgit v1.2.3-54-g00ecf From 4180ab74d9381a1fc53f2a54733a499cb1ee2cad Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 5 Feb 2010 01:24:21 +0000 Subject: OAuth app name should not be null --- classes/statusnet.ini | 2 +- db/statusnet.sql | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/classes/statusnet.ini b/classes/statusnet.ini index a535159e8..5f8da7cf5 100644 --- a/classes/statusnet.ini +++ b/classes/statusnet.ini @@ -353,7 +353,7 @@ notice_id = K id = 129 owner = 129 consumer_key = 130 -name = 2 +name = 130 description = 2 icon = 130 source_url = 2 diff --git a/db/statusnet.sql b/db/statusnet.sql index 8946f4d7e..343464801 100644 --- a/db/statusnet.sql +++ b/db/statusnet.sql @@ -214,7 +214,7 @@ create table oauth_application ( id integer auto_increment primary key comment 'unique identifier', owner integer not null comment 'owner of the application' references profile (id), consumer_key varchar(255) not null comment 'application consumer key' references consumer (consumer_key), - name varchar(255) unique key comment 'name of the application', + name varchar(255) not null unique key comment 'name of the application', description varchar(255) comment 'description of the application', icon varchar(255) not null comment 'application icon', source_url varchar(255) comment 'application homepage - used for source link', -- cgit v1.2.3-54-g00ecf From f6544493578f05cb37d0d7b554b40889d79f681e Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 5 Feb 2010 01:38:29 +0000 Subject: Actually store the timestamp on each nonce --- lib/oauthstore.php | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/lib/oauthstore.php b/lib/oauthstore.php index b30fb49d5..eabe37f9f 100644 --- a/lib/oauthstore.php +++ b/lib/oauthstore.php @@ -65,7 +65,7 @@ class StatusNetOAuthDataStore extends OAuthDataStore { $n = new Nonce(); $n->consumer_key = $consumer->key; - $n->ts = $timestamp; + $n->ts = common_sql_date($timestamp); $n->nonce = $nonce; if ($n->find(true)) { return true; @@ -362,7 +362,6 @@ class StatusNetOAuthDataStore extends OAuthDataStore array('is_local' => Notice::REMOTE_OMB, 'uri' => $omb_notice->getIdentifierURI())); - } /** -- cgit v1.2.3-54-g00ecf From b65ed56c7a36e3d4aeca36c6087fafcf8b2fc3fd Mon Sep 17 00:00:00 2001 From: Michele Date: Sun, 17 Jan 2010 18:33:56 +0100 Subject: API config return textlimit value --- actions/apistatusnetconfig.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/actions/apistatusnetconfig.php b/actions/apistatusnetconfig.php index dc1ab8685..d2d6e7750 100644 --- a/actions/apistatusnetconfig.php +++ b/actions/apistatusnetconfig.php @@ -54,7 +54,7 @@ class ApiStatusnetConfigAction extends ApiAction var $keys = array( 'site' => array('name', 'server', 'theme', 'path', 'fancy', 'language', 'email', 'broughtby', 'broughtbyurl', 'closed', - 'inviteonly', 'private'), + 'inviteonly', 'private','textlimit'), 'license' => array('url', 'title', 'image'), 'nickname' => array('featured'), 'throttle' => array('enabled', 'count', 'timespan'), -- cgit v1.2.3-54-g00ecf From ff509feff0c45ddc755be54477d4da077afa2dfe Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 5 Feb 2010 13:40:00 -0800 Subject: Updated /api/statusnet/config.xml to show new config params potentially relevant to client devs --- actions/apistatusnetconfig.php | 14 +++++++++----- 1 file changed, 9 insertions(+), 5 deletions(-) diff --git a/actions/apistatusnetconfig.php b/actions/apistatusnetconfig.php index d2d6e7750..0345a9bc0 100644 --- a/actions/apistatusnetconfig.php +++ b/actions/apistatusnetconfig.php @@ -52,13 +52,17 @@ require_once INSTALLDIR . '/lib/api.php'; class ApiStatusnetConfigAction extends ApiAction { var $keys = array( - 'site' => array('name', 'server', 'theme', 'path', 'fancy', 'language', - 'email', 'broughtby', 'broughtbyurl', 'closed', - 'inviteonly', 'private','textlimit'), - 'license' => array('url', 'title', 'image'), + 'site' => array('name', 'server', 'theme', 'path', 'logo', 'fancy', 'language', + 'email', 'broughtby', 'broughtbyurl', 'timezone', 'closed', + 'inviteonly', 'private', 'textlimit', 'ssl', 'sslserver', 'shorturllength'), + 'license' => array('type', 'owner', 'url', 'title', 'image'), 'nickname' => array('featured'), + 'profile' => array('biolimit'), + 'group' => array('desclimit'), + 'notice' => array('contentlimit'), 'throttle' => array('enabled', 'count', 'timespan'), - 'xmpp' => array('enabled', 'server', 'user') + 'xmpp' => array('enabled', 'server', 'port', 'user'), + 'integration' => array('source') ); /** -- cgit v1.2.3-54-g00ecf From 2e6e16a58d1bfefafa2912858a1061bd6362744b Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Sat, 6 Feb 2010 01:09:00 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans --- locale/ar/LC_MESSAGES/statusnet.po | 39 ++++--- locale/arz/LC_MESSAGES/statusnet.po | 39 ++++--- locale/bg/LC_MESSAGES/statusnet.po | 39 ++++--- locale/ca/LC_MESSAGES/statusnet.po | 39 ++++--- locale/cs/LC_MESSAGES/statusnet.po | 39 ++++--- locale/de/LC_MESSAGES/statusnet.po | 39 ++++--- locale/el/LC_MESSAGES/statusnet.po | 39 ++++--- locale/en_GB/LC_MESSAGES/statusnet.po | 39 ++++--- locale/es/LC_MESSAGES/statusnet.po | 39 ++++--- locale/fa/LC_MESSAGES/statusnet.po | 39 ++++--- locale/fi/LC_MESSAGES/statusnet.po | 39 ++++--- locale/fr/LC_MESSAGES/statusnet.po | 42 +++---- locale/ga/LC_MESSAGES/statusnet.po | 39 ++++--- locale/he/LC_MESSAGES/statusnet.po | 39 ++++--- locale/hsb/LC_MESSAGES/statusnet.po | 39 ++++--- locale/ia/LC_MESSAGES/statusnet.po | 213 +++++++++++++++++++--------------- locale/is/LC_MESSAGES/statusnet.po | 39 ++++--- locale/it/LC_MESSAGES/statusnet.po | 39 ++++--- locale/ja/LC_MESSAGES/statusnet.po | 39 ++++--- locale/ko/LC_MESSAGES/statusnet.po | 39 ++++--- locale/mk/LC_MESSAGES/statusnet.po | 39 ++++--- locale/nb/LC_MESSAGES/statusnet.po | 39 ++++--- locale/nl/LC_MESSAGES/statusnet.po | 45 +++---- locale/nn/LC_MESSAGES/statusnet.po | 39 ++++--- locale/pl/LC_MESSAGES/statusnet.po | 42 +++---- locale/pt/LC_MESSAGES/statusnet.po | 39 ++++--- locale/pt_BR/LC_MESSAGES/statusnet.po | 39 ++++--- locale/ru/LC_MESSAGES/statusnet.po | 39 ++++--- locale/statusnet.po | 35 +++--- locale/sv/LC_MESSAGES/statusnet.po | 43 +++---- locale/te/LC_MESSAGES/statusnet.po | 39 ++++--- locale/tr/LC_MESSAGES/statusnet.po | 39 ++++--- locale/uk/LC_MESSAGES/statusnet.po | 42 +++---- locale/vi/LC_MESSAGES/statusnet.po | 39 ++++--- locale/zh_CN/LC_MESSAGES/statusnet.po | 39 ++++--- locale/zh_TW/LC_MESSAGES/statusnet.po | 39 ++++--- 36 files changed, 825 insertions(+), 768 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index 85830f0af..00eac9b28 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:03:36+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:53:32+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" @@ -176,20 +176,21 @@ msgstr "" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -5523,11 +5524,11 @@ msgstr "خطأ أثناء إدراج المل٠الشخصي البعيد" msgid "Duplicate notice" msgstr "ضاع٠الإشعار" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "" -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "تعذّر إدراج اشتراك جديد." diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index 3b8dfcf5f..e1c638a6c 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:03:39+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:53:37+0000\n" "Language-Team: Egyptian Spoken Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: out-statusnet\n" @@ -176,20 +176,21 @@ msgstr "" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -5511,11 +5512,11 @@ msgstr "خطأ أثناء إدراج المل٠الشخصى البعيد" msgid "Duplicate notice" msgstr "ضاع٠الإشعار" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "" -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "تعذّر إدراج اشتراك جديد." diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index bf361c47c..3b60491ca 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:03:42+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:53:40+0000\n" "Language-Team: Bulgarian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: out-statusnet\n" @@ -175,20 +175,21 @@ msgstr "Бележки от %1$s и приÑтели в %2$s." #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -5748,12 +5749,12 @@ msgstr "Грешка при вмъкване на отдалечен профи msgid "Duplicate notice" msgstr "Изтриване на бележката" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 #, fuzzy msgid "You have been banned from subscribing." msgstr "ПотребителÑÑ‚ е забранил да Ñе абонирате за него." -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Грешка при добавÑне на нов абонамент." diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index 2dc54c93e..bc6154421 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:03:45+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:53:45+0000\n" "Language-Team: Catalan\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: out-statusnet\n" @@ -179,20 +179,21 @@ msgstr "Actualitzacions de %1$s i amics a %2$s!" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -5797,11 +5798,11 @@ msgstr "Error en inserir perfil remot" msgid "Duplicate notice" msgstr "Eliminar nota." -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "Se us ha banejat la subscripció." -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "No s'ha pogut inserir una nova subscripció." diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index 65e340095..81ba42d40 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:03:48+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:53:47+0000\n" "Language-Team: Czech\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: out-statusnet\n" @@ -180,20 +180,21 @@ msgstr "" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -5762,11 +5763,11 @@ msgstr "Chyba pÅ™i vkládaní vzdáleného profilu" msgid "Duplicate notice" msgstr "Nové sdÄ›lení" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "" -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Nelze vložit odebírání" diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index 35f4d4c75..9827cb8bd 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:03:51+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:53:50+0000\n" "Language-Team: German\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: out-statusnet\n" @@ -191,20 +191,21 @@ msgstr "Aktualisierungen von %1$s und Freunden auf %2$s!" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -5877,12 +5878,12 @@ msgstr "Fehler beim Einfügen des entfernten Profils" msgid "Duplicate notice" msgstr "Notiz löschen" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 #, fuzzy msgid "You have been banned from subscribing." msgstr "Dieser Benutzer erlaubt dir nicht ihn zu abonnieren." -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Konnte neues Abonnement nicht eintragen." diff --git a/locale/el/LC_MESSAGES/statusnet.po b/locale/el/LC_MESSAGES/statusnet.po index a2cc4e682..4bc58dd6c 100644 --- a/locale/el/LC_MESSAGES/statusnet.po +++ b/locale/el/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:03:53+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:53:53+0000\n" "Language-Team: Greek\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: el\n" "X-Message-Group: out-statusnet\n" @@ -175,20 +175,21 @@ msgstr "" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -5646,11 +5647,11 @@ msgstr "" msgid "Duplicate notice" msgstr "ΔιαγÏαφή μηνÏματος" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "" -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Απέτυχε η εισαγωγή νέας συνδÏομής." diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index 78cb289a2..f896d4e29 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:03:56+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:53:56+0000\n" "Language-Team: British English\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: out-statusnet\n" @@ -180,20 +180,21 @@ msgstr "Updates from %1$s and friends on %2$s!" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -5805,11 +5806,11 @@ msgstr "Error inserting remote profile." msgid "Duplicate notice" msgstr "Duplicate notice" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "You have been banned from subscribing." -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Couldn't insert new subscription." diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index f7f57bd3b..f49587641 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:03:59+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:53:59+0000\n" "Language-Team: Spanish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: out-statusnet\n" @@ -175,20 +175,21 @@ msgstr "¡Actualizaciones de %1$s y amigos en %2$s!" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -5845,11 +5846,11 @@ msgstr "Error al insertar perfil remoto" msgid "Duplicate notice" msgstr "Duplicar aviso" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "Se te ha prohibido la suscripción." -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "No se pudo insertar una nueva suscripción." diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index d18f6ec93..ae528ab7b 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:04:06+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:54:05+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian\n" "MIME-Version: 1.0\n" @@ -20,7 +20,7 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" #: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 @@ -184,20 +184,21 @@ msgstr "به روز رسانی از %1$ Ùˆ دوستان در %2$" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -5637,11 +5638,11 @@ msgstr "" msgid "Duplicate notice" msgstr "" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "" -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "" diff --git a/locale/fi/LC_MESSAGES/statusnet.po b/locale/fi/LC_MESSAGES/statusnet.po index 92d6cab49..aa53f81cd 100644 --- a/locale/fi/LC_MESSAGES/statusnet.po +++ b/locale/fi/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:04:02+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:54:02+0000\n" "Language-Team: Finnish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: out-statusnet\n" @@ -186,20 +186,21 @@ msgstr "Käyttäjän %1$s ja kavereiden päivitykset palvelussa %2$s!" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -5862,12 +5863,12 @@ msgstr "Virhe tapahtui uuden etäprofiilin lisäämisessä" msgid "Duplicate notice" msgstr "Poista päivitys" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 #, fuzzy msgid "You have been banned from subscribing." msgstr "Käyttäjä on estänyt sinua tilaamasta päivityksiä." -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Ei voitu lisätä uutta tilausta." diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index 010cc8070..352d6bd70 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -14,12 +14,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:04:09+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:54:09+0000\n" "Language-Team: French\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: out-statusnet\n" @@ -186,20 +186,21 @@ msgstr "Statuts de %1$s et ses amis dans %2$s!" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -3444,9 +3445,8 @@ msgstr "" "méthode de signature en texte clair." #: actions/showapplication.php:309 -#, fuzzy msgid "Are you sure you want to reset your consumer key and secret?" -msgstr "Voulez-vous vraiment supprimer cet avis ?" +msgstr "Voulez-vous vraiment réinitialiser votre clé consommateur et secrète ?" #: actions/showfavorites.php:79 #, php-format @@ -5953,11 +5953,11 @@ msgstr "Erreur lors de l’insertion du profil distant" msgid "Duplicate notice" msgstr "Dupliquer l’avis" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "Il vous avez été interdit de vous abonner." -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Impossible d’insérer un nouvel abonnement." diff --git a/locale/ga/LC_MESSAGES/statusnet.po b/locale/ga/LC_MESSAGES/statusnet.po index 0d48fb182..9bd8a6ff8 100644 --- a/locale/ga/LC_MESSAGES/statusnet.po +++ b/locale/ga/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:04:12+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:54:12+0000\n" "Language-Team: Irish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ga\n" "X-Message-Group: out-statusnet\n" @@ -181,20 +181,21 @@ msgstr "Actualizacións dende %1$s e amigos en %2$s!" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -6030,12 +6031,12 @@ msgstr "Aconteceu un erro ó inserir o perfil remoto" msgid "Duplicate notice" msgstr "Eliminar chío" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 #, fuzzy msgid "You have been banned from subscribing." msgstr "Este usuario non che permite suscribirte a el." -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Non se puido inserir a nova subscrición." diff --git a/locale/he/LC_MESSAGES/statusnet.po b/locale/he/LC_MESSAGES/statusnet.po index e564ba3ea..829ca11cf 100644 --- a/locale/he/LC_MESSAGES/statusnet.po +++ b/locale/he/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:04:16+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:54:15+0000\n" "Language-Team: Hebrew\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: he\n" "X-Message-Group: out-statusnet\n" @@ -178,20 +178,21 @@ msgstr "" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -5761,11 +5762,11 @@ msgstr "שגי××” בהכנסת פרופיל מרוחק" msgid "Duplicate notice" msgstr "הודעה חדשה" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "" -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "הכנסת מנוי חדש נכשלה." diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index fc0b29b40..06cac6471 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:04:19+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:54:18+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: out-statusnet\n" @@ -176,20 +176,21 @@ msgstr "" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -5494,11 +5495,11 @@ msgstr "Zmylk pÅ™i zasunjenju zdaleneho profila" msgid "Duplicate notice" msgstr "Dwójna zdźělenka" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "" -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "" diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index 6662516dd..39b2a11a5 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:04:22+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:54:22+0000\n" "Language-Team: Interlingua\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: out-statusnet\n" @@ -179,20 +179,21 @@ msgstr "Actualisationes de %1$s e su amicos in %2$s!" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -2376,20 +2377,19 @@ msgstr "Nulle identificator de usator specificate." #: actions/otp.php:83 msgid "No login token specified." -msgstr "Nulle indicio de session specificate." +msgstr "Nulle indicio de identification specificate." #: actions/otp.php:90 msgid "No login token requested." -msgstr "Nulle indicio de session requestate." +msgstr "Nulle indicio de identification requestate." #: actions/otp.php:95 -#, fuzzy msgid "Invalid login token specified." -msgstr "Indicio invalide o expirate." +msgstr "Indicio de identification invalide specificate." #: actions/otp.php:104 msgid "Login token expired." -msgstr "Le indicio de session ha expirate." +msgstr "Le indicio de identification ha expirate." #: actions/outbox.php:58 #, php-format @@ -3972,7 +3972,7 @@ msgstr "" #: actions/subscribers.php:110 #, php-format msgid "%s has no subscribers. Want to be the first?" -msgstr "" +msgstr "%s non ha subscriptores. Vole esser le prime?" #: actions/subscribers.php:114 #, php-format @@ -3980,25 +3980,27 @@ msgid "" "%s has no subscribers. Why not [register an account](%%%%action.register%%%" "%) and be the first?" msgstr "" +"%s non ha subscriptores. Proque non [crear un conto](%%%%action.register%%%" +"%) e esser le prime?" #: actions/subscriptions.php:52 #, php-format msgid "%s subscriptions" -msgstr "" +msgstr "Subscriptiones de %s" #: actions/subscriptions.php:54 -#, fuzzy, php-format +#, php-format msgid "%1$s subscriptions, page %2$d" -msgstr "Subscriptores a %s, pagina %d" +msgstr "Subscriptiones de %1$s, pagina %2$d" #: actions/subscriptions.php:65 msgid "These are the people whose notices you listen to." -msgstr "" +msgstr "Tu seque le notas de iste personas." #: actions/subscriptions.php:69 #, php-format msgid "These are the people whose notices %s listens to." -msgstr "" +msgstr "%s seque le notas de iste personas." #: actions/subscriptions.php:121 #, php-format @@ -4009,39 +4011,45 @@ msgid "" "featured%%). If you're a [Twitter user](%%action.twittersettings%%), you can " "automatically subscribe to people you already follow there." msgstr "" +"Tu non seque le notas de alcuno in iste momento. Tenta subscriber te a " +"personas que tu cognosce. Proba [le recerca de personas](%%action." +"peoplesearch%%), cerca membros in le gruppos de tu interesse e in le " +"[usatores in evidentia](%%action.featured%%). Si tu es [usator de Twitter](%%" +"action.twittersettings%%), tu pote automaticamente subscriber te a personas " +"que tu ja seque la." #: actions/subscriptions.php:123 actions/subscriptions.php:127 #, php-format msgid "%s is not listening to anyone." -msgstr "" +msgstr "%s non seque alcuno." #: actions/subscriptions.php:194 msgid "Jabber" -msgstr "" +msgstr "Jabber" #: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 msgid "SMS" -msgstr "" +msgstr "SMS" #: actions/tag.php:68 -#, fuzzy, php-format +#, php-format msgid "Notices tagged with %1$s, page %2$d" -msgstr "Usatores auto-etiquettate con %s - pagina %d" +msgstr "Notas etiquettate con %1$s, pagina %2$d" #: actions/tag.php:86 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" -msgstr "" +msgstr "Syndication de notas pro le etiquetta %s (RSS 1.0)" #: actions/tag.php:92 #, php-format msgid "Notice feed for tag %s (RSS 2.0)" -msgstr "" +msgstr "Syndication de notas pro le etiquetta %s (RSS 2.0)" #: actions/tag.php:98 #, php-format msgid "Notice feed for tag %s (Atom)" -msgstr "" +msgstr "Syndication de notas pro le etiquetta %s (Atom)" #: actions/tagother.php:39 msgid "No ID argument." @@ -4050,145 +4058,151 @@ msgstr "Nulle parametro de ID." #: actions/tagother.php:65 #, php-format msgid "Tag %s" -msgstr "" +msgstr "Etiquetta %s" #: actions/tagother.php:77 lib/userprofile.php:75 msgid "User profile" -msgstr "" +msgstr "Profilo del usator" #: actions/tagother.php:81 actions/userauthorization.php:132 #: lib/userprofile.php:102 msgid "Photo" -msgstr "" +msgstr "Photo" #: actions/tagother.php:141 msgid "Tag user" -msgstr "" +msgstr "Etiquettar usator" #: actions/tagother.php:151 msgid "" "Tags for this user (letters, numbers, -, ., and _), comma- or space- " "separated" msgstr "" +"Etiquettas pro iste usator (litteras, numeros, -, . e _), separate per " +"commas o spatios" #: actions/tagother.php:193 msgid "" "You can only tag people you are subscribed to or who are subscribed to you." msgstr "" +"Tu pote solmente etiquettar personas a qui tu es subscribite o qui es " +"subscribite a te." #: actions/tagother.php:200 msgid "Could not save tags." -msgstr "" +msgstr "Non poteva salveguardar etiquettas." #: actions/tagother.php:236 msgid "Use this form to add tags to your subscribers or subscriptions." msgstr "" +"Usa iste formulario pro adder etiquettas a tu subscriptores o subscriptiones." #: actions/tagrss.php:35 msgid "No such tag." -msgstr "" +msgstr "Etiquetta non existe." #: actions/twitapitrends.php:87 msgid "API method under construction." -msgstr "" +msgstr "Methodo API in construction." #: actions/unblock.php:59 msgid "You haven't blocked that user." -msgstr "" +msgstr "Tu non ha blocate iste usator." #: actions/unsandbox.php:72 msgid "User is not sandboxed." -msgstr "" +msgstr "Le usator non es in le cassa de sablo." #: actions/unsilence.php:72 msgid "User is not silenced." -msgstr "" +msgstr "Le usator non es silentiate." #: actions/unsubscribe.php:77 msgid "No profile id in request." -msgstr "" +msgstr "Nulle ID de profilo in requesta." #: actions/unsubscribe.php:98 msgid "Unsubscribed" -msgstr "" +msgstr "Subscription cancellate" #: actions/updateprofile.php:62 actions/userauthorization.php:337 -#, fuzzy, php-format +#, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -"Le licentia del nota '%s' non es compatibile con le licentia del sito '%s'." +"Le licentia del fluxo que tu ascolta, ‘%1$s’, non es compatibile con le " +"licentia del sito ‘%2$s’." #: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 #: lib/personalgroupnav.php:115 msgid "User" -msgstr "" +msgstr "Usator" #: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site." -msgstr "" +msgstr "Configurationes de usator pro iste sito de StatusNet." #: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." -msgstr "" +msgstr "Limite de biographia invalide. Debe esser un numero." #: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." -msgstr "" +msgstr "Texto de benvenita invalide. Longitude maximal es 255 characteres." #: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." -msgstr "" +msgstr "Subscription predefinite invalide: '%1$s' non es usator." #: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" -msgstr "" +msgstr "Profilo" #: actions/useradminpanel.php:221 msgid "Bio Limit" -msgstr "" +msgstr "Limite de biographia" #: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." -msgstr "" +msgstr "Le longitude maximal del biographia de un profilo in characteres." #: actions/useradminpanel.php:230 msgid "New users" -msgstr "" +msgstr "Nove usatores" #: actions/useradminpanel.php:234 msgid "New user welcome" -msgstr "" +msgstr "Message de benvenita a nove usatores" #: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." -msgstr "" +msgstr "Texto de benvenita pro nove usatores (max. 255 characteres)" #: actions/useradminpanel.php:240 msgid "Default subscription" -msgstr "" +msgstr "Subscription predefinite" #: actions/useradminpanel.php:241 msgid "Automatically subscribe new users to this user." -msgstr "" +msgstr "Subscriber automaticamente le nove usatores a iste usator." #: actions/useradminpanel.php:250 msgid "Invitations" -msgstr "" +msgstr "Invitationes" #: actions/useradminpanel.php:255 msgid "Invitations enabled" -msgstr "" +msgstr "Invitationes activate" #: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." -msgstr "" +msgstr "Si le usatores pote invitar nove usatores." #: actions/userauthorization.php:105 msgid "Authorize subscription" -msgstr "" +msgstr "Autorisar subscription" #: actions/userauthorization.php:110 msgid "" @@ -4196,35 +4210,37 @@ msgid "" "user’s notices. If you didn’t just ask to subscribe to someone’s notices, " "click “Rejectâ€." msgstr "" +"Per favor verifica iste detalios pro assecurar te que tu vole subscriber te " +"al notas de iste usator. Si tu non ha requestate isto, clicca \"Rejectar\"." #: actions/userauthorization.php:196 actions/version.php:165 msgid "License" -msgstr "" +msgstr "Licentia" #: actions/userauthorization.php:217 msgid "Accept" -msgstr "" +msgstr "Acceptar" #: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" -msgstr "" +msgstr "Subscriber me a iste usator" #: actions/userauthorization.php:219 msgid "Reject" -msgstr "" +msgstr "Rejectar" #: actions/userauthorization.php:220 msgid "Reject this subscription" -msgstr "" +msgstr "Rejectar iste subscription" #: actions/userauthorization.php:232 msgid "No authorization request!" -msgstr "" +msgstr "Nulle requesta de autorisation!" #: actions/userauthorization.php:254 msgid "Subscription authorized" -msgstr "" +msgstr "Subscription autorisate" #: actions/userauthorization.php:256 msgid "" @@ -4232,10 +4248,13 @@ msgid "" "with the site’s instructions for details on how to authorize the " "subscription. Your subscription token is:" msgstr "" +"Le subscription ha essite autorisate, ma nulle URL de retorno ha essite " +"recipite. Lege in le instructiones del sito in question como autorisar le " +"subscription. Tu indicio de subscription es:" #: actions/userauthorization.php:266 msgid "Subscription rejected" -msgstr "" +msgstr "Subscription rejectate" #: actions/userauthorization.php:268 msgid "" @@ -4243,79 +4262,85 @@ msgid "" "with the site’s instructions for details on how to fully reject the " "subscription." msgstr "" +"Le subscription ha essite rejectate, ma nulle URL de retorno ha essite " +"recipite. Lege in le instructiones del sito in question como rejectar " +"completemente le subscription." #: actions/userauthorization.php:303 #, php-format msgid "Listener URI ‘%s’ not found here." -msgstr "" +msgstr "URI de ascoltator ‘%s’ non trovate hic." #: actions/userauthorization.php:308 #, php-format msgid "Listenee URI ‘%s’ is too long." -msgstr "" +msgstr "URI de ascoltato ‘%s’ es troppo longe." #: actions/userauthorization.php:314 #, php-format msgid "Listenee URI ‘%s’ is a local user." -msgstr "" +msgstr "URI de ascoltato ‘%s’ es un usator local." #: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." -msgstr "" +msgstr "URL de profilo ‘%s’ es de un usator local." #: actions/userauthorization.php:345 #, php-format msgid "Avatar URL ‘%s’ is not valid." -msgstr "" +msgstr "URL de avatar ‘%s’ non es valide." #: actions/userauthorization.php:350 #, php-format msgid "Can’t read avatar URL ‘%s’." -msgstr "" +msgstr "Non pote leger URL de avatar ‘%s’." #: actions/userauthorization.php:355 #, php-format msgid "Wrong image type for avatar URL ‘%s’." -msgstr "" +msgstr "Typo de imagine incorrecte pro URL de avatar ‘%s’." #: actions/userdesignsettings.php:76 lib/designsettings.php:65 msgid "Profile design" -msgstr "" +msgstr "Apparentia del profilo" #: actions/userdesignsettings.php:87 lib/designsettings.php:76 msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." msgstr "" +"Personalisa le apparentia de tu profilo con un imagine de fundo e un paletta " +"de colores de tu preferentia." #: actions/userdesignsettings.php:282 msgid "Enjoy your hotdog!" -msgstr "" +msgstr "Bon appetito!" #: actions/usergroups.php:64 -#, fuzzy, php-format +#, php-format msgid "%1$s groups, page %2$d" -msgstr "Membros del gruppo %s, pagina %d" +msgstr "Gruppos %1$s, pagina %2$d" #: actions/usergroups.php:130 msgid "Search for more groups" -msgstr "" +msgstr "Cercar altere gruppos" #: actions/usergroups.php:153 #, php-format msgid "%s is not a member of any group." -msgstr "" +msgstr "%s non es membro de alcun gruppo." #: actions/usergroups.php:158 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +"Tenta [cercar gruppos](%%action.groupsearch%%) e facer te membro de illos." #: actions/version.php:73 -#, fuzzy, php-format +#, php-format msgid "StatusNet %s" -msgstr "Statisticas" +msgstr "StatusNet %s" #: actions/version.php:153 #, php-format @@ -4397,9 +4422,9 @@ msgid "Group leave failed." msgstr "Profilo del gruppo" #: classes/Login_token.php:76 -#, fuzzy, php-format +#, php-format msgid "Could not create login token for %s" -msgstr "Non poteva crear aliases." +msgstr "Non poteva crear indicio de identification pro %s" #: classes/Message.php:45 msgid "You are banned from sending direct messages." @@ -5713,11 +5738,11 @@ msgstr "" msgid "Duplicate notice" msgstr "" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "" -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "" diff --git a/locale/is/LC_MESSAGES/statusnet.po b/locale/is/LC_MESSAGES/statusnet.po index f03611aed..63432e0dc 100644 --- a/locale/is/LC_MESSAGES/statusnet.po +++ b/locale/is/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:04:26+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:54:24+0000\n" "Language-Team: Icelandic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: is\n" "X-Message-Group: out-statusnet\n" @@ -180,20 +180,21 @@ msgstr "Færslur frá %1$s og vinum á %2$s!" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -5796,12 +5797,12 @@ msgstr "Villa kom upp við að setja inn persónulega fjarsíðu" msgid "Duplicate notice" msgstr "Eyða babli" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 #, fuzzy msgid "You have been banned from subscribing." msgstr "Þessi notandi hefur bannað þér að gerast áskrifandi" -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Gat ekki sett inn nýja áskrift." diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index bdc16d29c..b9a92a4bf 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:04:29+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:54:27+0000\n" "Language-Team: Italian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: out-statusnet\n" @@ -184,20 +184,21 @@ msgstr "Messaggi da %1$s e amici su %2$s!" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -5931,11 +5932,11 @@ msgstr "Errore nell'inserire il profilo remoto" msgid "Duplicate notice" msgstr "Messaggio duplicato" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "Non ti è possibile abbonarti." -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Impossibile inserire un nuovo abbonamento." diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index 0d218a094..82e67f804 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:04:32+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:54:30+0000\n" "Language-Team: Japanese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: out-statusnet\n" @@ -180,20 +180,21 @@ msgstr "%2$s ã« %1$s ã¨å‹äººã‹ã‚‰ã®æ›´æ–°ãŒã‚ã‚Šã¾ã™ï¼" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -5828,11 +5829,11 @@ msgstr "リモートプロファイル追加エラー" msgid "Duplicate notice" msgstr "é‡è¤‡ã—ãŸã¤ã¶ã‚„ã" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "ã‚ãªãŸã¯ãƒ•ã‚©ãƒ­ãƒ¼ãŒç¦æ­¢ã•ã‚Œã¾ã—ãŸã€‚" -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "サブスクリプションを追加ã§ãã¾ã›ã‚“" diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index baf45b8a1..d3bd13662 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:04:35+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:54:33+0000\n" "Language-Team: Korean\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: out-statusnet\n" @@ -179,20 +179,21 @@ msgstr "%1$s ë° %2$sì— ìžˆëŠ” ì¹œêµ¬ë“¤ì˜ ì—…ë°ì´íŠ¸!" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -5820,12 +5821,12 @@ msgstr "리모트 프로필 추가 오류" msgid "Duplicate notice" msgstr "통지 ì‚­ì œ" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 #, fuzzy msgid "You have been banned from subscribing." msgstr "ì´ íšŒì›ì€ 구ë…으로부터 ë‹¹ì‹ ì„ ì°¨ë‹¨í•´ì™”ë‹¤." -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "예약 구ë…ì„ ì¶”ê°€ í•  수 없습니다." diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index 68a351477..9aa7d12a1 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:04:38+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:54:36+0000\n" "Language-Team: Macedonian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: out-statusnet\n" @@ -183,20 +183,21 @@ msgstr "Подновувања од %1$s и пријатели на %2$s!" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -5913,11 +5914,11 @@ msgstr "Грешка во внеÑувањето на оддалечениот msgid "Duplicate notice" msgstr "Дуплирај забелешка" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "Блокирани Ñте од претплаќање." -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Ðе може да Ñе внеÑе нова претплата." diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index fa6da6aed..287b95b35 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:04:41+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:54:39+0000\n" "Language-Team: Norwegian (bokmÃ¥l)‬\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: out-statusnet\n" @@ -178,20 +178,21 @@ msgstr "Oppdateringer fra %1$s og venner pÃ¥ %2$s!" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -5658,11 +5659,11 @@ msgstr "" msgid "Duplicate notice" msgstr "" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "" -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "" diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index e2c4ea7eb..cad772155 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:04:47+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:54:45+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: out-statusnet\n" @@ -182,20 +182,21 @@ msgstr "Updates van %1$s en vrienden op %2$s." #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -4065,7 +4066,7 @@ msgstr "" #: actions/subscriptions.php:123 actions/subscriptions.php:127 #, php-format msgid "%s is not listening to anyone." -msgstr "%s luistert nergens naar." +msgstr "%s volgt niemand." #: actions/subscriptions.php:194 msgid "Jabber" @@ -4271,7 +4272,7 @@ msgstr "Aanvaarden" #: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 msgid "Subscribe to this user" -msgstr "Abonnement geautoriseerd" +msgstr "Abonneer mij op deze gebruiker" #: actions/userauthorization.php:219 msgid "Reject" @@ -4331,7 +4332,7 @@ msgstr "de URI \"%s\" voor de stream is een lokale gebruiker." #: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." -msgstr "De profiel-URL \"%s\" is niet geldig." +msgstr "De profiel-URL ‘%s’ is van een lokale gebruiker." #: actions/userauthorization.php:345 #, php-format @@ -5958,11 +5959,11 @@ msgstr "" msgid "Duplicate notice" msgstr "Duplicaatmelding" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "U mag zich niet abonneren." -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Kon nieuw abonnement niet toevoegen." diff --git a/locale/nn/LC_MESSAGES/statusnet.po b/locale/nn/LC_MESSAGES/statusnet.po index 98b0a251e..5a6d256b9 100644 --- a/locale/nn/LC_MESSAGES/statusnet.po +++ b/locale/nn/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:04:44+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:54:42+0000\n" "Language-Team: Norwegian Nynorsk\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nn\n" "X-Message-Group: out-statusnet\n" @@ -179,20 +179,21 @@ msgstr "Oppdateringar frÃ¥ %1$s og vener pÃ¥ %2$s!" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -5847,12 +5848,12 @@ msgstr "Feil med Ã¥ henta inn ekstern profil" msgid "Duplicate notice" msgstr "Slett notis" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 #, fuzzy msgid "You have been banned from subscribing." msgstr "Brukaren tillet deg ikkje Ã¥ tinga meldingane sine." -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Kan ikkje leggja til ny tinging." diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index 1c9e5e341..093192553 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:04:50+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:54:48+0000\n" "Last-Translator: Piotr DrÄ…g \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -19,7 +19,7 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: out-statusnet\n" @@ -185,20 +185,21 @@ msgstr "Aktualizacje z %1$s i przyjaciół na %2$s." #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -3391,9 +3392,8 @@ msgstr "" "nie jest obsÅ‚ugiwana." #: actions/showapplication.php:309 -#, fuzzy msgid "Are you sure you want to reset your consumer key and secret?" -msgstr "JesteÅ› pewien, że chcesz usunąć ten wpis?" +msgstr "JesteÅ› pewien, że chcesz przywrócić klucz i sekret klienta?" #: actions/showfavorites.php:79 #, php-format @@ -5884,11 +5884,11 @@ msgstr "BÅ‚Ä…d podczas wprowadzania zdalnego profilu" msgid "Duplicate notice" msgstr "Duplikat wpisu" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "Zablokowano subskrybowanie." -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Nie można wprowadzić nowej subskrypcji." diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index 2617144c9..3258ec53c 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:04:54+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:54:51+0000\n" "Language-Team: Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: out-statusnet\n" @@ -182,20 +182,21 @@ msgstr "Actualizações de %1$s e amigos no %2$s!" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -5924,11 +5925,11 @@ msgstr "Erro ao inserir perfil remoto" msgid "Duplicate notice" msgstr "Nota duplicada" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "Foi bloqueado de fazer subscrições" -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Não foi possível inserir nova subscrição." diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index 353035009..5470616fe 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:04:59+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:54:54+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" @@ -185,20 +185,21 @@ msgstr "Atualizações de %1$s e amigos no %2$s!" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -5926,11 +5927,11 @@ msgstr "Erro na inserção do perfil remoto" msgid "Duplicate notice" msgstr "Duplicar a mensagem" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "Você está proibido de assinar." -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Não foi possível inserir a nova assinatura." diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index 9b338a8a3..caa48b960 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:05:03+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:54:57+0000\n" "Language-Team: Russian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: out-statusnet\n" @@ -184,20 +184,21 @@ msgstr "Обновлено от %1$s и его друзей на %2$s!" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -5900,11 +5901,11 @@ msgstr "Ошибка вÑтавки удалённого профилÑ" msgid "Duplicate notice" msgstr "Дублировать запиÑÑŒ" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "Ð’Ñ‹ заблокированы от подпиÑки." -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Ðе удаётÑÑ Ð²Ñтавить новую подпиÑку." diff --git a/locale/statusnet.po b/locale/statusnet.po index 251a38553..987e4ad23 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -169,20 +169,21 @@ msgstr "" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -5458,11 +5459,11 @@ msgstr "" msgid "Duplicate notice" msgstr "" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "" -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index bdef96668..a2645e8bb 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:05:06+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:55:00+0000\n" "Language-Team: Swedish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: out-statusnet\n" @@ -180,20 +180,21 @@ msgstr "Uppdateringar frÃ¥n %1$s och vänner pÃ¥ %2$s!" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -3393,9 +3394,9 @@ msgstr "" "klartextsignatur." #: actions/showapplication.php:309 -#, fuzzy msgid "Are you sure you want to reset your consumer key and secret?" -msgstr "Är du säker pÃ¥ att du vill ta bort denna notis?" +msgstr "" +"Är du säker pÃ¥ att du vill Ã¥terställa din konsumentnyckel och -hemlighet?" #: actions/showfavorites.php:79 #, php-format @@ -5871,11 +5872,11 @@ msgstr "Fel vid infogning av fjärrprofilen" msgid "Duplicate notice" msgstr "Duplicerad notis" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "Du har blivit utestängd frÃ¥n att prenumerera." -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Kunde inte infoga ny prenumeration." diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index 08f4f19b4..eee6e39e4 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:05:19+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:55:04+0000\n" "Language-Team: Telugu\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: out-statusnet\n" @@ -174,20 +174,21 @@ msgstr "" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -5634,11 +5635,11 @@ msgstr "దూరపౠపà±à°°à±Šà°ªà±ˆà°²à±à°¨à°¿ చేరà±à°šà°Ÿà°‚à°² msgid "Duplicate notice" msgstr "కొతà±à°¤ సందేశం" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "చందాచేరడం à°¨à±à°‚à°¡à°¿ మిమà±à°®à°²à±à°¨à°¿ నిషేధించారà±." -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "" diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index f1e8c6e4e..c41e87f1b 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:05:22+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:55:08+0000\n" "Language-Team: Turkish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: out-statusnet\n" @@ -180,20 +180,21 @@ msgstr "" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -5771,11 +5772,11 @@ msgstr "Uzak profil eklemede hata oluÅŸtu" msgid "Duplicate notice" msgstr "Yeni durum mesajı" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "" -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Yeni abonelik eklenemedi." diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index f1de13bed..9f8e8b941 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:05:26+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:55:11+0000\n" "Language-Team: Ukrainian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: out-statusnet\n" @@ -182,20 +182,21 @@ msgstr "ÐžÐ½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð²Ñ–Ð´ %1$s та друзів на %2$s!" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." @@ -3400,9 +3401,8 @@ msgstr "" "ÑˆÐ¸Ñ„Ñ€ÑƒÐ²Ð°Ð½Ð½Ñ Ð¿Ñ–Ð´Ð¿Ð¸Ñів відкритим текÑтом." #: actions/showapplication.php:309 -#, fuzzy msgid "Are you sure you want to reset your consumer key and secret?" -msgstr "Ви впевненні, що бажаєте видалити цей допиÑ?" +msgstr "Ви впевнені, що бажаєте Ñкинути Ваш ключ Ñпоживача Ñ– таємну фразу?" #: actions/showfavorites.php:79 #, php-format @@ -5881,11 +5881,11 @@ msgstr "Помилка при додаванні віддаленого проф msgid "Duplicate notice" msgstr "Дублікат допиÑу" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "Ð’Ð°Ñ Ð¿Ð¾Ð·Ð±Ð°Ð²Ð»ÐµÐ½Ð¾ можливоÑÑ‚Ñ– підпиÑатиÑÑŒ." -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Ðе вдалоÑÑ Ð´Ð¾Ð´Ð°Ñ‚Ð¸ нову підпиÑку." diff --git a/locale/vi/LC_MESSAGES/statusnet.po b/locale/vi/LC_MESSAGES/statusnet.po index 83ba9e871..696587e5f 100644 --- a/locale/vi/LC_MESSAGES/statusnet.po +++ b/locale/vi/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:05:30+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:55:14+0000\n" "Language-Team: Vietnamese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: vi\n" "X-Message-Group: out-statusnet\n" @@ -179,20 +179,21 @@ msgstr "" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -6000,11 +6001,11 @@ msgstr "Lá»—i xảy ra khi thêm má»›i hồ sÆ¡ cá nhân" msgid "Duplicate notice" msgstr "Xóa tin nhắn" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "" -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Không thể chèn thêm vào đăng nhận." diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index 83238bda4..f643a788d 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:05:33+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:55:17+0000\n" "Language-Team: Simplified Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: out-statusnet\n" @@ -181,20 +181,21 @@ msgstr "æ¥è‡ª%2$s 上 %1$s 和好å‹çš„æ›´æ–°ï¼" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -5866,12 +5867,12 @@ msgstr "添加远程的个人信æ¯å‡ºé”™" msgid "Duplicate notice" msgstr "删除通告" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 #, fuzzy msgid "You have been banned from subscribing." msgstr "那个用户阻止了你的订阅。" -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "无法添加新的订阅。" diff --git a/locale/zh_TW/LC_MESSAGES/statusnet.po b/locale/zh_TW/LC_MESSAGES/statusnet.po index d8f104a13..6a384eac1 100644 --- a/locale/zh_TW/LC_MESSAGES/statusnet.po +++ b/locale/zh_TW/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-04 22:03+0000\n" -"PO-Revision-Date: 2010-02-04 22:05:36+0000\n" +"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"PO-Revision-Date: 2010-02-05 23:55:19+0000\n" "Language-Team: Traditional Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r61992); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hant\n" "X-Message-Group: out-statusnet\n" @@ -177,20 +177,21 @@ msgstr "" #: actions/apiaccountupdateprofile.php:97 #: actions/apiaccountupdateprofilebackgroundimage.php:94 #: actions/apiaccountupdateprofilecolors.php:118 -#: actions/apidirectmessage.php:156 actions/apifavoritecreate.php:99 -#: actions/apifavoritedestroy.php:100 actions/apifriendshipscreate.php:100 -#: actions/apifriendshipsdestroy.php:100 actions/apifriendshipsshow.php:128 -#: actions/apigroupcreate.php:136 actions/apigroupismember.php:114 -#: actions/apigroupjoin.php:155 actions/apigroupleave.php:141 -#: actions/apigrouplist.php:132 actions/apigrouplistall.php:120 -#: actions/apigroupmembership.php:106 actions/apigroupshow.php:115 -#: actions/apihelptest.php:88 actions/apistatusesdestroy.php:102 -#: actions/apistatusesretweets.php:112 actions/apistatusesshow.php:108 -#: actions/apistatusnetconfig.php:133 actions/apistatusnetversion.php:93 -#: actions/apisubscriptions.php:111 actions/apitimelinefavorites.php:146 -#: actions/apitimelinefriends.php:155 actions/apitimelinegroup.php:150 -#: actions/apitimelinehome.php:156 actions/apitimelinementions.php:151 -#: actions/apitimelinepublic.php:131 actions/apitimelineretweetedtome.php:121 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 +#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 +#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy @@ -5670,11 +5671,11 @@ msgstr "新增外部個人資料發生錯誤(Error inserting remote profile)" msgid "Duplicate notice" msgstr "新訊æ¯" -#: lib/oauthstore.php:466 lib/subs.php:48 +#: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." msgstr "" -#: lib/oauthstore.php:491 +#: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "無法新增訂閱" -- cgit v1.2.3-54-g00ecf From a5f03484daf22f6e36bfc29a6b17907a7595c728 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 5 Feb 2010 21:39:29 -0800 Subject: Store Twitter screen_name, not name, for foreign_user.nickname when saving Twitter user. --- plugins/TwitterBridge/twitterauthorization.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/plugins/TwitterBridge/twitterauthorization.php b/plugins/TwitterBridge/twitterauthorization.php index b2657ff61..dbef438a4 100644 --- a/plugins/TwitterBridge/twitterauthorization.php +++ b/plugins/TwitterBridge/twitterauthorization.php @@ -219,7 +219,7 @@ class TwitterauthorizationAction extends Action $user = common_current_user(); $this->saveForeignLink($user->id, $twitter_user->id, $atok); - save_twitter_user($twitter_user->id, $twitter_user->name); + save_twitter_user($twitter_user->id, $twitter_user->screen_name); } else { -- cgit v1.2.3-54-g00ecf From cfe4e460ca68b7c4d6c8213cf78df8a48414e342 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Sat, 6 Feb 2010 06:46:00 +0000 Subject: Delete old Twitter user record when user changes screen name instead of updating. Simpler. --- plugins/TwitterBridge/twitter.php | 54 ++++++--------------------------------- 1 file changed, 8 insertions(+), 46 deletions(-) diff --git a/plugins/TwitterBridge/twitter.php b/plugins/TwitterBridge/twitter.php index 6944a1ace..5761074c2 100644 --- a/plugins/TwitterBridge/twitter.php +++ b/plugins/TwitterBridge/twitter.php @@ -26,38 +26,6 @@ define('TWITTER_SERVICE', 1); // Twitter is foreign_service ID 1 require_once INSTALLDIR . '/plugins/TwitterBridge/twitterbasicauthclient.php'; require_once INSTALLDIR . '/plugins/TwitterBridge/twitteroauthclient.php'; -function updateTwitter_user($twitter_id, $screen_name) -{ - $uri = 'http://twitter.com/' . $screen_name; - $fuser = new Foreign_user(); - - $fuser->query('BEGIN'); - - // Dropping down to SQL because regular DB_DataObject udpate stuff doesn't seem - // to work so good with tables that have multiple column primary keys - - // Any time we update the uri for a forein user we have to make sure there - // are no dupe entries first -- unique constraint on the uri column - - $qry = 'UPDATE foreign_user set uri = \'\' WHERE uri = '; - $qry .= '\'' . $uri . '\'' . ' AND service = ' . TWITTER_SERVICE; - - $fuser->query($qry); - - // Update the user - - $qry = 'UPDATE foreign_user SET nickname = '; - $qry .= '\'' . $screen_name . '\'' . ', uri = \'' . $uri . '\' '; - $qry .= 'WHERE id = ' . $twitter_id . ' AND service = ' . TWITTER_SERVICE; - - $fuser->query('COMMIT'); - - $fuser->free(); - unset($fuser); - - return true; -} - function add_twitter_user($twitter_id, $screen_name) { @@ -105,7 +73,6 @@ function add_twitter_user($twitter_id, $screen_name) // Creates or Updates a Twitter user function save_twitter_user($twitter_id, $screen_name) { - // Check to see whether the Twitter user is already in the system, // and update its screen name and uri if so. @@ -115,25 +82,20 @@ function save_twitter_user($twitter_id, $screen_name) $result = true; - // Only update if Twitter screen name has changed + // Delete old record if Twitter user changed screen name if ($fuser->nickname != $screen_name) { - $result = updateTwitter_user($twitter_id, $screen_name); - - common_debug('Twitter bridge - Updated nickname (and URI) for Twitter user ' . - "$fuser->id to $screen_name, was $fuser->nickname"); + $oldname = $fuser->nickname; + $fuser->delete(); + common_log(LOG_INFO, sprintf('Twitter bridge - Updated nickname (and URI) ' . + 'for Twitter user %1$d - %2$s, was %3$s.', + $fuser->id, + $screen_name, + $oldname)); } - return $result; - - } else { return add_twitter_user($twitter_id, $screen_name); } - - $fuser->free(); - unset($fuser); - - return true; } function is_twitter_bound($notice, $flink) { -- cgit v1.2.3-54-g00ecf From 3833dc8c1f3f9ba5e3b12bf2715e4a4fb3adabf1 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Sun, 7 Feb 2010 21:53:34 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans --- locale/bg/LC_MESSAGES/statusnet.po | 66 ++- locale/ca/LC_MESSAGES/statusnet.po | 5 +- locale/de/LC_MESSAGES/statusnet.po | 43 +- locale/es/LC_MESSAGES/statusnet.po | 155 +++--- locale/fr/LC_MESSAGES/statusnet.po | 6 +- locale/ia/LC_MESSAGES/statusnet.po | 920 ++++++++++++++++++++-------------- locale/it/LC_MESSAGES/statusnet.po | 11 +- locale/nl/LC_MESSAGES/statusnet.po | 10 +- locale/pt_BR/LC_MESSAGES/statusnet.po | 7 +- locale/statusnet.po | 2 +- locale/sv/LC_MESSAGES/statusnet.po | 6 +- 11 files changed, 680 insertions(+), 551 deletions(-) diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index 3b60491ca..91528d18c 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -10,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:53:40+0000\n" +"PO-Revision-Date: 2010-02-07 20:31:37+0000\n" "Language-Team: Bulgarian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62096); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: out-statusnet\n" @@ -30,7 +30,6 @@ msgid "Site access settings" msgstr "Запазване наÑтройките на Ñайта" #: actions/accessadminpanel.php:158 -#, fuzzy msgid "Registration" msgstr "РегиÑтриране" @@ -107,9 +106,9 @@ msgid "No such user." msgstr "ÐÑма такъв потребител" #: actions/all.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s and friends, page %2$d" -msgstr "Блокирани за %s, Ñтраница %d" +msgstr "%1$s и приÑтели, Ñтраница %2$d" #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 @@ -425,9 +424,9 @@ msgstr "Ðеправилен пÑевдоним: \"%s\"" #: actions/apigroupcreate.php:273 actions/editgroup.php:228 #: actions/newgroup.php:172 -#, fuzzy, php-format +#, php-format msgid "Alias \"%s\" already in use. Try another one." -msgstr "Опитайте друг пÑевдоним, този вече е зает." +msgstr "ПÑевдонимът \"%s\" вече е зает. Опитайте друг." #: actions/apigroupcreate.php:286 actions/editgroup.php:234 #: actions/newgroup.php:178 @@ -902,9 +901,8 @@ msgid "Couldn't delete email confirmation." msgstr "Грешка при изтриване потвърждението по е-поща." #: actions/confirmaddress.php:144 -#, fuzzy msgid "Confirm address" -msgstr "Потвърждаване на адреÑа" +msgstr "Потвърждаване на адреÑ" #: actions/confirmaddress.php:159 #, php-format @@ -2057,9 +2055,9 @@ msgid "You are not a member of that group." msgstr "Ðе членувате в тази група." #: actions/leavegroup.php:127 -#, fuzzy, php-format +#, php-format msgid "%1$s left group %2$s" -msgstr "%s напуÑна групата %s" +msgstr "%1$s напуÑна групата %2$s" #: actions/login.php:80 actions/otp.php:62 actions/register.php:137 msgid "Already logged in." @@ -2343,7 +2341,6 @@ msgid "Notice Search" msgstr "ТърÑене на бележки" #: actions/othersettings.php:60 -#, fuzzy msgid "Other settings" msgstr "Други наÑтройки" @@ -2619,7 +2616,6 @@ msgid "When to use SSL" msgstr "Кога да Ñе използва SSL" #: actions/pathsadminpanel.php:335 -#, fuzzy msgid "SSL server" msgstr "SSL-Ñървър" @@ -3095,7 +3091,7 @@ msgid "" msgstr " оÑвен тези лични данни: парола, е-поща, меÑинджър, телефон." #: actions/register.php:538 -#, fuzzy, php-format +#, php-format msgid "" "Congratulations, %1$s! And welcome to %%%%site.name%%%%. From here, you may " "want to...\n" @@ -3112,9 +3108,9 @@ msgid "" "\n" "Thanks for signing up and we hope you enjoy using this service." msgstr "" -"ПоздравлениÑ, %s! И добре дошли в %%%%site.name%%%%! от тук можете да...\n" +"ПоздравлениÑ, %1$s! И добре дошли в %%%%site.name%%%%! от тук можете да...\n" "\n" -"* Отидете в [профила Ñи](%s) и да публикувате първата Ñи бележка.\n" +"* Отидете в [профила Ñи](%2$s) и да публикувате първата Ñи бележка.\n" "* Добавите [Ð°Ð´Ñ€ÐµÑ Ð² Jabber/GTalk](%%%%action.imsettings%%%%), за да " "изпращате бележки от програмата Ñи за моментни ÑъобщениÑ.\n" "* [ТърÑите хора](%%%%action.peoplesearch%%%%), които познавате или Ñ ÐºÐ¾Ð¸Ñ‚Ð¾ " @@ -3328,18 +3324,16 @@ msgstr "Бележката нÑма профил" #: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" -msgstr "" +msgstr "Икона" #: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 -#, fuzzy msgid "Name" -msgstr "ПÑевдоним" +msgstr "Име" #: actions/showapplication.php:178 lib/applicationeditform.php:222 -#, fuzzy msgid "Organization" -msgstr "Страниране" +msgstr "ОрганизациÑ" #: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 @@ -3401,9 +3395,9 @@ msgid "Are you sure you want to reset your consumer key and secret?" msgstr "ÐаиÑтина ли иÑкате да изтриете тази бележка?" #: actions/showfavorites.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s's favorite notices, page %2$d" -msgstr "Любими бележки на %s" +msgstr "Любими бележки на %1$s, Ñтраница %2$d" #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." @@ -3466,7 +3460,7 @@ msgstr "Профил на групата" #: actions/showgroup.php:263 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" -msgstr "" +msgstr "URL" #: actions/showgroup.php:274 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 @@ -3475,7 +3469,7 @@ msgstr "Бележка" #: actions/showgroup.php:284 lib/groupeditform.php:184 msgid "Aliases" -msgstr "" +msgstr "ПÑевдоними" #: actions/showgroup.php:293 msgid "Group actions" @@ -3661,9 +3655,9 @@ msgid "You must have a valid contact email address." msgstr "ÐдреÑÑŠÑ‚ на е-поща за контакт е задължителен" #: actions/siteadminpanel.php:158 -#, fuzzy, php-format +#, php-format msgid "Unknown language \"%s\"." -msgstr "Ðепознат език \"%s\"" +msgstr "Ðепознат език \"%s\"." #: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." @@ -4300,9 +4294,9 @@ msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" #: actions/version.php:73 -#, fuzzy, php-format +#, php-format msgid "StatusNet %s" -msgstr "СтатиÑтики" +msgstr "StatusNet %s" #: actions/version.php:153 #, php-format @@ -4340,17 +4334,15 @@ msgstr "" #: actions/version.php:189 msgid "Plugins" -msgstr "" +msgstr "ПриÑтавки" #: actions/version.php:196 lib/action.php:747 -#, fuzzy msgid "Version" -msgstr "СеÑии" +msgstr "ВерÑиÑ" #: actions/version.php:197 -#, fuzzy msgid "Author(s)" -msgstr "Ðвтор" +msgstr "Ðвтор(и)" #: classes/File.php:144 #, php-format @@ -5418,11 +5410,9 @@ msgstr "" "Може да Ñмените адреÑа и наÑтройките за уведомÑване по е-поща на %8$s\n" #: lib/mail.php:258 -#, fuzzy, php-format +#, php-format msgid "Bio: %s" -msgstr "" -"БиографиÑ: %s\n" -"\n" +msgstr "БиографиÑ: %s" #: lib/mail.php:286 #, php-format diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index bc6154421..9eb0feb63 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -10,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:53:45+0000\n" +"PO-Revision-Date: 2010-02-07 20:31:40+0000\n" "Language-Team: Catalan\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62096); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: out-statusnet\n" @@ -5117,6 +5117,7 @@ msgid "You are not a member of any groups." msgstr "No sou membre de cap grup." #: lib/command.php:714 +#, fuzzy msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "No sou un membre del grup." diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index 9827cb8bd..b8917d9d2 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -3,6 +3,7 @@ # Author@translatewiki.net: Bavatar # Author@translatewiki.net: Lutzgh # Author@translatewiki.net: March +# Author@translatewiki.net: McDutchie # Author@translatewiki.net: Pill # Author@translatewiki.net: Umherirrender # -- @@ -13,11 +14,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:53:50+0000\n" +"PO-Revision-Date: 2010-02-07 20:31:45+0000\n" "Language-Team: German\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62096); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: out-statusnet\n" @@ -2360,7 +2361,6 @@ msgid "Notice Search" msgstr "Nachrichtensuche" #: actions/othersettings.php:60 -#, fuzzy msgid "Other settings" msgstr "Andere Einstellungen" @@ -2393,9 +2393,8 @@ msgid "URL shortening service is too long (max 50 chars)." msgstr "URL-Auto-Kürzungs-Dienst ist zu lang (max. 50 Zeichen)." #: actions/otp.php:69 -#, fuzzy msgid "No user ID specified." -msgstr "Keine Gruppe angegeben" +msgstr "Keine Benutzer ID angegeben" #: actions/otp.php:83 #, fuzzy @@ -2418,9 +2417,9 @@ msgid "Login token expired." msgstr "An Seite anmelden" #: actions/outbox.php:58 -#, fuzzy, php-format +#, php-format msgid "Outbox for %1$s - page %2$d" -msgstr "Postausgang von %s" +msgstr "Postausgang für %1$s - Seite %2$d" #: actions/outbox.php:61 #, php-format @@ -2531,9 +2530,8 @@ msgid "Site" msgstr "Seite" #: actions/pathsadminpanel.php:238 -#, fuzzy msgid "Server" -msgstr "Wiederherstellung" +msgstr "Server" #: actions/pathsadminpanel.php:238 msgid "Site's server hostname." @@ -2616,9 +2614,8 @@ msgid "SSL" msgstr "SSL" #: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 -#, fuzzy msgid "Never" -msgstr "Wiederherstellung" +msgstr "Nie" #: actions/pathsadminpanel.php:324 msgid "Sometimes" @@ -2637,7 +2634,6 @@ msgid "When to use SSL" msgstr "Wann soll SSL verwendet werden" #: actions/pathsadminpanel.php:335 -#, fuzzy msgid "SSL server" msgstr "SSL-Server" @@ -2962,7 +2958,7 @@ msgstr "" #: actions/recoverpassword.php:191 msgid "Nickname or email address" -msgstr "" +msgstr "Spitzname oder e-mail Adresse" #: actions/recoverpassword.php:193 msgid "Your nickname on this server, or your registered email address." @@ -3226,20 +3222,16 @@ msgid "Couldn’t get a request token." msgstr "Konnte keinen Anfrage-Token bekommen." #: actions/repeat.php:57 -#, fuzzy msgid "Only logged-in users can repeat notices." -msgstr "Nur der Benutzer selbst kann seinen Posteingang lesen." +msgstr "Nur angemeldete Nutzer können Nachrichten wiederholen." #: actions/repeat.php:64 actions/repeat.php:71 -#, fuzzy msgid "No notice specified." -msgstr "Kein Profil angegeben." +msgstr "Keine Nachricht angegeen." #: actions/repeat.php:76 -#, fuzzy msgid "You can't repeat your own notice." -msgstr "" -"Du kannst dich nicht registrieren, wenn du die Lizenz nicht akzeptierst." +msgstr "Du kannst deine eigene Nachricht nicht wiederholen." #: actions/repeat.php:90 #, fuzzy @@ -3263,9 +3255,9 @@ msgid "Replies to %s" msgstr "Antworten an %s" #: actions/replies.php:127 -#, fuzzy, php-format +#, php-format msgid "Replies to %1$s, page %2$d" -msgstr "Antworten an %1$s auf %2$s!" +msgstr "Antworten an %1$s, Seite %2$d" #: actions/replies.php:144 #, php-format @@ -3314,9 +3306,8 @@ msgid "Replies to %1$s on %2$s!" msgstr "Antworten an %1$s auf %2$s!" #: actions/rsd.php:146 actions/version.php:157 -#, fuzzy msgid "StatusNet" -msgstr "Status gelöscht." +msgstr "StatusNet" #: actions/sandbox.php:65 actions/unsandbox.php:65 #, fuzzy @@ -5137,8 +5128,8 @@ msgstr "Du bist in keiner Gruppe Mitglied." #: lib/command.php:714 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" -msgstr[0] "Du bist kein Mitglied dieser Gruppe." -msgstr[1] "Du bist kein Mitglied dieser Gruppe." +msgstr[0] "Du bist Mitglied dieser Gruppe:" +msgstr[1] "Du bist Mitglied dieser Gruppen:" #: lib/command.php:728 msgid "" diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index f49587641..e1d780e98 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -13,11 +13,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:53:59+0000\n" +"PO-Revision-Date: 2010-02-07 20:31:54+0000\n" "Language-Team: Spanish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62096); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: out-statusnet\n" @@ -138,6 +138,8 @@ msgstr "Feed de los amigos de %s (Atom)" msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "" +"Esta es la línea temporal de %s y amistades, pero nadie ha publicado nada " +"todavía." #: actions/all.php:132 #, php-format @@ -145,6 +147,8 @@ msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " "something yourself." msgstr "" +"Esta es la línea temporal de %s y amistades, pero nadie ha publicado nada " +"todavía." #: actions/all.php:134 #, php-format @@ -152,6 +156,8 @@ msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" +"Trata de suscribirte a más personas, [unirte a un grupo] (%%action.groups%%) " +"o publicar algo." #: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 #, php-format @@ -159,6 +165,8 @@ msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " "post a notice to his or her attention." msgstr "" +"Puede intentar [guiñar a %1$s](../%2$s) desde su perfil o [publicar algo a " +"su atención ](%%%%action.newnotice%%%%?status_textarea=%3$s)." #: actions/all.php:165 msgid "You and friends" @@ -192,9 +200,8 @@ msgstr "¡Actualizaciones de %1$s y amigos en %2$s!" #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 #: actions/apitimelineuser.php:165 actions/apiusershow.php:101 -#, fuzzy msgid "API method not found." -msgstr "¡No se encontró el método de la API!" +msgstr "Método de API no encontrado." #: actions/apiaccountupdatedeliverydevice.php:85 #: actions/apiaccountupdateprofile.php:89 @@ -215,9 +222,10 @@ msgid "" "You must specify a parameter named 'device' with a value of one of: sms, im, " "none" msgstr "" +"Tienes que especificar un parámetro llamdao 'dispositivo' con un valor a " +"elegir entre: sms, im, ninguno" #: actions/apiaccountupdatedeliverydevice.php:132 -#, fuzzy msgid "Could not update user." msgstr "No se pudo actualizar el usuario." @@ -231,7 +239,6 @@ msgid "User has no profile." msgstr "El usuario no tiene un perfil." #: actions/apiaccountupdateprofile.php:147 -#, fuzzy msgid "Could not save profile." msgstr "No se pudo guardar el perfil." @@ -256,15 +263,13 @@ msgstr "" #: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 -#, fuzzy msgid "Unable to save your design settings." -msgstr "¡No se pudo guardar tu configuración de Twitter!" +msgstr "No se pudo grabar tu configuración de diseño." #: actions/apiaccountupdateprofilebackgroundimage.php:187 #: actions/apiaccountupdateprofilecolors.php:142 -#, fuzzy msgid "Could not update your design." -msgstr "No se pudo actualizar el usuario." +msgstr "No se pudo actualizar tu diseño." #: actions/apiblockcreate.php:105 msgid "You cannot block yourself!" @@ -418,20 +423,20 @@ msgstr "¡Muchos seudónimos! El máximo es %d." #: actions/apigroupcreate.php:264 actions/editgroup.php:224 #: actions/newgroup.php:168 -#, fuzzy, php-format +#, php-format msgid "Invalid alias: \"%s\"" -msgstr "Tag no válido: '%s' " +msgstr "Alias inválido: \"%s\"" #: actions/apigroupcreate.php:273 actions/editgroup.php:228 #: actions/newgroup.php:172 -#, fuzzy, php-format +#, php-format msgid "Alias \"%s\" already in use. Try another one." -msgstr "El apodo ya existe. Prueba otro." +msgstr "El alias \"%s\" ya está en uso. Intenta usar otro." #: actions/apigroupcreate.php:286 actions/editgroup.php:234 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." -msgstr "" +msgstr "El alias no puede ser el mismo que el apodo." #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 @@ -448,18 +453,18 @@ msgid "You have been blocked from that group by the admin." msgstr "Has sido bloqueado de ese grupo por el administrador." #: actions/apigroupjoin.php:138 actions/joingroup.php:124 -#, fuzzy, php-format +#, php-format msgid "Could not join user %1$s to group %2$s." -msgstr "No se puede unir usuario %s a grupo %s" +msgstr "No se pudo unir el usuario %s al grupo %s" #: actions/apigroupleave.php:114 msgid "You are not a member of this group." msgstr "No eres miembro de este grupo." #: actions/apigroupleave.php:124 actions/leavegroup.php:119 -#, fuzzy, php-format +#, php-format msgid "Could not remove user %1$s from group %2$s." -msgstr "No se pudo eliminar a usuario %s de grupo %s" +msgstr "No se pudo eliminar al usuario %1$s del grupo %2$s." #: actions/apigrouplist.php:95 #, php-format @@ -478,12 +483,11 @@ msgstr "Grupos en %s" #: actions/apioauthauthorize.php:101 msgid "No oauth_token parameter provided." -msgstr "" +msgstr "No se ha provisto de un parámetro oauth_token." #: actions/apioauthauthorize.php:106 -#, fuzzy msgid "Invalid token." -msgstr "Tamaño inválido." +msgstr "Token inválido." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -505,19 +509,18 @@ msgstr "" "Hubo un problema con tu clave de sesión. Por favor, intenta nuevamente." #: actions/apioauthauthorize.php:135 -#, fuzzy msgid "Invalid nickname / password!" -msgstr "Usuario o contraseña inválidos." +msgstr "¡Apodo o contraseña inválidos!" #: actions/apioauthauthorize.php:159 -#, fuzzy msgid "Database error deleting OAuth application user." -msgstr "Error al configurar el usuario." +msgstr "" +"Error de la base de datos durante la eliminación del usuario de la " +"aplicación OAuth." #: actions/apioauthauthorize.php:185 -#, fuzzy msgid "Database error inserting OAuth application user." -msgstr "Error de la BD al insertar la etiqueta clave: %s" +msgstr "Error de base de datos al insertar usuario de la aplicación OAuth." #: actions/apioauthauthorize.php:214 #, php-format @@ -525,11 +528,13 @@ msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" +"El token de solicitud %s ha sido autorizado. Por favor, cámbialo por un " +"token de acceso." #: actions/apioauthauthorize.php:227 #, php-format msgid "The request token %s has been denied and revoked." -msgstr "" +msgstr "El token de solicitud %2 ha sido denegado y revocado." #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -542,7 +547,7 @@ msgstr "Envío de formulario inesperado." #: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" -msgstr "" +msgstr "Una aplicación quisiera conectarse a tu cuenta" #: actions/apioauthauthorize.php:276 msgid "Allow or deny access" @@ -555,6 +560,9 @@ msgid "" "the ability to %3$s your %4$s account data. You should only " "give access to your %4$s account to third parties you trust." msgstr "" +"La aplicación %1$s por %2$s solicita " +"permiso para %3$s la información de tu cuenta %4$s. Sólo " +"debes dar acceso a tu cuenta %4$s a terceras partes en las que confíes." #: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" @@ -616,9 +624,9 @@ msgstr "No hay estado para ese ID" #: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 -#, fuzzy, php-format +#, php-format msgid "That's too long. Max notice size is %d chars." -msgstr "Demasiado largo. La longitud máxima es de 140 caracteres. " +msgstr "La entrada es muy larga. El tamaño máximo es de %d caracteres." #: actions/apistatusesupdate.php:202 msgid "Not found" @@ -628,20 +636,22 @@ msgstr "No encontrado" #, php-format msgid "Max notice size is %d chars, including attachment URL." msgstr "" +"El tamaño máximo de la notificación es %d caracteres, incluyendo el URL " +"adjunto." #: actions/apisubscriptions.php:231 actions/apisubscriptions.php:261 msgid "Unsupported format." msgstr "Formato no soportado." #: actions/apitimelinefavorites.php:108 -#, fuzzy, php-format +#, php-format msgid "%1$s / Favorites from %2$s" -msgstr "%s / Favoritos desde %s" +msgstr "%1$s / Favoritos de %2$s" #: actions/apitimelinefavorites.php:120 -#, fuzzy, php-format +#, php-format msgid "%1$s updates favorited by %2$s / %2$s." -msgstr "%s actualizaciones favoritas por %s / %s." +msgstr "%1$s actualizaciones favoritas de %2$s / %2$s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 #: actions/grouprss.php:131 actions/userrss.php:90 @@ -656,9 +666,9 @@ msgid "Updates from %1$s on %2$s!" msgstr "¡Actualizaciones de %1$s en %2$s!" #: actions/apitimelinementions.php:117 -#, fuzzy, php-format +#, php-format msgid "%1$s / Updates mentioning %2$s" -msgstr "%1$s / Actualizaciones en respuesta a %2$s" +msgstr "%1$s / Actualizaciones que mencionan %2$s" #: actions/apitimelinementions.php:127 #, php-format @@ -676,14 +686,14 @@ msgid "%s updates from everyone!" msgstr "¡Actualizaciones de todos en %s!" #: actions/apitimelineretweetedtome.php:111 -#, fuzzy, php-format +#, php-format msgid "Repeated to %s" -msgstr "Respuestas a %s" +msgstr "Repetido a %s" #: actions/apitimelineretweetsofme.php:112 -#, fuzzy, php-format +#, php-format msgid "Repeats of %s" -msgstr "Respuestas a %s" +msgstr "Repeticiones de %s" #: actions/apitimelinetag.php:102 actions/tag.php:66 #, php-format @@ -691,19 +701,17 @@ msgid "Notices tagged with %s" msgstr "Avisos marcados con %s" #: actions/apitimelinetag.php:108 actions/tagrss.php:64 -#, fuzzy, php-format +#, php-format msgid "Updates tagged with %1$s on %2$s!" -msgstr "¡Actualizaciones de %1$s en %2$s!" +msgstr "Actualizaciones etiquetadas con %1$s en %2$s!" #: actions/apiusershow.php:96 -#, fuzzy msgid "Not found." -msgstr "No se encontró." +msgstr "No encontrado." #: actions/attachment.php:73 -#, fuzzy msgid "No such attachment." -msgstr "No existe ese documento." +msgstr "No existe tal archivo adjunto." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 @@ -727,9 +735,9 @@ msgid "Avatar" msgstr "Avatar" #: actions/avatarsettings.php:78 -#, fuzzy, php-format +#, php-format msgid "You can upload your personal avatar. The maximum file size is %s." -msgstr "Puedes cargar tu avatar personal." +msgstr "Puedes subir tu imagen personal. El tamaño máximo de archivo es %s." #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 @@ -787,9 +795,8 @@ msgid "Avatar deleted." msgstr "Avatar actualizado" #: actions/block.php:69 -#, fuzzy msgid "You already blocked that user." -msgstr "Ya has bloqueado este usuario." +msgstr "Ya has bloqueado a este usuario." #: actions/block.php:105 actions/block.php:128 actions/groupblock.php:160 msgid "Block user" @@ -838,9 +845,9 @@ msgid "No such group." msgstr "No existe ese grupo." #: actions/blockedfromgroup.php:90 -#, fuzzy, php-format +#, php-format msgid "%s blocked profiles" -msgstr "Perfil de usuario" +msgstr "%s perfiles bloqueados" #: actions/blockedfromgroup.php:93 #, fuzzy, php-format @@ -903,7 +910,6 @@ msgid "Couldn't delete email confirmation." msgstr "No se pudo eliminar la confirmación de correo electrónico." #: actions/confirmaddress.php:144 -#, fuzzy msgid "Confirm address" msgstr "Confirmar la dirección" @@ -927,15 +933,13 @@ msgid "You must be logged in to delete an application." msgstr "Debes estar conectado para editar un grupo." #: actions/deleteapplication.php:71 -#, fuzzy msgid "Application not found." -msgstr "Aviso sin perfil" +msgstr "Aplicación no encontrada." #: actions/deleteapplication.php:78 actions/editapplication.php:77 #: actions/showapplication.php:94 -#, fuzzy msgid "You are not the owner of this application." -msgstr "No eres miembro de este grupo." +msgstr "No eres el propietario de esta aplicación." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 @@ -944,9 +948,8 @@ msgid "There was a problem with your session token." msgstr "Hubo problemas con tu clave de sesión." #: actions/deleteapplication.php:123 actions/deleteapplication.php:147 -#, fuzzy msgid "Delete application" -msgstr "No existe ese aviso." +msgstr "Eliminar la aplicación" #: actions/deleteapplication.php:149 msgid "" @@ -961,9 +964,8 @@ msgid "Do not delete this application" msgstr "No se puede eliminar este aviso." #: actions/deleteapplication.php:160 -#, fuzzy msgid "Delete this application" -msgstr "Borrar este aviso" +msgstr "Borrar esta aplicación" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 @@ -1052,9 +1054,8 @@ msgid "Change logo" msgstr "Cambiar logo" #: actions/designadminpanel.php:380 -#, fuzzy msgid "Site logo" -msgstr "Invitar" +msgstr "Logo del sitio" #: actions/designadminpanel.php:387 #, fuzzy @@ -1067,9 +1068,8 @@ msgid "Site theme" msgstr "Aviso de sitio" #: actions/designadminpanel.php:405 -#, fuzzy msgid "Theme for the site." -msgstr "Salir de sitio" +msgstr "Tema para el sitio." #: actions/designadminpanel.php:417 lib/designsettings.php:101 msgid "Change background image" @@ -3208,9 +3208,8 @@ msgid "Remote subscribe" msgstr "Subscripción remota" #: actions/remotesubscribe.php:124 -#, fuzzy msgid "Subscribe to a remote user" -msgstr "Suscribirse a este usuario" +msgstr "Suscribirse a un usuario remoto" #: actions/remotesubscribe.php:129 msgid "User nickname" @@ -3238,14 +3237,14 @@ msgid "Invalid profile URL (bad format)" msgstr "El URL del perfil es inválido (formato incorrecto)" #: actions/remotesubscribe.php:168 -#, fuzzy msgid "Not a valid profile URL (no YADIS document or invalid XRDS defined)." -msgstr "URL de perfil no válido (ningún documento YADIS)." +msgstr "" +"No es un perfil válido URL (no se ha definido un documento YADIS o un XRDS " +"inválido)." #: actions/remotesubscribe.php:176 -#, fuzzy msgid "That’s a local profile! Login to subscribe." -msgstr "¡Es un perfil local! Ingresa para suscribirte" +msgstr "¡Este es un perfil local! Ingresa para suscribirte" #: actions/remotesubscribe.php:183 #, fuzzy @@ -3273,14 +3272,12 @@ msgid "You already repeated that notice." msgstr "Ya has bloqueado este usuario." #: actions/repeat.php:114 lib/noticelist.php:642 -#, fuzzy msgid "Repeated" -msgstr "Crear" +msgstr "Repetido" #: actions/repeat.php:119 -#, fuzzy msgid "Repeated!" -msgstr "Crear" +msgstr "¡Repetido!" #: actions/replies.php:125 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 @@ -5162,8 +5159,8 @@ msgstr "No eres miembro de ningún grupo" #: lib/command.php:714 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" -msgstr[0] "No eres miembro de este grupo." -msgstr[1] "No eres miembro de este grupo." +msgstr[0] "Eres miembro de este grupo:" +msgstr[1] "Eres miembro de estos grupos:" #: lib/command.php:728 msgid "" diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index 352d6bd70..bd6d1cbe6 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -15,11 +15,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:54:09+0000\n" +"PO-Revision-Date: 2010-02-07 20:32:04+0000\n" "Language-Team: French\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62096); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: out-statusnet\n" @@ -4590,7 +4590,7 @@ msgstr "Autres " #: lib/accountsettingsaction.php:128 msgid "Other options" -msgstr "Autres options " +msgstr "Autres options" #: lib/action.php:144 #, php-format diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index 39b2a11a5..e1c7d0a0c 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -9,11 +9,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:54:22+0000\n" +"PO-Revision-Date: 2010-02-07 20:32:16+0000\n" "Language-Team: Interlingua\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62096); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: out-statusnet\n" @@ -37,7 +37,7 @@ msgstr "Private" #: actions/accessadminpanel.php:163 msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "Prohiber al usatores anonyme (sin session aperte) de vider le sito?" +msgstr "Prohibir al usatores anonyme (sin session aperte) de vider le sito?" #: actions/accessadminpanel.php:167 msgid "Invite only" @@ -707,7 +707,7 @@ msgstr "Non trovate." #: actions/attachment.php:73 msgid "No such attachment." -msgstr "Attachamento non existe." +msgstr "Annexo non existe." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 @@ -733,7 +733,8 @@ msgstr "Avatar" #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." -msgstr "Tu pote cargar tu avatar personal. Le dimension maxime del file es %s." +msgstr "" +"Tu pote incargar tu avatar personal. Le dimension maximal del file es %s." #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 @@ -763,7 +764,7 @@ msgstr "Deler" #: actions/avatarsettings.php:166 actions/grouplogo.php:233 msgid "Upload" -msgstr "Cargar" +msgstr "Incargar" #: actions/avatarsettings.php:231 actions/grouplogo.php:286 msgid "Crop" @@ -1079,8 +1080,8 @@ msgid "" "You can upload a background image for the site. The maximum file size is %1" "$s." msgstr "" -"Tu pote cargar un imagine de fundo pro le sito. Le dimension maxime del file " -"es %1$s." +"Tu pote incargar un imagine de fundo pro le sito. Le dimension maximal del " +"file es %1$s." #: actions/designadminpanel.php:457 lib/designsettings.php:139 msgid "On" @@ -1334,7 +1335,7 @@ msgstr "Inviar me e-mail quando alcuno me invia un message private." #: actions/emailsettings.php:174 msgid "Send me email when someone sends me an \"@-reply\"." -msgstr "Inviar me e-mail quando alcuno me invia un \"@-responsa\"." +msgstr "Inviar me e-mail quando alcuno me invia un \"responsa @\"." #: actions/emailsettings.php:179 msgid "Allow friends to nudge me and send me an email." @@ -1508,11 +1509,11 @@ msgstr "Nulle nota." #: actions/file.php:42 msgid "No attachments." -msgstr "Nulle attachamento." +msgstr "Nulle annexo." #: actions/file.php:51 msgid "No uploaded attachments." -msgstr "Nulle attachamento cargate." +msgstr "Nulle annexo incargate." #: actions/finishremotesubscribe.php:69 msgid "Not expecting this response!" @@ -1648,8 +1649,8 @@ msgstr "Logotypo del gruppo" msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "" -"Tu pote cargar un imagine pro le logotypo de tu gruppo. Le dimension maxime " -"del file es %s." +"Tu pote incargar un imagine pro le logotypo de tu gruppo. Le dimension " +"maximal del file es %s." #: actions/grouplogo.php:178 msgid "User without matching profile." @@ -1923,7 +1924,7 @@ msgstr "Tu es a subscribite a iste usatores:" #: actions/invite.php:131 actions/invite.php:139 lib/command.php:306 #, php-format msgid "%1$s (%2$s)" -msgstr "" +msgstr "%1$s (%2$s)" #: actions/invite.php:136 msgid "" @@ -2105,7 +2106,7 @@ msgid "" "(%%action.register%%) a new account." msgstr "" "Aperi un session con tu nomine de usator e contrasigno. Non ha ancora un " -"nomine de usator? [Registra](%%action.register%%) un nove conto." +"nomine de usator? [Crea](%%action.register%%) un nove conto." #: actions/makeadmin.php:91 msgid "Only an admin can make another user an admin." @@ -2497,7 +2498,7 @@ msgstr "Directorio de localitates non scriptibile: %s" #: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." -msgstr "Servitor SSL invalide. Le longitude maxime es 255 characteres." +msgstr "Servitor SSL invalide. Le longitude maximal es 255 characteres." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 @@ -2876,7 +2877,7 @@ msgstr "Istes es le etiquettas recente le plus popular in %s " #, php-format msgid "No one has posted a notice with a [hashtag](%%doc.tags%%) yet." msgstr "" -"Nulle persona ha ancora publicate un nota con un [hashtag](%%doc.tags%%) yet." +"Nulle persona ha ancora publicate un nota con un [hashtag](%%doc.tags%%)." #: actions/publictagcloud.php:72 msgid "Be the first to post one!" @@ -3034,7 +3035,7 @@ msgstr "Registration succedite" #: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" -msgstr "Crear un conto" +msgstr "Crear conto" #: actions/register.php:135 msgid "Registration not allowed." @@ -3042,8 +3043,7 @@ msgstr "Registration non permittite." #: actions/register.php:198 msgid "You can't register if you don't agree to the license." -msgstr "" -"Tu non pote registrar te si tu non te declara de accordo con le licentia." +msgstr "Tu non pote crear un conto si tu non accepta le licentia." #: actions/register.php:212 msgid "Email address already exists." @@ -3063,15 +3063,15 @@ msgstr "" #: actions/register.php:425 msgid "1-64 lowercase letters or numbers, no punctuation or spaces. Required." -msgstr "1-64 minusculas o numeros, sin punctuation o spatios. Requisite." +msgstr "1-64 minusculas o numeros, sin punctuation o spatios. Requirite." #: actions/register.php:430 msgid "6 or more characters. Required." -msgstr "6 o plus characteres. Requisite." +msgstr "6 o plus characteres. Requirite." #: actions/register.php:434 msgid "Same as password above. Required." -msgstr "Identic al contrasigno hic supra. Requisite." +msgstr "Identic al contrasigno hic supra. Requirite." #: actions/register.php:438 actions/register.php:442 #: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 @@ -3090,7 +3090,7 @@ msgstr "Nomine plus longe, preferibilemente tu nomine \"real\"" #: actions/register.php:494 msgid "My text and files are available under " -msgstr "Mi texto e files es disponibile sub " +msgstr "Mi texto e files es disponibile sub le licentia " #: actions/register.php:496 msgid "Creative Commons Attribution 3.0" @@ -3715,7 +3715,7 @@ msgstr "Le frequentia de instantaneos debe esser un numero." #: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." -msgstr "Le limite minime del texto es 140 characteres." +msgstr "Le limite minimal del texto es 140 characteres." #: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." @@ -3815,7 +3815,7 @@ msgstr "Limite de texto" #: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." -msgstr "Numero maxime de characteres pro notas." +msgstr "Numero maximal de characteres pro notas." #: actions/siteadminpanel.php:322 msgid "Dupe limit" @@ -4348,10 +4348,12 @@ msgid "" "This site is powered by %1$s version %2$s, Copyright 2008-2010 StatusNet, " "Inc. and contributors." msgstr "" +"Iste sito es realisate per %1$s version %2$s, copyright 2008-2010 StatusNet, " +"Inc. e contributores." #: actions/version.php:161 msgid "Contributors" -msgstr "" +msgstr "Contributores" #: actions/version.php:168 msgid "" @@ -4360,6 +4362,10 @@ msgid "" "Software Foundation, either version 3 of the License, or (at your option) " "any later version. " msgstr "" +"StatusNet es software libere: vos pote redistribuer lo e/o modificar lo sub " +"le conditiones del GNU Affero General Public License como publicate per le " +"Free Software Foundation, o version 3 de iste licentia, o (a vostre " +"election) omne version plus recente. " #: actions/version.php:174 msgid "" @@ -4368,6 +4374,10 @@ msgid "" "FITNESS FOR A PARTICULAR PURPOSE. See the GNU Affero General Public License " "for more details. " msgstr "" +"Iste programma es distribuite in le sperantia que illo essera utile, ma SIN " +"ALCUN GARANTIA; sin mesmo le garantia implicite de COMMERCIABILITATE o de " +"USABILITATE PRO UN PARTICULAR SCOPO. Vide le GNU Affero General Public " +"License pro ulterior detalios. " #: actions/version.php:180 #, php-format @@ -4375,19 +4385,20 @@ msgid "" "You should have received a copy of the GNU Affero General Public License " "along with this program. If not, see %s." msgstr "" +"Un copia del GNU Affero General Public License deberea esser disponibile " +"insimul con iste programma. Si non, vide %s." #: actions/version.php:189 msgid "Plugins" -msgstr "" +msgstr "Plug-ins" #: actions/version.php:196 lib/action.php:747 -#, fuzzy msgid "Version" -msgstr "Conversation" +msgstr "Version" #: actions/version.php:197 msgid "Author(s)" -msgstr "" +msgstr "Autor(es)" #: classes/File.php:144 #, php-format @@ -4395,31 +4406,30 @@ msgid "" "No file may be larger than %d bytes and the file you sent was %d bytes. Try " "to upload a smaller version." msgstr "" +"Nulle file pote esser plus grande que %d bytes e le file que tu inviava ha %" +"d bytes. Tenta incargar un version minus grande." #: classes/File.php:154 #, php-format msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +msgstr "Un file de iste dimension excederea tu quota de usator de %d bytes." #: classes/File.php:161 #, php-format msgid "A file this large would exceed your monthly quota of %d bytes." -msgstr "" +msgstr "Un file de iste dimension excederea tu quota mensual de %d bytes." #: classes/Group_member.php:41 -#, fuzzy msgid "Group join failed." -msgstr "Profilo del gruppo" +msgstr "Le inscription al gruppo ha fallite." #: classes/Group_member.php:53 -#, fuzzy msgid "Not part of group." -msgstr "Non poteva actualisar gruppo." +msgstr "Non es membro del gruppo." #: classes/Group_member.php:60 -#, fuzzy msgid "Group leave failed." -msgstr "Profilo del gruppo" +msgstr "Le cancellation del membrato del gruppo ha fallite." #: classes/Login_token.php:76 #, php-format @@ -4428,228 +4438,232 @@ msgstr "Non poteva crear indicio de identification pro %s" #: classes/Message.php:45 msgid "You are banned from sending direct messages." -msgstr "" +msgstr "Il te es prohibite inviar messages directe." #: classes/Message.php:61 msgid "Could not insert message." -msgstr "" +msgstr "Non poteva inserer message." #: classes/Message.php:71 msgid "Could not update message with new URI." -msgstr "" +msgstr "Non poteva actualisar message con nove URI." #: classes/Notice.php:157 #, php-format msgid "DB error inserting hashtag: %s" -msgstr "" +msgstr "Error in base de datos durante insertion del marca (hashtag): %s" #: classes/Notice.php:214 msgid "Problem saving notice. Too long." -msgstr "" +msgstr "Problema salveguardar nota. Troppo longe." #: classes/Notice.php:218 msgid "Problem saving notice. Unknown user." -msgstr "" +msgstr "Problema salveguardar nota. Usator incognite." #: classes/Notice.php:223 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" +"Troppo de notas troppo rapidemente; face un pausa e publica de novo post " +"alcun minutas." #: classes/Notice.php:229 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" +"Troppo de messages duplicate troppo rapidemente; face un pausa e publica de " +"novo post alcun minutas." #: classes/Notice.php:235 msgid "You are banned from posting notices on this site." -msgstr "" +msgstr "Il te es prohibite publicar notas in iste sito." #: classes/Notice.php:294 classes/Notice.php:319 msgid "Problem saving notice." -msgstr "" +msgstr "Problema salveguardar nota." #: classes/Notice.php:788 msgid "Problem saving group inbox." -msgstr "" +msgstr "Problema salveguardar le cassa de entrata del gruppo." #: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" -msgstr "" +msgstr "Error del base de datos durante le insertion del responsa: %s" #: classes/Notice.php:1231 #, php-format msgid "RT @%1$s %2$s" -msgstr "" +msgstr "RT @%1$s %2$s" #: classes/User.php:385 #, php-format msgid "Welcome to %1$s, @%2$s!" -msgstr "" +msgstr "Benvenite a %1$s, @%2$s!" #: classes/User_group.php:380 msgid "Could not create group." -msgstr "" +msgstr "Non poteva crear gruppo." #: classes/User_group.php:409 msgid "Could not set group membership." -msgstr "" +msgstr "Non poteva configurar le membrato del gruppo." #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" -msgstr "" +msgstr "Cambiar le optiones de tu profilo" #: lib/accountsettingsaction.php:112 msgid "Upload an avatar" -msgstr "" +msgstr "Incargar un avatar" #: lib/accountsettingsaction.php:116 msgid "Change your password" -msgstr "" +msgstr "Cambiar tu contrasigno" #: lib/accountsettingsaction.php:120 msgid "Change email handling" -msgstr "" +msgstr "Modificar le tractamento de e-mail" #: lib/accountsettingsaction.php:124 msgid "Design your profile" -msgstr "" +msgstr "Designar tu profilo" #: lib/accountsettingsaction.php:128 msgid "Other" -msgstr "" +msgstr "Altere" #: lib/accountsettingsaction.php:128 msgid "Other options" -msgstr "" +msgstr "Altere optiones" #: lib/action.php:144 -#, fuzzy, php-format +#, php-format msgid "%1$s - %2$s" -msgstr "%s quitava le gruppo %s" +msgstr "%1$s - %2$s" #: lib/action.php:159 msgid "Untitled page" -msgstr "" +msgstr "Pagina sin titulo" #: lib/action.php:433 msgid "Primary site navigation" -msgstr "" +msgstr "Navigation primari del sito" #: lib/action.php:439 msgid "Home" -msgstr "" +msgstr "Initio" #: lib/action.php:439 msgid "Personal profile and friends timeline" -msgstr "" +msgstr "Profilo personal e chronologia de amicos" #: lib/action.php:441 msgid "Change your email, avatar, password, profile" -msgstr "" +msgstr "Cambiar tu e-mail, avatar, contrasigno, profilo" #: lib/action.php:444 msgid "Connect" -msgstr "" +msgstr "Connecter" #: lib/action.php:444 msgid "Connect to services" -msgstr "" +msgstr "Connecter con servicios" #: lib/action.php:448 msgid "Change site configuration" -msgstr "" +msgstr "Modificar le configuration del sito" #: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" -msgstr "" +msgstr "Invitar" #: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" -msgstr "" +msgstr "Invitar amicos e collegas a accompaniar te in %s" #: lib/action.php:458 msgid "Logout" -msgstr "" +msgstr "Clauder session" #: lib/action.php:458 msgid "Logout from the site" -msgstr "" +msgstr "Terminar le session del sito" #: lib/action.php:463 msgid "Create an account" -msgstr "" +msgstr "Crear un conto" #: lib/action.php:466 msgid "Login to the site" -msgstr "" +msgstr "Identificar te a iste sito" #: lib/action.php:469 lib/action.php:732 msgid "Help" -msgstr "" +msgstr "Adjuta" #: lib/action.php:469 msgid "Help me!" -msgstr "" +msgstr "Adjuta me!" #: lib/action.php:472 lib/searchaction.php:127 msgid "Search" -msgstr "" +msgstr "Cercar" #: lib/action.php:472 msgid "Search for people or text" -msgstr "" +msgstr "Cercar personas o texto" #: lib/action.php:493 msgid "Site notice" -msgstr "" +msgstr "Aviso del sito" #: lib/action.php:559 msgid "Local views" -msgstr "" +msgstr "Vistas local" #: lib/action.php:625 msgid "Page notice" -msgstr "" +msgstr "Aviso de pagina" #: lib/action.php:727 msgid "Secondary site navigation" -msgstr "" +msgstr "Navigation secundari del sito" #: lib/action.php:734 msgid "About" -msgstr "" +msgstr "A proposito" #: lib/action.php:736 msgid "FAQ" -msgstr "" +msgstr "FAQ" #: lib/action.php:740 msgid "TOS" -msgstr "" +msgstr "CdS" #: lib/action.php:743 msgid "Privacy" -msgstr "" +msgstr "Confidentialitate" #: lib/action.php:745 msgid "Source" -msgstr "" +msgstr "Fonte" #: lib/action.php:749 msgid "Contact" -msgstr "" +msgstr "Contacto" #: lib/action.php:751 msgid "Badge" -msgstr "" +msgstr "Insignia" #: lib/action.php:779 msgid "StatusNet software license" -msgstr "" +msgstr "Licentia del software StatusNet" #: lib/action.php:782 #, php-format @@ -4657,11 +4671,13 @@ msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." "broughtby%%](%%site.broughtbyurl%%). " msgstr "" +"**%%site.name%%** es un servicio de microblog offerite per [%%site.broughtby%" +"%](%%site.broughtbyurl%%). " #: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " -msgstr "" +msgstr "**%%site.name%%** es un servicio de microblog. " #: lib/action.php:786 #, php-format @@ -4670,227 +4686,230 @@ msgid "" "s, available under the [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." msgstr "" +"Le sito functiona con le software de microblog [StatusNet](http://status." +"net/), version %s, disponibile sub le [GNU Affero General Public License]" +"(http://www.fsf.org/licensing/licenses/agpl-3.0.html)." #: lib/action.php:801 msgid "Site content license" -msgstr "" +msgstr "Licentia del contento del sito" #: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." -msgstr "" +msgstr "Le contento e datos de %1$s es private e confidential." #: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." -msgstr "" +msgstr "Contento e datos sub copyright de %1$s. Tote le derectos reservate." #: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" +"Contento e datos sub copyright del contributores. Tote le derectos reservate." #: lib/action.php:826 msgid "All " -msgstr "" +msgstr "Totes " #: lib/action.php:831 msgid "license." -msgstr "" +msgstr "licentia." #: lib/action.php:1130 msgid "Pagination" -msgstr "" +msgstr "Pagination" #: lib/action.php:1139 msgid "After" -msgstr "" +msgstr "Post" #: lib/action.php:1147 msgid "Before" -msgstr "" +msgstr "Ante" #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." -msgstr "" +msgstr "Tu non pote facer modificationes in iste sito." #: lib/adminpanelaction.php:107 -#, fuzzy msgid "Changes to that panel are not allowed." -msgstr "Registration non permittite." +msgstr "Le modification de iste pannello non es permittite." #: lib/adminpanelaction.php:206 msgid "showForm() not implemented." -msgstr "" +msgstr "showForm() non implementate." #: lib/adminpanelaction.php:235 msgid "saveSettings() not implemented." -msgstr "" +msgstr "saveSettings() non implementate." #: lib/adminpanelaction.php:258 msgid "Unable to delete design setting." -msgstr "" +msgstr "Impossibile deler configuration de apparentia." #: lib/adminpanelaction.php:312 msgid "Basic site configuration" -msgstr "" +msgstr "Configuration basic del sito" #: lib/adminpanelaction.php:317 msgid "Design configuration" -msgstr "" +msgstr "Configuration del apparentia" #: lib/adminpanelaction.php:322 -#, fuzzy msgid "User configuration" -msgstr "Nulle codice de confirmation." +msgstr "Configuration del usator" #: lib/adminpanelaction.php:327 msgid "Access configuration" -msgstr "" +msgstr "Configuration del accesso" #: lib/adminpanelaction.php:332 msgid "Paths configuration" -msgstr "" +msgstr "Configuration del camminos" #: lib/adminpanelaction.php:337 -#, fuzzy msgid "Sessions configuration" -msgstr "Nulle codice de confirmation." +msgstr "Configuration del sessiones" #: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" +"Le ressource de API require accesso pro lectura e scriptura, ma tu ha " +"solmente accesso pro lectura." #: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" +"Tentativa de authentication al API fallite, pseudonymo = %1$s, proxy = %2$s, " +"IP = %3$s" #: lib/applicationeditform.php:136 msgid "Edit application" -msgstr "" +msgstr "Modificar application" #: lib/applicationeditform.php:184 msgid "Icon for this application" -msgstr "" +msgstr "Icone pro iste application" #: lib/applicationeditform.php:204 -#, fuzzy, php-format +#, php-format msgid "Describe your application in %d characters" -msgstr "Describe te e tu interesses in %d characteres" +msgstr "Describe tu application in %d characteres" #: lib/applicationeditform.php:207 msgid "Describe your application" -msgstr "" +msgstr "Describe tu application" #: lib/applicationeditform.php:216 -#, fuzzy msgid "Source URL" -msgstr "URL pro reporto" +msgstr "URL de origine" #: lib/applicationeditform.php:218 msgid "URL of the homepage of this application" -msgstr "" +msgstr "URL del pagina initial de iste application" #: lib/applicationeditform.php:224 msgid "Organization responsible for this application" -msgstr "" +msgstr "Organisation responsabile de iste application" #: lib/applicationeditform.php:230 msgid "URL for the homepage of the organization" -msgstr "" +msgstr "URL del pagina initial del organisation" #: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" -msgstr "" +msgstr "URL verso le qual rediriger post authentication" #: lib/applicationeditform.php:258 msgid "Browser" -msgstr "" +msgstr "Navigator" #: lib/applicationeditform.php:274 msgid "Desktop" -msgstr "" +msgstr "Scriptorio" #: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" -msgstr "" +msgstr "Typo de application, navigator o scriptorio" #: lib/applicationeditform.php:297 msgid "Read-only" -msgstr "" +msgstr "Lectura solmente" #: lib/applicationeditform.php:315 msgid "Read-write" -msgstr "" +msgstr "Lectura e scriptura" #: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" +"Accesso predefinite pro iste application: lectura solmente, o lectura e " +"scriptura" #: lib/applicationlist.php:154 -#, fuzzy msgid "Revoke" -msgstr "Remover" +msgstr "Revocar" #: lib/attachmentlist.php:87 msgid "Attachments" -msgstr "" +msgstr "Annexos" #: lib/attachmentlist.php:265 msgid "Author" -msgstr "" +msgstr "Autor" #: lib/attachmentlist.php:278 msgid "Provider" -msgstr "" +msgstr "Providitor" #: lib/attachmentnoticesection.php:67 msgid "Notices where this attachment appears" -msgstr "" +msgstr "Notas ubi iste annexo appare" #: lib/attachmenttagcloudsection.php:48 msgid "Tags for this attachment" -msgstr "" +msgstr "Etiquettas pro iste annexo" #: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 -#, fuzzy msgid "Password changing failed" -msgstr "Cambio del contrasigno" +msgstr "Cambio del contrasigno fallite" #: lib/authenticationplugin.php:233 -#, fuzzy msgid "Password changing is not allowed" -msgstr "Cambio del contrasigno" +msgstr "Cambio del contrasigno non permittite" #: lib/channel.php:138 lib/channel.php:158 msgid "Command results" -msgstr "" +msgstr "Resultatos del commando" #: lib/channel.php:210 lib/mailhandler.php:142 msgid "Command complete" -msgstr "" +msgstr "Commando complete" #: lib/channel.php:221 msgid "Command failed" -msgstr "" +msgstr "Commando fallite" #: lib/command.php:44 msgid "Sorry, this command is not yet implemented." -msgstr "" +msgstr "Pardono, iste commando non es ancora implementate." #: lib/command.php:88 -#, fuzzy, php-format +#, php-format msgid "Could not find a user with nickname %s" -msgstr "Non poteva trovar le usator de destination." +msgstr "Non poteva trovar un usator con pseudonymo %s" #: lib/command.php:92 msgid "It does not make a lot of sense to nudge yourself!" -msgstr "" +msgstr "Non ha multe senso pulsar te mesme!" #: lib/command.php:99 -#, fuzzy, php-format +#, php-format msgid "Nudge sent to %s" -msgstr "Pulsata inviate" +msgstr "Pulsata inviate a %s" #: lib/command.php:126 #, php-format @@ -4899,21 +4918,22 @@ msgid "" "Subscribers: %2$s\n" "Notices: %3$s" msgstr "" +"Subscriptiones: %1$s\n" +"Subscriptores: %2$s\n" +"Notas: %3$s" #: lib/command.php:152 lib/command.php:390 lib/command.php:451 -#, fuzzy msgid "Notice with that id does not exist" -msgstr "Nulle usator existe con iste adresse de e-mail o nomine de usator." +msgstr "Non existe un nota con iste ID" #: lib/command.php:168 lib/command.php:406 lib/command.php:467 #: lib/command.php:523 -#, fuzzy msgid "User has no last notice" -msgstr "Le usator non ha un profilo." +msgstr "Usator non ha ultime nota" #: lib/command.php:190 msgid "Notice marked as fave." -msgstr "" +msgstr "Nota marcate como favorite." #: lib/command.php:217 msgid "You are already a member of that group" @@ -4940,29 +4960,29 @@ msgid "%s left group %s" msgstr "%s quitava le gruppo %s" #: lib/command.php:309 -#, fuzzy, php-format +#, php-format msgid "Fullname: %s" -msgstr "Nomine complete" +msgstr "Nomine complete: %s" #: lib/command.php:312 lib/mail.php:254 #, php-format msgid "Location: %s" -msgstr "" +msgstr "Loco: %s" #: lib/command.php:315 lib/mail.php:256 #, php-format msgid "Homepage: %s" -msgstr "" +msgstr "Pagina personal: %s" #: lib/command.php:318 #, php-format msgid "About: %s" -msgstr "" +msgstr "A proposito: %s" #: lib/command.php:349 #, php-format msgid "Message too long - maximum is %d characters, you sent %d" -msgstr "" +msgstr "Message troppo longe - maximo es %d characteres, tu inviava %d" #: lib/command.php:367 #, php-format @@ -4971,7 +4991,7 @@ msgstr "Message directe a %s inviate" #: lib/command.php:369 msgid "Error sending direct message." -msgstr "" +msgstr "Error durante le invio del message directe." #: lib/command.php:413 msgid "Cannot repeat your own notice" @@ -4982,9 +5002,9 @@ msgid "Already repeated that notice" msgstr "Iste nota ha ja essite repetite" #: lib/command.php:426 -#, fuzzy, php-format +#, php-format msgid "Notice from %s repeated" -msgstr "Nota delite." +msgstr "Nota de %s repetite" #: lib/command.php:428 msgid "Error repeating notice." @@ -4993,93 +5013,95 @@ msgstr "Error durante le repetition del nota." #: lib/command.php:482 #, php-format msgid "Notice too long - maximum is %d characters, you sent %d" -msgstr "" +msgstr "Nota troppo longe - maximo es %d characteres, tu inviava %d" #: lib/command.php:491 -#, fuzzy, php-format +#, php-format msgid "Reply to %s sent" -msgstr "Responsas a %s" +msgstr "Responsa a %s inviate" #: lib/command.php:493 msgid "Error saving notice." -msgstr "" +msgstr "Errur durante le salveguarda del nota." #: lib/command.php:547 msgid "Specify the name of the user to subscribe to" -msgstr "" +msgstr "Specifica le nomine del usator al qual subscriber te" #: lib/command.php:554 #, php-format msgid "Subscribed to %s" -msgstr "" +msgstr "Subscribite a %s" #: lib/command.php:575 msgid "Specify the name of the user to unsubscribe from" -msgstr "" +msgstr "Specifica le nomine del usator al qual cancellar le subscription" #: lib/command.php:582 #, php-format msgid "Unsubscribed from %s" -msgstr "" +msgstr "Subscription a %s cancellate" #: lib/command.php:600 lib/command.php:623 msgid "Command not yet implemented." -msgstr "" +msgstr "Commando non ancora implementate." #: lib/command.php:603 msgid "Notification off." -msgstr "" +msgstr "Notification disactivate." #: lib/command.php:605 msgid "Can't turn off notification." -msgstr "" +msgstr "Non pote disactivar notification." #: lib/command.php:626 msgid "Notification on." -msgstr "" +msgstr "Notification activate." #: lib/command.php:628 msgid "Can't turn on notification." -msgstr "" +msgstr "Non pote activar notification." #: lib/command.php:641 msgid "Login command is disabled" -msgstr "" +msgstr "Le commando de apertura de session es disactivate" #: lib/command.php:652 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" +"Iste ligamine pote esser usate solmente un vice, e es valide durante " +"solmente 2 minutas: %s" #: lib/command.php:668 msgid "You are not subscribed to anyone." -msgstr "" +msgstr "Tu non es subscribite a alcuno." #: lib/command.php:670 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Tu es subscribite a iste persona:" +msgstr[1] "Tu es subscribite a iste personas:" #: lib/command.php:690 msgid "No one is subscribed to you." -msgstr "" +msgstr "Necuno es subscribite a te." #: lib/command.php:692 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Iste persona es subscribite a te:" +msgstr[1] "Iste personas es subscribite a te:" #: lib/command.php:712 msgid "You are not a member of any groups." -msgstr "" +msgstr "Tu non es membro de alcun gruppo." #: lib/command.php:714 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" -msgstr[0] "" -msgstr[1] "" +msgstr[0] "Tu es membro de iste gruppo:" +msgstr[1] "Tu es membro de iste gruppos:" #: lib/command.php:728 msgid "" @@ -5121,255 +5143,295 @@ msgid "" "tracks - not yet implemented.\n" "tracking - not yet implemented.\n" msgstr "" +"Commandos:\n" +"on - activar notificationes\n" +"off - disactivar notificationes\n" +"help - monstrar iste adjuta\n" +"follow - subscriber te al usator\n" +"groups - listar le gruppos del quales tu es membro\n" +"subscriptions - listar le personas que tu seque\n" +"subscribers - listar le personas qui te seque\n" +"leave - cancellar subscription al usator\n" +"d - diriger message al usator\n" +"get - obtener ultime nota del usator\n" +"whois - obtener info de profilo del usator\n" +"fav - adder ultime nota del usator como favorite\n" +"fav # - adder nota con le ID date como favorite\n" +"repeat # - repeter le nota con le ID date\n" +"repeat - repeter le ultime nota del usator\n" +"reply # - responder al nota con le ID date\n" +"reply - responder al ultime nota del usator\n" +"join - facer te membro del gruppo\n" +"login - obtener ligamine pro aperir session al interfacie web\n" +"drop - quitar gruppo\n" +"stats - obtener tu statisticas\n" +"stop - como 'off'\n" +"quit - como 'off'\n" +"sub - como 'follow'\n" +"unsub - como 'leave'\n" +"last - como 'get'\n" +"on - non ancora implementate.\n" +"off - non ancora implementate.\n" +"nudge - rememorar un usator de scriber alique.\n" +"invite - non ancora implementate.\n" +"track - non ancora implementate.\n" +"untrack - non ancora implementate.\n" +"track off - non ancora implementate.\n" +"untrack all - non ancora implementate.\n" +"tracks - non ancora implementate.\n" +"tracking - non ancora implementate.\n" #: lib/common.php:135 msgid "No configuration file found. " -msgstr "" +msgstr "Nulle file de configuration trovate. " #: lib/common.php:136 msgid "I looked for configuration files in the following places: " -msgstr "" +msgstr "Io cercava files de configuration in le sequente locos: " #: lib/common.php:138 msgid "You may wish to run the installer to fix this." -msgstr "" +msgstr "Considera executar le installator pro reparar isto." #: lib/common.php:139 msgid "Go to the installer." -msgstr "" +msgstr "Ir al installator." #: lib/connectsettingsaction.php:110 msgid "IM" -msgstr "" +msgstr "MI" #: lib/connectsettingsaction.php:111 msgid "Updates by instant messenger (IM)" -msgstr "" +msgstr "Actualisationes per messageria instantanee (MI)" #: lib/connectsettingsaction.php:116 msgid "Updates by SMS" -msgstr "" +msgstr "Actualisationes per SMS" #: lib/connectsettingsaction.php:120 -#, fuzzy msgid "Connections" -msgstr "Conversation" +msgstr "Connexiones" #: lib/connectsettingsaction.php:121 msgid "Authorized connected applications" -msgstr "" +msgstr "Applicationes autorisate connectite" #: lib/dberroraction.php:60 msgid "Database error" -msgstr "" +msgstr "Error de base de datos" #: lib/designsettings.php:105 msgid "Upload file" -msgstr "" +msgstr "Incargar file" #: lib/designsettings.php:109 msgid "" "You can upload your personal background image. The maximum file size is 2MB." msgstr "" +"Tu pote actualisar tu imagine de fundo personal. Le dimension maximal del " +"file es 2MB." #: lib/designsettings.php:418 msgid "Design defaults restored." -msgstr "" +msgstr "Apparentia predefinite restaurate." #: lib/disfavorform.php:114 lib/disfavorform.php:140 msgid "Disfavor this notice" -msgstr "" +msgstr "Disfavorir iste nota" #: lib/favorform.php:114 lib/favorform.php:140 msgid "Favor this notice" -msgstr "" +msgstr "Favorir iste nota" #: lib/favorform.php:140 msgid "Favor" -msgstr "" +msgstr "Favorir" #: lib/feed.php:85 msgid "RSS 1.0" -msgstr "" +msgstr "RSS 1.0" #: lib/feed.php:87 msgid "RSS 2.0" -msgstr "" +msgstr "RSS 2.0" #: lib/feed.php:89 msgid "Atom" -msgstr "" +msgstr "Atom" #: lib/feed.php:91 msgid "FOAF" -msgstr "" +msgstr "Amico de un amico" #: lib/feedlist.php:64 msgid "Export data" -msgstr "" +msgstr "Exportar datos" #: lib/galleryaction.php:121 msgid "Filter tags" -msgstr "" +msgstr "Filtrar etiquettas" #: lib/galleryaction.php:131 msgid "All" -msgstr "" +msgstr "Totes" #: lib/galleryaction.php:139 msgid "Select tag to filter" -msgstr "" +msgstr "Selige etiquetta a filtrar" #: lib/galleryaction.php:140 msgid "Tag" -msgstr "" +msgstr "Etiquetta" #: lib/galleryaction.php:141 msgid "Choose a tag to narrow list" -msgstr "" +msgstr "Selige etiquetta pro reducer lista" #: lib/galleryaction.php:143 msgid "Go" -msgstr "" +msgstr "Ir" #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" -msgstr "" +msgstr "URL del pagina initial o blog del gruppo o topico" #: lib/groupeditform.php:168 msgid "Describe the group or topic" -msgstr "" +msgstr "Describe le gruppo o topico" #: lib/groupeditform.php:170 #, php-format msgid "Describe the group or topic in %d characters" -msgstr "" +msgstr "Describe le gruppo o topico in %d characteres" #: lib/groupeditform.php:179 msgid "" "Location for the group, if any, like \"City, State (or Region), Country\"" msgstr "" +"Loco del gruppo, si existe, como \"Citate, Provincia (o Region), Pais\"" #: lib/groupeditform.php:187 #, php-format msgid "Extra nicknames for the group, comma- or space- separated, max %d" msgstr "" +"Pseudonymos additional pro le gruppo, separate per commas o spatios, max %d" #: lib/groupnav.php:85 msgid "Group" -msgstr "" +msgstr "Gruppo" #: lib/groupnav.php:101 msgid "Blocked" -msgstr "" +msgstr "Blocate" #: lib/groupnav.php:102 #, php-format msgid "%s blocked users" -msgstr "" +msgstr "%s usatores blocate" #: lib/groupnav.php:108 #, php-format msgid "Edit %s group properties" -msgstr "" +msgstr "Modificar proprietates del gruppo %s" #: lib/groupnav.php:113 msgid "Logo" -msgstr "" +msgstr "Logotypo" #: lib/groupnav.php:114 #, php-format msgid "Add or edit %s logo" -msgstr "" +msgstr "Adder o modificar logotypo de %s" #: lib/groupnav.php:120 #, php-format msgid "Add or edit %s design" -msgstr "" +msgstr "Adder o modificar apparentia de %s" #: lib/groupsbymemberssection.php:71 msgid "Groups with most members" -msgstr "" +msgstr "Gruppos con le plus membros" #: lib/groupsbypostssection.php:71 msgid "Groups with most posts" -msgstr "" +msgstr "Gruppos con le plus messages" #: lib/grouptagcloudsection.php:56 #, php-format msgid "Tags in %s group's notices" -msgstr "" +msgstr "Etiquettas in le notas del gruppo %s" #: lib/htmloutputter.php:103 msgid "This page is not available in a media type you accept" -msgstr "" +msgstr "Iste pagina non es disponibile in un formato que tu accepta" #: lib/imagefile.php:75 #, php-format msgid "That file is too big. The maximum file size is %s." -msgstr "" +msgstr "Iste file es troppo grande. Le dimension maximal es %s." #: lib/imagefile.php:80 msgid "Partial upload." -msgstr "" +msgstr "Incargamento partial." #: lib/imagefile.php:88 lib/mediafile.php:170 msgid "System error uploading file." -msgstr "" +msgstr "Error de systema durante le incargamento del file." #: lib/imagefile.php:96 msgid "Not an image or corrupt file." -msgstr "" +msgstr "Le file non es un imagine o es defecte." #: lib/imagefile.php:105 msgid "Unsupported image file format." -msgstr "" +msgstr "Formato de file de imagine non supportate." #: lib/imagefile.php:118 msgid "Lost our file." -msgstr "" +msgstr "File perdite." #: lib/imagefile.php:150 lib/imagefile.php:197 msgid "Unknown file type" -msgstr "" +msgstr "Typo de file incognite" #: lib/imagefile.php:217 msgid "MB" -msgstr "" +msgstr "MB" #: lib/imagefile.php:219 msgid "kB" -msgstr "" +msgstr "KB" #: lib/jabber.php:220 #, php-format msgid "[%s]" -msgstr "" +msgstr "[%s]" #: lib/jabber.php:400 -#, fuzzy, php-format +#, php-format msgid "Unknown inbox source %d." -msgstr "Lingua \"%s\" incognite" +msgstr "Fonte de cassa de entrata \"%s\" incognite" #: lib/joinform.php:114 msgid "Join" -msgstr "" +msgstr "Inscriber" #: lib/leaveform.php:114 msgid "Leave" -msgstr "" +msgstr "Quitar" #: lib/logingroupnav.php:80 msgid "Login with a username and password" -msgstr "" +msgstr "Aperir session con nomine de usator e contrasigno" #: lib/logingroupnav.php:86 msgid "Sign up for a new account" -msgstr "" +msgstr "Crear un nove conto" #: lib/mail.php:172 msgid "Email address confirmation" -msgstr "" +msgstr "Confirmation del adresse de e-mail" #: lib/mail.php:174 #, php-format @@ -5387,11 +5449,23 @@ msgid "" "Thanks for your time, \n" "%s\n" msgstr "" +"Salute %s,\n" +"\n" +"Alcuno entrava ante un momento iste adresse de e-mail in %s.\n" +"\n" +"Si isto esseva tu, e tu vole confirmar le adresse, usa le URL hic infra:\n" +"\n" +"%s\n" +"\n" +"Si non, simplemente ignora iste message.\n" +"\n" +"Gratias pro tu attention,\n" +"%s\n" #: lib/mail.php:236 #, php-format msgid "%1$s is now listening to your notices on %2$s." -msgstr "" +msgstr "%1$s seque ora tu notas in %2$s." #: lib/mail.php:241 #, php-format @@ -5407,16 +5481,26 @@ msgid "" "----\n" "Change your email address or notification options at %8$s\n" msgstr "" +"%1$s seque ora tu notas in %2$s.\n" +"\n" +"%3$s\n" +"\n" +"%4$s%5$s%6$s\n" +"Cordialmente,\n" +"%7$s.\n" +"\n" +"----\n" +"Cambia tu adresse de e-mail o optiones de notification a %8$s\n" #: lib/mail.php:258 -#, fuzzy, php-format +#, php-format msgid "Bio: %s" -msgstr "Bio" +msgstr "Bio: %s" #: lib/mail.php:286 #, php-format msgid "New email address for posting to %s" -msgstr "" +msgstr "Nove adresse de e-mail pro publicar in %s" #: lib/mail.php:289 #, php-format @@ -5430,20 +5514,28 @@ msgid "" "Faithfully yours,\n" "%4$s" msgstr "" +"Tu ha un nove adresse pro publication in %1$s.\n" +"\n" +"Invia e-mail a %2$s pro publicar nove messages.\n" +"\n" +"Ulterior informationes se trova a %3$s.\n" +"\n" +"Cordialmente,\n" +"%4$s" #: lib/mail.php:413 #, php-format msgid "%s status" -msgstr "" +msgstr "Stato de %s" #: lib/mail.php:439 msgid "SMS confirmation" -msgstr "" +msgstr "Confirmation SMS" #: lib/mail.php:463 #, php-format msgid "You've been nudged by %s" -msgstr "" +msgstr "%s te ha pulsate" #: lib/mail.php:467 #, php-format @@ -5460,11 +5552,22 @@ msgid "" "With kind regards,\n" "%4$s\n" msgstr "" +"%1$s (%2$s) se demanda lo que tu face iste dies e te invita a scriber alique " +"de nove.\n" +"\n" +"Dunque face audir de te :)\n" +"\n" +"%3$s\n" +"\n" +"Non responde a iste message; le responsa non arrivara.\n" +"\n" +"Con salutes cordial,\n" +"%4$s\n" #: lib/mail.php:510 #, php-format msgid "New private message from %s" -msgstr "" +msgstr "Nove message private de %s" #: lib/mail.php:514 #, php-format @@ -5484,11 +5587,25 @@ msgid "" "With kind regards,\n" "%5$s\n" msgstr "" +"%1$s (%2$s) te ha inviate un message private:\n" +"\n" +"------------------------------------------------------\n" +"%3$s\n" +"------------------------------------------------------\n" +"\n" +"Tu pote responder a su message hic:\n" +"\n" +"%4$s\n" +"\n" +"Non responde per e-mail; le responsa non arrivara.\n" +"\n" +"Con salutes cordial,\n" +"%5$s\n" #: lib/mail.php:559 #, php-format msgid "%s (@%s) added your notice as a favorite" -msgstr "" +msgstr "%s (@%s) ha addite tu nota como favorite" #: lib/mail.php:561 #, php-format @@ -5510,11 +5627,28 @@ msgid "" "Faithfully yours,\n" "%6$s\n" msgstr "" +"%1$s (@%7$s) addeva ante un momento tu nota de %2$s como un de su " +"favorites.\n" +"\n" +"Le URL de tu nota es:\n" +"\n" +"%3$s\n" +"\n" +"Le texto de tu nota es:\n" +"\n" +"%4$s\n" +"\n" +"Tu pote vider le lista del favorites de %1$s hic:\n" +"\n" +"%5$s\n" +"\n" +"Cordialmente,\n" +"%6$s\n" #: lib/mail.php:624 #, php-format msgid "%s (@%s) sent a notice to your attention" -msgstr "" +msgstr "%s (@%s) ha inviate un nota a tu attention" #: lib/mail.php:626 #, php-format @@ -5530,168 +5664,185 @@ msgid "" "\t%4$s\n" "\n" msgstr "" +"%1$s (@%9$s) inviava ante un momento un nota a tu attention (un 'responsa " +"@') in %2$s.\n" +"\n" +"Le nota es hic:\n" +"\n" +"%3$s\n" +"\n" +"Le texto:\n" +"\n" +"%4$s\n" +"\n" #: lib/mailbox.php:89 msgid "Only the user can read their own mailboxes." -msgstr "" +msgstr "Solmente le usator pote leger su proprie cassas postal." #: lib/mailbox.php:139 msgid "" "You have no private messages. You can send private message to engage other " "users in conversation. People can send you messages for your eyes only." msgstr "" +"Tu non ha messages private. Tu pote inviar messages private pro ingagiar " +"altere usatores in conversation. Altere personas pote inviar te messages que " +"solmente tu pote leger." #: lib/mailbox.php:227 lib/noticelist.php:477 msgid "from" -msgstr "" +msgstr "de" #: lib/mailhandler.php:37 msgid "Could not parse message." -msgstr "" +msgstr "Non comprendeva le syntaxe del message." #: lib/mailhandler.php:42 msgid "Not a registered user." -msgstr "" +msgstr "Non un usator registrate." #: lib/mailhandler.php:46 msgid "Sorry, that is not your incoming email address." -msgstr "" +msgstr "Pardono, isto non es tu adresse de e-mail entrante." #: lib/mailhandler.php:50 msgid "Sorry, no incoming email allowed." -msgstr "" +msgstr "Pardono, le reception de e-mail non es permittite." #: lib/mailhandler.php:228 -#, fuzzy, php-format +#, php-format msgid "Unsupported message type: %s" -msgstr "Formato non supportate." +msgstr "Typo de message non supportate: %s" #: lib/mediafile.php:98 lib/mediafile.php:123 msgid "There was a database error while saving your file. Please try again." msgstr "" +"Un error de base de datos occurreva durante le salveguarda de tu file. Per " +"favor reproba." #: lib/mediafile.php:142 msgid "The uploaded file exceeds the upload_max_filesize directive in php.ini." -msgstr "" +msgstr "Le file incargate excede le directiva upload_max_filesize in php.ini." #: lib/mediafile.php:147 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form." msgstr "" +"Le file incargate excede le directiva MAX_FILE_SIZE specificate in le " +"formulario HTML." #: lib/mediafile.php:152 msgid "The uploaded file was only partially uploaded." -msgstr "" +msgstr "Le file incargate ha solmente essite incargate partialmente." #: lib/mediafile.php:159 msgid "Missing a temporary folder." -msgstr "" +msgstr "Manca un dossier temporari." #: lib/mediafile.php:162 msgid "Failed to write file to disk." -msgstr "" +msgstr "Falleva de scriber le file in disco." #: lib/mediafile.php:165 msgid "File upload stopped by extension." -msgstr "" +msgstr "Incargamento de file stoppate per un extension." #: lib/mediafile.php:179 lib/mediafile.php:216 msgid "File exceeds user's quota." -msgstr "" +msgstr "File excede quota del usator." #: lib/mediafile.php:196 lib/mediafile.php:233 msgid "File could not be moved to destination directory." -msgstr "" +msgstr "File non poteva esser displaciate in le directorio de destination." #: lib/mediafile.php:201 lib/mediafile.php:237 -#, fuzzy msgid "Could not determine file's MIME type." -msgstr "Non poteva determinar le usator de origine." +msgstr "Non poteva determinar le typo MIME del file." #: lib/mediafile.php:270 #, php-format msgid " Try using another %s format." -msgstr "" +msgstr " Tenta usar un altere formato %s." #: lib/mediafile.php:275 #, php-format msgid "%s is not a supported file type on this server." -msgstr "" +msgstr "%s non es un typo de file supportate in iste servitor." #: lib/messageform.php:120 msgid "Send a direct notice" -msgstr "" +msgstr "Inviar un nota directe" #: lib/messageform.php:146 msgid "To" -msgstr "" +msgstr "A" #: lib/messageform.php:159 lib/noticeform.php:185 msgid "Available characters" -msgstr "" +msgstr "Characteres disponibile" #: lib/noticeform.php:160 msgid "Send a notice" -msgstr "" +msgstr "Inviar un nota" #: lib/noticeform.php:173 #, php-format msgid "What's up, %s?" -msgstr "" +msgstr "Como sta, %s?" #: lib/noticeform.php:192 msgid "Attach" -msgstr "" +msgstr "Annexar" #: lib/noticeform.php:196 msgid "Attach a file" -msgstr "" +msgstr "Annexar un file" #: lib/noticeform.php:212 -#, fuzzy msgid "Share my location" -msgstr "Non poteva salveguardar le preferentias de loco." +msgstr "Divulgar mi loco" #: lib/noticeform.php:215 -#, fuzzy msgid "Do not share my location" -msgstr "Non poteva salveguardar le preferentias de loco." +msgstr "Non divulgar mi loco" #: lib/noticeform.php:216 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" msgstr "" +"Pardono, le obtention de tu geolocalisation prende plus tempore que " +"previste. Per favor reproba plus tarde." #: lib/noticelist.php:428 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" -msgstr "" +msgstr "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" #: lib/noticelist.php:429 msgid "N" -msgstr "" +msgstr "N" #: lib/noticelist.php:429 msgid "S" -msgstr "" +msgstr "S" #: lib/noticelist.php:430 msgid "E" -msgstr "" +msgstr "E" #: lib/noticelist.php:430 msgid "W" -msgstr "" +msgstr "W" #: lib/noticelist.php:436 msgid "at" -msgstr "" +msgstr "a" #: lib/noticelist.php:547 msgid "in context" -msgstr "" +msgstr "in contexto" #: lib/noticelist.php:572 msgid "Repeated by" @@ -5699,151 +5850,148 @@ msgstr "Repetite per" #: lib/noticelist.php:598 msgid "Reply to this notice" -msgstr "" +msgstr "Responder a iste nota" #: lib/noticelist.php:599 msgid "Reply" -msgstr "" +msgstr "Responder" #: lib/noticelist.php:641 -#, fuzzy msgid "Notice repeated" -msgstr "Nota delite." +msgstr "Nota repetite" #: lib/nudgeform.php:116 msgid "Nudge this user" -msgstr "" +msgstr "Pulsar iste usator" #: lib/nudgeform.php:128 msgid "Nudge" -msgstr "" +msgstr "Pulsar" #: lib/nudgeform.php:128 msgid "Send a nudge to this user" -msgstr "" +msgstr "Inviar un pulsata a iste usator" #: lib/oauthstore.php:283 msgid "Error inserting new profile" -msgstr "" +msgstr "Error durante le insertion del nove profilo" #: lib/oauthstore.php:291 msgid "Error inserting avatar" -msgstr "" +msgstr "Error durante le insertion del avatar" #: lib/oauthstore.php:311 msgid "Error inserting remote profile" -msgstr "" +msgstr "Error durante le insertion del profilo remote" #: lib/oauthstore.php:345 msgid "Duplicate notice" -msgstr "" +msgstr "Duplicar nota" #: lib/oauthstore.php:465 lib/subs.php:48 msgid "You have been banned from subscribing." -msgstr "" +msgstr "Tu ha essite blocate del subscription." #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." -msgstr "" +msgstr "Non poteva inserer nove subscription." #: lib/personalgroupnav.php:99 msgid "Personal" -msgstr "" +msgstr "Personal" #: lib/personalgroupnav.php:104 msgid "Replies" -msgstr "" +msgstr "Responsas" #: lib/personalgroupnav.php:114 msgid "Favorites" -msgstr "" +msgstr "Favorites" #: lib/personalgroupnav.php:125 msgid "Inbox" -msgstr "" +msgstr "Cassa de entrata" #: lib/personalgroupnav.php:126 msgid "Your incoming messages" -msgstr "" +msgstr "Tu messages recipite" #: lib/personalgroupnav.php:130 msgid "Outbox" -msgstr "" +msgstr "Cassa de exito" #: lib/personalgroupnav.php:131 msgid "Your sent messages" -msgstr "" +msgstr "Tu messages inviate" #: lib/personaltagcloudsection.php:56 #, php-format msgid "Tags in %s's notices" -msgstr "" +msgstr "Etiquettas in le notas de %s" #: lib/plugin.php:114 -#, fuzzy msgid "Unknown" -msgstr "Action incognite" +msgstr "Incognite" #: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 msgid "Subscriptions" -msgstr "" +msgstr "Subscriptiones" #: lib/profileaction.php:126 msgid "All subscriptions" -msgstr "" +msgstr "Tote le subscriptiones" #: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 msgid "Subscribers" -msgstr "" +msgstr "Subscriptores" #: lib/profileaction.php:157 msgid "All subscribers" -msgstr "" +msgstr "Tote le subscriptores" #: lib/profileaction.php:178 msgid "User ID" -msgstr "" +msgstr "ID del usator" #: lib/profileaction.php:183 msgid "Member since" -msgstr "" +msgstr "Membro depost" #: lib/profileaction.php:245 msgid "All groups" -msgstr "" +msgstr "Tote le gruppos" #: lib/profileformaction.php:123 msgid "No return-to arguments." -msgstr "" +msgstr "Nulle parametro return-to." #: lib/profileformaction.php:137 msgid "Unimplemented method." -msgstr "" +msgstr "Methodo non implementate." #: lib/publicgroupnav.php:78 msgid "Public" -msgstr "" +msgstr "Public" #: lib/publicgroupnav.php:82 msgid "User groups" -msgstr "" +msgstr "Gruppos de usatores" #: lib/publicgroupnav.php:84 lib/publicgroupnav.php:85 msgid "Recent tags" -msgstr "" +msgstr "Etiquettas recente" #: lib/publicgroupnav.php:88 msgid "Featured" -msgstr "" +msgstr "In evidentia" #: lib/publicgroupnav.php:92 msgid "Popular" -msgstr "" +msgstr "Popular" #: lib/repeatform.php:107 -#, fuzzy msgid "Repeat this notice?" -msgstr "Repeter iste nota" +msgstr "Repeter iste nota?" #: lib/repeatform.php:132 msgid "Repeat this notice" @@ -5851,228 +5999,228 @@ msgstr "Repeter iste nota" #: lib/router.php:665 msgid "No single user defined for single-user mode." -msgstr "" +msgstr "Nulle signule usator definite pro le modo de singule usator." #: lib/sandboxform.php:67 msgid "Sandbox" -msgstr "" +msgstr "Cassa de sablo" #: lib/sandboxform.php:78 msgid "Sandbox this user" -msgstr "" +msgstr "Mitter iste usator in le cassa de sablo" #: lib/searchaction.php:120 msgid "Search site" -msgstr "" +msgstr "Cercar in sito" #: lib/searchaction.php:126 msgid "Keyword(s)" -msgstr "" +msgstr "Parola(s)-clave" #: lib/searchaction.php:162 msgid "Search help" -msgstr "" +msgstr "Adjuta super le recerca" #: lib/searchgroupnav.php:80 msgid "People" -msgstr "" +msgstr "Personas" #: lib/searchgroupnav.php:81 msgid "Find people on this site" -msgstr "" +msgstr "Cercar personas in iste sito" #: lib/searchgroupnav.php:83 msgid "Find content of notices" -msgstr "" +msgstr "Cercar in contento de notas" #: lib/searchgroupnav.php:85 msgid "Find groups on this site" -msgstr "" +msgstr "Cercar gruppos in iste sito" #: lib/section.php:89 msgid "Untitled section" -msgstr "" +msgstr "Section sin titulo" #: lib/section.php:106 msgid "More..." -msgstr "" +msgstr "Plus…" #: lib/silenceform.php:67 msgid "Silence" -msgstr "" +msgstr "Silentiar" #: lib/silenceform.php:78 msgid "Silence this user" -msgstr "" +msgstr "Silentiar iste usator" #: lib/subgroupnav.php:83 #, php-format msgid "People %s subscribes to" -msgstr "" +msgstr "Personas que %s seque" #: lib/subgroupnav.php:91 #, php-format msgid "People subscribed to %s" -msgstr "" +msgstr "Personas qui seque %s" #: lib/subgroupnav.php:99 #, php-format msgid "Groups %s is a member of" -msgstr "" +msgstr "Gruppos del quales %s es membro" #: lib/subs.php:52 msgid "Already subscribed!" -msgstr "" +msgstr "Ja subscribite!" #: lib/subs.php:56 msgid "User has blocked you." -msgstr "" +msgstr "Le usator te ha blocate." #: lib/subs.php:63 msgid "Could not subscribe." -msgstr "" +msgstr "Non poteva subscriber te." #: lib/subs.php:82 msgid "Could not subscribe other to you." -msgstr "" +msgstr "Non poteva subcriber altere persona a te." #: lib/subs.php:137 msgid "Not subscribed!" -msgstr "" +msgstr "Non subscribite!" #: lib/subs.php:142 msgid "Couldn't delete self-subscription." -msgstr "" +msgstr "Non poteva deler auto-subscription." #: lib/subs.php:158 msgid "Couldn't delete subscription." -msgstr "" +msgstr "Non poteva deler subscription." #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" -msgstr "" +msgstr "Nube de etiquettas de personas como auto-etiquettate" #: lib/subscriberspeopletagcloudsection.php:48 #: lib/subscriptionspeopletagcloudsection.php:48 msgid "People Tagcloud as tagged" -msgstr "" +msgstr "Nube de etiquetta de personas como etiquettate" #: lib/tagcloudsection.php:56 msgid "None" -msgstr "" +msgstr "Nulle" #: lib/topposterssection.php:74 msgid "Top posters" -msgstr "" +msgstr "Qui scribe le plus" #: lib/unsandboxform.php:69 msgid "Unsandbox" -msgstr "" +msgstr "Retirar del cassa de sablo" #: lib/unsandboxform.php:80 msgid "Unsandbox this user" -msgstr "" +msgstr "Retirar iste usator del cassa de sablo" #: lib/unsilenceform.php:67 msgid "Unsilence" -msgstr "" +msgstr "Dissilentiar" #: lib/unsilenceform.php:78 msgid "Unsilence this user" -msgstr "" +msgstr "Non plus silentiar iste usator" #: lib/unsubscribeform.php:113 lib/unsubscribeform.php:137 msgid "Unsubscribe from this user" -msgstr "" +msgstr "Cancellar subscription a iste usator" #: lib/unsubscribeform.php:137 msgid "Unsubscribe" -msgstr "" +msgstr "Cancellar subscription" #: lib/userprofile.php:116 msgid "Edit Avatar" -msgstr "" +msgstr "Modificar avatar" #: lib/userprofile.php:236 msgid "User actions" -msgstr "" +msgstr "Actiones de usator" #: lib/userprofile.php:248 msgid "Edit profile settings" -msgstr "" +msgstr "Modificar configuration de profilo" #: lib/userprofile.php:249 msgid "Edit" -msgstr "" +msgstr "Modificar" #: lib/userprofile.php:272 msgid "Send a direct message to this user" -msgstr "" +msgstr "Inviar un message directe a iste usator" #: lib/userprofile.php:273 msgid "Message" -msgstr "" +msgstr "Message" #: lib/userprofile.php:311 msgid "Moderate" -msgstr "" +msgstr "Moderar" #: lib/util.php:867 msgid "a few seconds ago" -msgstr "" +msgstr "alcun secundas retro" #: lib/util.php:869 msgid "about a minute ago" -msgstr "" +msgstr "circa un minuta retro" #: lib/util.php:871 #, php-format msgid "about %d minutes ago" -msgstr "" +msgstr "circa %d minutas retro" #: lib/util.php:873 msgid "about an hour ago" -msgstr "" +msgstr "circa un hora retro" #: lib/util.php:875 #, php-format msgid "about %d hours ago" -msgstr "" +msgstr "circa %d horas retro" #: lib/util.php:877 msgid "about a day ago" -msgstr "" +msgstr "circa un die retro" #: lib/util.php:879 #, php-format msgid "about %d days ago" -msgstr "" +msgstr "circa %d dies retro" #: lib/util.php:881 msgid "about a month ago" -msgstr "" +msgstr "circa un mense retro" #: lib/util.php:883 #, php-format msgid "about %d months ago" -msgstr "" +msgstr "circa %d menses retro" #: lib/util.php:885 msgid "about a year ago" -msgstr "" +msgstr "circa un anno retro" #: lib/webcolor.php:82 #, php-format msgid "%s is not a valid color!" -msgstr "" +msgstr "%s non es un color valide!" #: lib/webcolor.php:123 #, php-format msgid "%s is not a valid color! Use 3 or 6 hex chars." -msgstr "" +msgstr "%s non es un color valide! Usa 3 o 6 characteres hexadecimal." #: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +msgstr "Message troppo longe - maximo es %1$d characteres, tu inviava %2$d." diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index b9a92a4bf..8bb05d286 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -11,11 +11,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:54:27+0000\n" +"PO-Revision-Date: 2010-02-07 20:32:22+0000\n" "Language-Team: Italian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62096); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: out-statusnet\n" @@ -4419,7 +4419,7 @@ msgid "" "You should have received a copy of the GNU Affero General Public License " "along with this program. If not, see %s." msgstr "" -"Una copia della GNU Affero General Plublic License dovrebbe essere " +"Una copia della GNU Affero General Public License dovrebbe essere " "disponibile assieme a questo programma. Se così non fosse, consultare %s." #: actions/version.php:189 @@ -5115,6 +5115,7 @@ msgstr "" "minuti: %s" #: lib/command.php:668 +#, fuzzy msgid "You are not subscribed to anyone." msgstr "Il tuo abbonamento è stato annullato." @@ -5141,8 +5142,8 @@ msgstr "Non fai parte di alcun gruppo." #: lib/command.php:714 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" -msgstr[0] "Non fai parte di questo gruppo:" -msgstr[1] "Non fai parte di questi gruppi:" +msgstr[0] "Sei membro di questo gruppo:" +msgstr[1] "Sei membro di questi gruppi:" #: lib/command.php:728 msgid "" diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index cad772155..cbf50e60c 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -11,11 +11,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:54:45+0000\n" +"PO-Revision-Date: 2010-02-07 20:32:58+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62096); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: out-statusnet\n" @@ -4423,9 +4423,9 @@ msgid "" "for more details. " msgstr "" "Dit programma wordt verspreid in de hoop dat het bruikbaar is, maar ZONDER " -"ENIGE GARANTIE; zonder zelfde impliciete garantie van VERMARKTBAARHEID of " -"GESCHIKTHEID VOOR EEN SPECIFIEK DOEL. Zie de GNU Affero General Public " -"License voor meer details. " +"ENIGE GARANTIE; zelfs zonder de impliciete garantie van VERKOOPBAARHEID of " +"GESCHIKTHEID VOOR EEN BEPAALD DOEL. Zie de GNU Affero General Public License " +"voor meer details. " #: actions/version.php:180 #, php-format diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index 5470616fe..726ca3ca5 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -2,6 +2,7 @@ # # Author@translatewiki.net: Aracnus # Author@translatewiki.net: Ewout +# Author@translatewiki.net: McDutchie # Author@translatewiki.net: Vuln # -- # This file is distributed under the same license as the StatusNet package. @@ -11,11 +12,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:54:54+0000\n" +"PO-Revision-Date: 2010-02-07 20:33:07+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62096); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" @@ -4433,7 +4434,7 @@ msgstr "Versão" #: actions/version.php:197 msgid "Author(s)" -msgstr "Author(es)" +msgstr "Autor(es)" #: classes/File.php:144 #, php-format diff --git a/locale/statusnet.po b/locale/statusnet.po index 987e4ad23..fbbd0e5c3 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" +"POT-Creation-Date: 2010-02-07 20:31+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index a2645e8bb..213be22da 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -10,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:55:00+0000\n" +"PO-Revision-Date: 2010-02-07 20:33:13+0000\n" "Language-Team: Swedish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62096); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: out-statusnet\n" @@ -4376,7 +4376,7 @@ msgid "" "along with this program. If not, see %s." msgstr "" "Du bör ha fÃ¥tt en kopia av GNU Affero General Public License tillsammans med " -"detta program. Om inte, se% s." +"detta program. Om inte, se %s." #: actions/version.php:189 msgid "Plugins" -- cgit v1.2.3-54-g00ecf From 2600ad9643cf4bcca291998379b1668f695f9a88 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Mon, 8 Feb 2010 21:52:05 -0800 Subject: Better checking for duplicate app names --- actions/editapplication.php | 2 +- actions/newapplication.php | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/actions/editapplication.php b/actions/editapplication.php index ca5dba1e4..64cf0a574 100644 --- a/actions/editapplication.php +++ b/actions/editapplication.php @@ -277,7 +277,7 @@ class EditApplicationAction extends OwnerDesignAction function nameExists($name) { $newapp = Oauth_application::staticGet('name', $name); - if (!$newapp) { + if (empty($newapp)) { return false; } else { return $newapp->id != $this->app->id; diff --git a/actions/newapplication.php b/actions/newapplication.php index c0c520797..0f819b349 100644 --- a/actions/newapplication.php +++ b/actions/newapplication.php @@ -290,7 +290,7 @@ class NewApplicationAction extends OwnerDesignAction function nameExists($name) { $app = Oauth_application::staticGet('name', $name); - return ($app !== false); + return !empty($app); } } -- cgit v1.2.3-54-g00ecf From e8428d1d525677fa116236735a43e7b49e8a3fd3 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Wed, 10 Feb 2010 11:16:27 +0100 Subject: Refactored repeat confirmation dialog. Also fixes dialog skipping. --- js/util.js | 48 +++++++++++++++++++++++++----------------------- 1 file changed, 25 insertions(+), 23 deletions(-) diff --git a/js/util.js b/js/util.js index c6a9682de..639049668 100644 --- a/js/util.js +++ b/js/util.js @@ -356,42 +356,44 @@ var SN = { // StatusNet }, NoticeRepeat: function() { - $('.form_repeat').live('click', function() { - SN.U.FormXHR($(this)); + $('.form_repeat').live('click', function(e) { + e.preventDefault(); + SN.U.NoticeRepeatConfirmation($(this)); return false; }); }, NoticeRepeatConfirmation: function(form) { - function NRC() { - form.closest('.notice-options').addClass('opaque'); - form.addClass('dialogbox'); + var submit_i = form.find('.submit'); - form.append(''); - form.find('button.close').click(function(){ - $(this).remove(); + var submit = submit_i.clone(); + submit + .addClass('submit_dialogbox') + .removeClass('submit'); + form.append(submit); + submit.bind('click', function() { SN.U.FormXHR(form); return false; }); - form.closest('.notice-options').removeClass('opaque'); - form.removeClass('dialogbox'); - form.find('.submit_dialogbox').remove(); - form.find('.submit').show(); + submit_i.hide(); - return false; - }); - }; + form + .addClass('dialogbox') + .append('') + .closest('.notice-options') + .addClass('opaque'); - form.find('.submit').bind('click', function(e) { - e.preventDefault(); + form.find('button.close').click(function(){ + $(this).remove(); - var submit = form.find('.submit').clone(); - submit.addClass('submit_dialogbox'); - submit.removeClass('submit'); - form.append(submit); + form + .removeClass('dialogbox') + .closest('.notice-options') + .removeClass('opaque'); - $(this).hide(); + form.find('.submit_dialogbox').remove(); + form.find('.submit').show(); - NRC(); + return false; }); }, -- cgit v1.2.3-54-g00ecf From f3c2dfacf4b3b1ce44edcb82d8e76e75e2b7c9fa Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Wed, 10 Feb 2010 10:47:46 +0000 Subject: Fix to Realtime's repeat notice form legend and notice id --- plugins/Realtime/realtimeupdate.js | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/plugins/Realtime/realtimeupdate.js b/plugins/Realtime/realtimeupdate.js index ab548958a..0f7a680d7 100644 --- a/plugins/Realtime/realtimeupdate.js +++ b/plugins/Realtime/realtimeupdate.js @@ -209,10 +209,10 @@ console.log(data); var rf; rf = "
    "+ "
    "+ - "Favor this notice"+ + "Repeat this notice?"+ ""+ - ""+ - ""+ + ""+ + ""+ "
    "+ "
    "; -- cgit v1.2.3-54-g00ecf From fc431e565a61ba137329dff0ea4440ca51947aad Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Thu, 11 Feb 2010 09:36:54 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans --- locale/ar/LC_MESSAGES/statusnet.po | 54 ++-- locale/arz/LC_MESSAGES/statusnet.po | 54 ++-- locale/bg/LC_MESSAGES/statusnet.po | 54 ++-- locale/ca/LC_MESSAGES/statusnet.po | 60 ++-- locale/cs/LC_MESSAGES/statusnet.po | 54 ++-- locale/de/LC_MESSAGES/statusnet.po | 54 ++-- locale/el/LC_MESSAGES/statusnet.po | 54 ++-- locale/en_GB/LC_MESSAGES/statusnet.po | 54 ++-- locale/es/LC_MESSAGES/statusnet.po | 572 ++++++++++++++++------------------ locale/fa/LC_MESSAGES/statusnet.po | 54 ++-- locale/fi/LC_MESSAGES/statusnet.po | 54 ++-- locale/fr/LC_MESSAGES/statusnet.po | 54 ++-- locale/ga/LC_MESSAGES/statusnet.po | 54 ++-- locale/he/LC_MESSAGES/statusnet.po | 54 ++-- locale/hsb/LC_MESSAGES/statusnet.po | 54 ++-- locale/ia/LC_MESSAGES/statusnet.po | 54 ++-- locale/is/LC_MESSAGES/statusnet.po | 54 ++-- locale/it/LC_MESSAGES/statusnet.po | 352 +++++++++------------ locale/ja/LC_MESSAGES/statusnet.po | 54 ++-- locale/ko/LC_MESSAGES/statusnet.po | 54 ++-- locale/mk/LC_MESSAGES/statusnet.po | 61 ++-- locale/nb/LC_MESSAGES/statusnet.po | 54 ++-- locale/nl/LC_MESSAGES/statusnet.po | 54 ++-- locale/nn/LC_MESSAGES/statusnet.po | 54 ++-- locale/pl/LC_MESSAGES/statusnet.po | 54 ++-- locale/pt/LC_MESSAGES/statusnet.po | 54 ++-- locale/pt_BR/LC_MESSAGES/statusnet.po | 54 ++-- locale/ru/LC_MESSAGES/statusnet.po | 54 ++-- locale/statusnet.po | 50 +-- locale/sv/LC_MESSAGES/statusnet.po | 66 ++-- locale/te/LC_MESSAGES/statusnet.po | 54 ++-- locale/tr/LC_MESSAGES/statusnet.po | 54 ++-- locale/uk/LC_MESSAGES/statusnet.po | 54 ++-- locale/vi/LC_MESSAGES/statusnet.po | 54 ++-- locale/zh_CN/LC_MESSAGES/statusnet.po | 54 ++-- locale/zh_TW/LC_MESSAGES/statusnet.po | 54 ++-- 36 files changed, 1354 insertions(+), 1427 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index 00eac9b28..82eb96e5f 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:53:32+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:14:11+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" @@ -192,7 +192,7 @@ msgstr "" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 msgid "API method not found." msgstr "لم يتم العثور على وسيلة API." @@ -804,7 +804,7 @@ msgstr "لا تمنع هذا المستخدم" msgid "Yes" msgstr "نعم" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "امنع هذا المستخدم" @@ -1550,7 +1550,7 @@ msgstr "" msgid "User is not a member of group." msgstr "المستخدم ليس عضوًا ÙÙŠ المجموعة." -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "امنع المستخدم من المجموعة" @@ -1645,19 +1645,19 @@ msgstr "قائمة بمستخدمي هذه المجموعة." msgid "Admin" msgstr "إداري" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "امنع" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "اجعل هذا المستخدم إداريًا" @@ -2005,21 +2005,21 @@ msgid "" "(%%action.register%%) a new account." msgstr "" -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "" -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "" -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "لم يمكن الحصول على تسجيل العضوية Ù„%1$s ÙÙŠ المجموعة %2$s." -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "لم يمكن جعل %1$s إداريا للمجموعة %2$s." @@ -2214,8 +2214,8 @@ msgstr "نوع المحتوى " msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "ليس نسق بيانات مدعوم." @@ -4246,7 +4246,7 @@ msgstr "مشكلة أثناء Ø­Ùظ الإشعار." msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تي @%1$s %2$s" @@ -5802,47 +5802,47 @@ msgstr "رسالة" msgid "Moderate" msgstr "" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "قبل لحظات قليلة" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "قبل دقيقة تقريبًا" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "قبل ساعة تقريبًا" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "قبل يوم تقريبا" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "قبل شهر تقريبًا" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "قبل سنة تقريبًا" diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index e1c638a6c..a50846543 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:53:37+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:14:14+0000\n" "Language-Team: Egyptian Spoken Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: out-statusnet\n" @@ -192,7 +192,7 @@ msgstr "" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 msgid "API method not found." msgstr "لم يتم العثور على وسيله API." @@ -804,7 +804,7 @@ msgstr "لا تمنع هذا المستخدم" msgid "Yes" msgstr "نعم" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "امنع هذا المستخدم" @@ -1550,7 +1550,7 @@ msgstr "" msgid "User is not a member of group." msgstr "المستخدم ليس عضوًا ÙÙ‰ المجموعه." -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "امنع المستخدم من المجموعة" @@ -1645,19 +1645,19 @@ msgstr "قائمه بمستخدمى هذه المجموعه." msgid "Admin" msgstr "إداري" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "امنع" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "اجعل هذا المستخدم إداريًا" @@ -2005,21 +2005,21 @@ msgid "" "(%%action.register%%) a new account." msgstr "" -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "" -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "" -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "لم يمكن الحصول على تسجيل العضويه Ù„%1$s ÙÙ‰ المجموعه %2$s." -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "لم يمكن جعل %1$s إداريا للمجموعه %2$s." @@ -2212,8 +2212,8 @@ msgstr "نوع المحتوى " msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr " مش نظام بيانات مدعوم." @@ -4244,7 +4244,7 @@ msgstr "مشكله أثناء Ø­Ùظ الإشعار." msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تى @%1$s %2$s" @@ -5790,47 +5790,47 @@ msgstr "رسالة" msgid "Moderate" msgstr "" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "قبل لحظات قليلة" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "قبل دقيقه تقريبًا" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "قبل ساعه تقريبًا" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "قبل يوم تقريبا" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "قبل شهر تقريبًا" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "قبل سنه تقريبًا" diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index 91528d18c..efe49b56a 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-07 20:31:37+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:14:17+0000\n" "Language-Team: Bulgarian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62096); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: out-statusnet\n" @@ -190,7 +190,7 @@ msgstr "Бележки от %1$s и приÑтели в %2$s." #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 msgid "API method not found." msgstr "Ðе е открит методът в API." @@ -816,7 +816,7 @@ msgstr "Да не Ñе блокира този потребител" msgid "Yes" msgstr "Да" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "Блокиране на потребителÑ" @@ -1596,7 +1596,7 @@ msgstr "ПотребителÑÑ‚ вече е блокиран за групат msgid "User is not a member of group." msgstr "ПотребителÑÑ‚ не членува в групата." -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 #, fuzzy msgid "Block user from group" msgstr "Блокиране на потребителÑ" @@ -1699,20 +1699,20 @@ msgstr "СпиÑък Ñ Ð¿Ð¾Ñ‚Ñ€ÐµÐ±Ð¸Ñ‚ÐµÐ»Ð¸Ñ‚Ðµ в тази група." msgid "Admin" msgstr "ÐаÑтройки" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "Блокиране" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 #, fuzzy msgid "Make user an admin of the group" msgstr "За да редактирате групата, Ñ‚Ñ€Ñбва да Ñте й админиÑтратор." -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "" @@ -2110,21 +2110,21 @@ msgstr "" "Влезте Ñ Ð¸Ð¼Ðµ и парола. ÐÑмате такива? [РегиÑтрирайте](%%action.register%%) " "нова Ñметка или опитайте Ñ [OpenID](%%action.openidlogin%%). " -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "" -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, fuzzy, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "ПотребителÑÑ‚ вече е блокиран за групата." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, fuzzy, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "Грешка при проÑледÑване — потребителÑÑ‚ не е намерен." -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, fuzzy, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "За да редактирате групата, Ñ‚Ñ€Ñбва да Ñте й админиÑтратор." @@ -2327,8 +2327,8 @@ msgstr "вид Ñъдържание " msgid "Only " msgstr "Само " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "Ðеподдържан формат на данните" @@ -4442,7 +4442,7 @@ msgstr "Проблем при запиÑване на бележката." msgid "DB error inserting reply: %s" msgstr "Грешка в базата от данни — отговор при вмъкването: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -6029,47 +6029,47 @@ msgstr "Съобщение" msgid "Moderate" msgstr "" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "преди нÑколко Ñекунди" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "преди около минута" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "преди около %d минути" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "преди около чаÑ" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "преди около %d чаÑа" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "преди около ден" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "преди около %d дни" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "преди около меÑец" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "преди около %d меÑеца" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "преди около година" diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index 9eb0feb63..d0b228c08 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -1,5 +1,6 @@ # Translation of StatusNet to Catalan # +# Author@translatewiki.net: Aleator # Author@translatewiki.net: McDutchie # Author@translatewiki.net: Toniher # -- @@ -9,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-07 20:31:40+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:14:20+0000\n" "Language-Team: Catalan\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62096); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: out-statusnet\n" @@ -195,7 +196,7 @@ msgstr "Actualitzacions de %1$s i amics a %2$s!" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "No s'ha trobat el mètode API!" @@ -833,7 +834,7 @@ msgstr "No bloquis l'usuari" msgid "Yes" msgstr "Sí" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "Bloquejar aquest usuari" @@ -1613,7 +1614,7 @@ msgstr "Un usuari t'ha bloquejat." msgid "User is not a member of group." msgstr "L'usuari no és membre del grup." -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "Bloca l'usuari del grup" @@ -1714,19 +1715,19 @@ msgstr "La llista dels usuaris d'aquest grup." msgid "Admin" msgstr "Admin" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "Bloca" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "Fes l'usuari un administrador del grup" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "Fes-lo administrador" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "Fes l'usuari administrador" @@ -2131,21 +2132,21 @@ msgstr "" "tens un nom d'usuari? [Crea](%%action.register%%) un nou compte o prova " "[OpenID] (%%action.openidlogin%%)." -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "Només un administrador poc fer a un altre usuari administrador." -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, fuzzy, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "%s ja és un administrador del grup «%s»." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, fuzzy, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "No s'ha pogut eliminar l'usuari %s del grup %s" -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, fuzzy, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "No es pot fer %s un administrador del grup %s" @@ -2349,8 +2350,8 @@ msgstr "tipus de contingut " msgid "Only " msgstr "Només " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "Format de data no suportat." @@ -4502,7 +4503,7 @@ msgstr "Problema en guardar l'avís." msgid "DB error inserting reply: %s" msgstr "Error de BD en inserir resposta: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -5117,11 +5118,10 @@ msgid "You are not a member of any groups." msgstr "No sou membre de cap grup." #: lib/command.php:714 -#, fuzzy msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" -msgstr[0] "No sou un membre del grup." -msgstr[1] "No sou un membre del grup." +msgstr[0] "Sou un membre d'aquest grup:" +msgstr[1] "Sou un membre d'aquests grups:" #: lib/command.php:728 msgid "" @@ -6085,47 +6085,47 @@ msgstr "Missatge" msgid "Moderate" msgstr "Modera" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "fa pocs segons" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "fa un minut" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "fa %d minuts" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "fa una hora" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "fa %d hores" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "fa un dia" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "fa %d dies" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "fa un mes" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "fa %d mesos" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "fa un any" diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index 81ba42d40..a5d6db600 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:53:47+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:14:23+0000\n" "Language-Team: Czech\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: out-statusnet\n" @@ -196,7 +196,7 @@ msgstr "" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Potvrzující kód nebyl nalezen" @@ -834,7 +834,7 @@ msgstr "Žádný takový uživatel." msgid "Yes" msgstr "Ano" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "Zablokovat tohoto uživatele" @@ -1619,7 +1619,7 @@ msgstr "Uživatel nemá profil." msgid "User is not a member of group." msgstr "Neodeslal jste nám profil" -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 #, fuzzy msgid "Block user from group" msgstr "Žádný takový uživatel." @@ -1723,19 +1723,19 @@ msgstr "" msgid "Admin" msgstr "" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "" @@ -2106,21 +2106,21 @@ msgstr "" "[Registrovat](%%action.register%%) nový úÄet, nebo vyzkouÅ¡ejte [OpenID](%%" "action.openidlogin%%)." -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "" -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, fuzzy, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "Uživatel nemá profil." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, fuzzy, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "Nelze vytvoÅ™it OpenID z: %s" -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, fuzzy, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "Uživatel nemá profil." @@ -2319,8 +2319,8 @@ msgstr "PÅ™ipojit" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "" @@ -4444,7 +4444,7 @@ msgstr "Problém pÅ™i ukládání sdÄ›lení" msgid "DB error inserting reply: %s" msgstr "Chyba v DB pÅ™i vkládání odpovÄ›di: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -6056,47 +6056,47 @@ msgstr "Zpráva" msgid "Moderate" msgstr "" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "pÅ™ed pár sekundami" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "asi pÅ™ed minutou" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "asi pÅ™ed %d minutami" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "asi pÅ™ed hodinou" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "asi pÅ™ed %d hodinami" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "asi pÅ™ede dnem" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "pÅ™ed %d dny" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "asi pÅ™ed mÄ›sícem" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "asi pÅ™ed %d mesíci" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "asi pÅ™ed rokem" diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index b8917d9d2..b9e53e254 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -13,12 +13,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-07 20:31:45+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:14:26+0000\n" "Language-Team: German\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62096); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: out-statusnet\n" @@ -208,7 +208,7 @@ msgstr "Aktualisierungen von %1$s und Freunden auf %2$s!" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 msgid "API method not found." msgstr "API-Methode nicht gefunden." @@ -832,7 +832,7 @@ msgstr "Diesen Benutzer freigeben" msgid "Yes" msgstr "Ja" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "Diesen Benutzer blockieren" @@ -1607,7 +1607,7 @@ msgstr "Dieser Nutzer ist bereits von der Gruppe gesperrt" msgid "User is not a member of group." msgstr "Nutzer ist kein Mitglied dieser Gruppe." -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "Benutzerzugang zu der Gruppe blockieren" @@ -1706,19 +1706,19 @@ msgstr "Liste der Benutzer in dieser Gruppe." msgid "Admin" msgstr "Admin" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "Blockieren" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "Benutzer zu einem Admin dieser Gruppe ernennen" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "Zum Admin ernennen" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "Diesen Benutzer zu einem Admin ernennen" @@ -2128,21 +2128,21 @@ msgstr "" "Melde dich mit Nutzernamen und Passwort an. Du hast noch keinen Nutzernamen? " "[Registriere](%%action.register%%) ein neues Konto." -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "Nur Administratoren können andere Nutzer zu Administratoren ernennen." -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, fuzzy, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "%s ist bereits ein Administrator der Gruppe „%s“." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, fuzzy, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "Konnte Benutzer %s aus der Gruppe %s nicht entfernen" -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, fuzzy, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "Konnte %s nicht zum Administrator der Gruppe %s machen" @@ -2347,8 +2347,8 @@ msgstr "Content-Typ " msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "Kein unterstütztes Datenformat." @@ -4511,7 +4511,7 @@ msgstr "Problem bei Speichern der Nachricht." msgid "DB error inserting reply: %s" msgstr "Datenbankfehler beim Einfügen der Antwort: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -6161,47 +6161,47 @@ msgstr "Nachricht" msgid "Moderate" msgstr "" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "vor wenigen Sekunden" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "vor einer Minute" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "vor %d Minuten" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "vor einer Stunde" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "vor %d Stunden" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "vor einem Tag" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "vor %d Tagen" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "vor einem Monat" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "vor %d Monaten" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "vor einem Jahr" diff --git a/locale/el/LC_MESSAGES/statusnet.po b/locale/el/LC_MESSAGES/statusnet.po index 4bc58dd6c..20365e04a 100644 --- a/locale/el/LC_MESSAGES/statusnet.po +++ b/locale/el/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:53:53+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:14:30+0000\n" "Language-Team: Greek\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: el\n" "X-Message-Group: out-statusnet\n" @@ -191,7 +191,7 @@ msgstr "" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Η μέθοδος του ΑΡΙ δε βÏέθηκε!" @@ -817,7 +817,7 @@ msgstr "Αδυναμία διαγÏαφής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… μηνÏματος msgid "Yes" msgstr "Îαι" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "" @@ -1594,7 +1594,7 @@ msgstr "" msgid "User is not a member of group." msgstr "" -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "" @@ -1692,20 +1692,20 @@ msgstr "" msgid "Admin" msgstr "ΔιαχειÏιστής" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 #, fuzzy msgid "Make Admin" msgstr "ΔιαχειÏιστής" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "" @@ -2067,21 +2067,21 @@ msgstr "" "ακόμα; Κάντε [εγγÏαφή](%%action.register%%) για ένα νέο λογαÏιασμό ή " "δοκιμάστε το [OpenID](%%action.openidlogin%%). " -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "" -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "" -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, fuzzy, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, fuzzy, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." @@ -2277,8 +2277,8 @@ msgstr "ΣÏνδεση" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "" @@ -4372,7 +4372,7 @@ msgstr "" msgid "DB error inserting reply: %s" msgstr "Σφάλμα βάσης δεδομένων κατά την εισαγωγή απάντησης: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -5933,47 +5933,47 @@ msgstr "Μήνυμα" msgid "Moderate" msgstr "" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "" diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index f896d4e29..6a7752006 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:53:56+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:14:33+0000\n" "Language-Team: British English\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: out-statusnet\n" @@ -196,7 +196,7 @@ msgstr "Updates from %1$s and friends on %2$s!" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 msgid "API method not found." msgstr "API method not found." @@ -819,7 +819,7 @@ msgstr "Do not block this user" msgid "Yes" msgstr "Yes" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "Block this user" @@ -1581,7 +1581,7 @@ msgstr "User is already blocked from group." msgid "User is not a member of group." msgstr "User is not a member of group." -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 #, fuzzy msgid "Block user from group" msgstr "Block user" @@ -1689,21 +1689,21 @@ msgstr "A list of the users in this group." msgid "Admin" msgstr "Admin" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "Block" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 #, fuzzy msgid "Make user an admin of the group" msgstr "You must be an admin to edit the group" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 #, fuzzy msgid "Make Admin" msgstr "Admin" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "" @@ -2103,21 +2103,21 @@ msgstr "" "Login with your username and password. Don't have a username yet? [Register]" "(%%action.register%%) a new account." -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "" -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, fuzzy, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "User is already blocked from group." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, fuzzy, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "Could not remove user %s to group %s" -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, fuzzy, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "You must be an admin to edit the group" @@ -2323,8 +2323,8 @@ msgstr "Connect" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "Not a supported data format." @@ -4501,7 +4501,7 @@ msgstr "Problem saving notice." msgid "DB error inserting reply: %s" msgstr "DB error inserting reply: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -6091,47 +6091,47 @@ msgstr "Message" msgid "Moderate" msgstr "" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "a few seconds ago" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "about a minute ago" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "about %d minutes ago" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "about an hour ago" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "about %d hours ago" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "about a day ago" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "about %d days ago" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "about a month ago" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "about %d months ago" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "about a year ago" diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index e1d780e98..a351c293b 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-07 20:31:54+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:14:36+0000\n" "Language-Team: Spanish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62096); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: out-statusnet\n" @@ -41,7 +41,7 @@ msgstr "Privado" #: actions/accessadminpanel.php:163 msgid "Prohibit anonymous users (not logged in) from viewing site?" -msgstr "¿Prohibir a los usuarios anónimos (no conectados) ver el sitio ?" +msgstr "¿Prohibir a los usuarios anónimos (no conectados) ver el sitio?" #: actions/accessadminpanel.php:167 msgid "Invite only" @@ -199,7 +199,7 @@ msgstr "¡Actualizaciones de %1$s y amigos en %2$s!" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 msgid "API method not found." msgstr "Método de API no encontrado." @@ -375,20 +375,20 @@ msgstr "No se pudo encontrar ningún usuario de destino." #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" -"El apodo debe tener solamente letras minúsculas y números y no puede tener " +"El usuario debe tener solamente letras minúsculas y números y no puede tener " "espacios." #: actions/apigroupcreate.php:173 actions/editgroup.php:186 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." -msgstr "El apodo ya existe. Prueba otro." +msgstr "El usuario ya existe. Prueba con otro." #: actions/apigroupcreate.php:180 actions/editgroup.php:189 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." -msgstr "Apodo no válido" +msgstr "Usuario inválido" #: actions/apigroupcreate.php:196 actions/editapplication.php:215 #: actions/editgroup.php:195 actions/newapplication.php:203 @@ -436,7 +436,7 @@ msgstr "El alias \"%s\" ya está en uso. Intenta usar otro." #: actions/apigroupcreate.php:286 actions/editgroup.php:234 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." -msgstr "El alias no puede ser el mismo que el apodo." +msgstr "El alias no puede ser el mismo que el usuario." #: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 #: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 @@ -790,9 +790,8 @@ msgid "Failed updating avatar." msgstr "Error al actualizar avatar." #: actions/avatarsettings.php:393 -#, fuzzy msgid "Avatar deleted." -msgstr "Avatar actualizado" +msgstr "Avatar borrado." #: actions/block.php:69 msgid "You already blocked that user." @@ -808,6 +807,9 @@ msgid "" "unsubscribed from you, unable to subscribe to you in the future, and you " "will not be notified of any @-replies from them." msgstr "" +"¿Realmente deseas bloquear a este usuario? Una vez que lo hagas, se " +"desuscribirá de tu cuenta, no podrá suscribirse a ella en el futuro y no se " +"te notificará de ninguna de sus respuestas @." #: actions/block.php:143 actions/deleteapplication.php:153 #: actions/deletenotice.php:145 actions/deleteuser.php:147 @@ -816,9 +818,8 @@ msgid "No" msgstr "No" #: actions/block.php:143 actions/deleteuser.php:147 -#, fuzzy msgid "Do not block this user" -msgstr "Desbloquear este usuario" +msgstr "No bloquear a este usuario" #: actions/block.php:144 actions/deleteapplication.php:158 #: actions/deletenotice.php:146 actions/deleteuser.php:148 @@ -826,7 +827,7 @@ msgstr "Desbloquear este usuario" msgid "Yes" msgstr "Sí" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "Bloquear este usuario." @@ -850,14 +851,14 @@ msgid "%s blocked profiles" msgstr "%s perfiles bloqueados" #: actions/blockedfromgroup.php:93 -#, fuzzy, php-format +#, php-format msgid "%1$s blocked profiles, page %2$d" -msgstr "%s y amigos, página %d" +msgstr "%1$s perfiles bloqueados, página %2$d" #: actions/blockedfromgroup.php:108 -#, fuzzy msgid "A list of the users blocked from joining this group." -msgstr "Lista de los usuarios en este grupo." +msgstr "" +"Una lista de los usuarios que han sido bloqueados para unirse a este grupo." #: actions/blockedfromgroup.php:281 msgid "Unblock user from group" @@ -928,9 +929,8 @@ msgid "Notices" msgstr "Avisos" #: actions/deleteapplication.php:63 -#, fuzzy msgid "You must be logged in to delete an application." -msgstr "Debes estar conectado para editar un grupo." +msgstr "Debes estar registrado para borrar una aplicación." #: actions/deleteapplication.php:71 msgid "Application not found." @@ -957,11 +957,13 @@ msgid "" "about the application from the database, including all existing user " "connections." msgstr "" +"¿Estás seguro de que quieres eliminar esta aplicación? Esto borrará todos " +"los datos acerca de la aplicación de la base de datos, incluyendo todas las " +"conexiones de usuario existente." #: actions/deleteapplication.php:156 -#, fuzzy msgid "Do not delete this application" -msgstr "No se puede eliminar este aviso." +msgstr "No eliminar esta aplicación" #: actions/deleteapplication.php:160 msgid "Delete this application" @@ -982,13 +984,12 @@ msgid "Can't delete this notice." msgstr "No se puede eliminar este aviso." #: actions/deletenotice.php:103 -#, fuzzy msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." msgstr "" -"Estás a punto de eliminar permanentemente un aviso. Si lo hace, no se podrá " -"deshacer" +"Estás a punto de eliminar un mensaje permanentemente. Una vez hecho esto, no " +"lo puedes deshacer." #: actions/deletenotice.php:109 actions/deletenotice.php:141 msgid "Delete notice" @@ -999,9 +1000,8 @@ msgid "Are you sure you want to delete this notice?" msgstr "¿Estás seguro de que quieres eliminar este aviso?" #: actions/deletenotice.php:145 -#, fuzzy msgid "Do not delete this notice" -msgstr "No se puede eliminar este aviso." +msgstr "No eliminar este mensaje" #: actions/deletenotice.php:146 lib/noticelist.php:624 msgid "Delete this notice" @@ -1012,9 +1012,8 @@ msgid "You cannot delete users." msgstr "No puedes borrar usuarios." #: actions/deleteuser.php:74 -#, fuzzy msgid "You can only delete local users." -msgstr "No puedes borrar el estado de otro usuario." +msgstr "Sólo puedes eliminar usuarios locales." #: actions/deleteuser.php:110 actions/deleteuser.php:133 msgid "Delete user" @@ -1025,6 +1024,8 @@ msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" +"¿Realmente deseas eliminar este usuario? Esto borrará de la base de datos " +"todos los datos sobre el usuario, sin dejar una copia de seguridad." #: actions/deleteuser.php:148 lib/deleteuserform.php:77 msgid "Delete this user" @@ -1033,16 +1034,15 @@ msgstr "Borrar este usuario" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 #: lib/adminpanelaction.php:316 lib/groupnav.php:119 msgid "Design" -msgstr "" +msgstr "Diseño" #: actions/designadminpanel.php:73 msgid "Design settings for this StatusNet site." -msgstr "" +msgstr "Configuración de diseño de este sitio StatusNet." #: actions/designadminpanel.php:275 -#, fuzzy msgid "Invalid logo URL." -msgstr "Tamaño inválido." +msgstr "URL de logotipo inválido." #: actions/designadminpanel.php:279 #, php-format @@ -1058,14 +1058,12 @@ msgid "Site logo" msgstr "Logo del sitio" #: actions/designadminpanel.php:387 -#, fuzzy msgid "Change theme" -msgstr "Cambiar" +msgstr "Cambiar el tema" #: actions/designadminpanel.php:404 -#, fuzzy msgid "Site theme" -msgstr "Aviso de sitio" +msgstr "Tema del sitio" #: actions/designadminpanel.php:405 msgid "Theme for the site." @@ -1073,35 +1071,37 @@ msgstr "Tema para el sitio." #: actions/designadminpanel.php:417 lib/designsettings.php:101 msgid "Change background image" -msgstr "" +msgstr "Cambiar la imagen de fondo" #: actions/designadminpanel.php:422 actions/designadminpanel.php:497 #: lib/designsettings.php:178 msgid "Background" -msgstr "" +msgstr "Fondo" #: actions/designadminpanel.php:427 -#, fuzzy, php-format +#, php-format msgid "" "You can upload a background image for the site. The maximum file size is %1" "$s." -msgstr "Puedes cargar una imagen de logo para tu grupo." +msgstr "" +"Puedes subir una imagen de fondo para el sitio. El tamaño máximo de archivo " +"es %1$s." #: actions/designadminpanel.php:457 lib/designsettings.php:139 msgid "On" -msgstr "" +msgstr "Activado" #: actions/designadminpanel.php:473 lib/designsettings.php:155 msgid "Off" -msgstr "" +msgstr "Desactivado" #: actions/designadminpanel.php:474 lib/designsettings.php:156 msgid "Turn background image on or off." -msgstr "" +msgstr "Activar o desactivar la imagen de fondo." #: actions/designadminpanel.php:479 lib/designsettings.php:161 msgid "Tile background image" -msgstr "" +msgstr "Imagen de fondo en mosaico" #: actions/designadminpanel.php:488 lib/designsettings.php:170 msgid "Change colours" @@ -1112,9 +1112,8 @@ msgid "Content" msgstr "Contenido" #: actions/designadminpanel.php:523 lib/designsettings.php:204 -#, fuzzy msgid "Sidebar" -msgstr "Buscar" +msgstr "Barra lateral" #: actions/designadminpanel.php:536 lib/designsettings.php:217 msgid "Text" @@ -1126,19 +1125,19 @@ msgstr "Vínculos" #: actions/designadminpanel.php:577 lib/designsettings.php:247 msgid "Use defaults" -msgstr "" +msgstr "Utilizar los valores predeterminados" #: actions/designadminpanel.php:578 lib/designsettings.php:248 msgid "Restore default designs" -msgstr "" +msgstr "Restaurar los diseños predeterminados" #: actions/designadminpanel.php:584 lib/designsettings.php:254 msgid "Reset back to default" -msgstr "" +msgstr "Volver a los valores predeterminados" #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" -msgstr "" +msgstr "Guardar el diseño" #: actions/disfavor.php:81 msgid "This notice is not a favorite!" @@ -1149,85 +1148,74 @@ msgid "Add to favorites" msgstr "Agregar a favoritos" #: actions/doc.php:158 -#, fuzzy, php-format +#, php-format msgid "No such document \"%s\"" -msgstr "No existe ese documento." +msgstr "No existe tal documento \"%s\"" #: actions/editapplication.php:54 -#, fuzzy msgid "Edit Application" -msgstr "Otras opciones" +msgstr "Editar aplicación" #: actions/editapplication.php:66 -#, fuzzy msgid "You must be logged in to edit an application." -msgstr "Debes estar conectado para editar un grupo." +msgstr "Debes haber iniciado sesión para editar una aplicación." #: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 -#, fuzzy msgid "No such application." -msgstr "No existe ese aviso." +msgstr "No existe tal aplicación." #: actions/editapplication.php:161 -#, fuzzy msgid "Use this form to edit your application." -msgstr "Usa este formulario para editar el grupo." +msgstr "Utiliza este formulario para editar tu aplicación." #: actions/editapplication.php:177 actions/newapplication.php:159 -#, fuzzy msgid "Name is required." -msgstr "Igual a la contraseña de arriba. Requerida" +msgstr "Se requiere un nombre" #: actions/editapplication.php:180 actions/newapplication.php:165 -#, fuzzy msgid "Name is too long (max 255 chars)." -msgstr "Tu nombre es demasiado largo (max. 255 carac.)" +msgstr "El nombre es muy largo (máx. 255 carac.)" #: actions/editapplication.php:183 actions/newapplication.php:162 -#, fuzzy msgid "Name already in use. Try another one." -msgstr "El apodo ya existe. Prueba otro." +msgstr "Ese nombre ya está en uso. Prueba con otro." #: actions/editapplication.php:186 actions/newapplication.php:168 -#, fuzzy msgid "Description is required." -msgstr "Descripción" +msgstr "Se requiere una descripción" #: actions/editapplication.php:194 msgid "Source URL is too long." -msgstr "" +msgstr "El URL fuente es muy largo." #: actions/editapplication.php:200 actions/newapplication.php:185 -#, fuzzy msgid "Source URL is not valid." -msgstr "La página de inicio no es un URL válido." +msgstr "La URL fuente es inválida." #: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." -msgstr "" +msgstr "Se requiere una organización." #: actions/editapplication.php:206 actions/newapplication.php:191 -#, fuzzy msgid "Organization is too long (max 255 chars)." -msgstr "La ubicación es demasiado larga (máx. 255 caracteres)." +msgstr "El texto de organización es muy largo (máx. 255 caracteres)." #: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." -msgstr "" +msgstr "Se requiere una página principal de organización" #: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." -msgstr "" +msgstr "La devolución de llamada es muy larga." #: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." -msgstr "" +msgstr "El URL de devolución de llamada es inválido." #: actions/editapplication.php:258 -#, fuzzy msgid "Could not update application." -msgstr "No se pudo actualizar el grupo." +msgstr "No fue posible actualizar la aplicación." #: actions/editgroup.php:56 #, php-format @@ -1240,36 +1228,33 @@ msgstr "Debes estar conectado para crear un grupo" #: actions/editgroup.php:103 actions/editgroup.php:168 #: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 -#, fuzzy msgid "You must be an admin to edit the group." -msgstr "Debes ser un admin para editar el grupo" +msgstr "Para editar el grupo debes ser administrador." #: actions/editgroup.php:154 msgid "Use this form to edit the group." msgstr "Usa este formulario para editar el grupo." #: actions/editgroup.php:201 actions/newgroup.php:145 -#, fuzzy, php-format +#, php-format msgid "description is too long (max %d chars)." -msgstr "Descripción es demasiado larga (máx. 140 caracteres)." +msgstr "La descripción es muy larga (máx. %d caracteres)." #: actions/editgroup.php:253 msgid "Could not update group." msgstr "No se pudo actualizar el grupo." #: actions/editgroup.php:259 classes/User_group.php:390 -#, fuzzy msgid "Could not create aliases." -msgstr "No se pudo crear favorito." +msgstr "No fue posible crear alias." #: actions/editgroup.php:269 msgid "Options saved." msgstr "Se guardó Opciones." #: actions/emailsettings.php:60 -#, fuzzy msgid "Email settings" -msgstr "Opciones de Email" +msgstr "Configuración del correo electrónico" #: actions/emailsettings.php:71 #, php-format @@ -1306,9 +1291,8 @@ msgid "Cancel" msgstr "Cancelar" #: actions/emailsettings.php:121 -#, fuzzy msgid "Email address" -msgstr "Direcciones de correo electrónico" +msgstr "Dirección de correo electrónico" #: actions/emailsettings.php:123 msgid "Email address, like \"UserName@example.org\"" @@ -1355,10 +1339,9 @@ msgstr "" "Enviarme un correo electrónico cuando alguien me envía un mensaje privado." #: actions/emailsettings.php:174 -#, fuzzy msgid "Send me email when someone sends me an \"@-reply\"." msgstr "" -"Enviarme un correo electrónico cuando alguien me envía un mensaje privado." +"Enviarme un correo electrónico cuando alguien me envíe una \"@-respuesta\"." #: actions/emailsettings.php:179 msgid "Allow friends to nudge me and send me an email." @@ -1462,29 +1445,31 @@ msgstr "Sacar favorito" #: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 -#, fuzzy msgid "Popular notices" -msgstr "Avisos populares" +msgstr "Mensajes populares" #: actions/favorited.php:67 -#, fuzzy, php-format +#, php-format msgid "Popular notices, page %d" -msgstr "Avisos populares, página %d" +msgstr "Mensajes populares, página %d" #: actions/favorited.php:79 -#, fuzzy msgid "The most popular notices on the site right now." -msgstr "Ahora se muestran los avisos más populares en el sitio." +msgstr "Los mensajes más populares del sitio en este momento." #: actions/favorited.php:150 msgid "Favorite notices appear on this page but no one has favorited one yet." msgstr "" +"Los mensajes favoritos aparecen en esta página, pero todavía nadie ha " +"marcado algún mensaje como favorito." #: actions/favorited.php:153 msgid "" "Be the first to add a notice to your favorites by clicking the fave button " "next to any notice you like." msgstr "" +"Se la primera persona en añadir un mensaje a tus favoritos con el botón de " +"favoritos que se encuentra al lado de cualquier mensaje que te guste." #: actions/favorited.php:156 #, php-format @@ -1492,6 +1477,8 @@ msgid "" "Why not [register an account](%%action.register%%) and be the first to add a " "notice to your favorites!" msgstr "" +"¿Por qué no [registrar una cuenta](%%action.register%%) y ser la primera " +"persona en añadir un mensaje a tus favoritos?" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 #: lib/personalgroupnav.php:115 @@ -1500,9 +1487,9 @@ msgid "%s's favorite notices" msgstr "Avisos favoritos de %s" #: actions/favoritesrss.php:115 -#, fuzzy, php-format +#, php-format msgid "Updates favored by %1$s on %2$s!" -msgstr "¡Actualizaciones de %1$s en %2$s!" +msgstr "¡Actualizaciones favorecidas por %1$ s en %2$s!" #: actions/featured.php:69 lib/featureduserssection.php:87 #: lib/publicgroupnav.php:89 @@ -1515,14 +1502,13 @@ msgid "Featured users, page %d" msgstr "Usuarios que figuran, página %d" #: actions/featured.php:99 -#, fuzzy, php-format +#, php-format msgid "A selection of some great users on %s" -msgstr "Una selección de algunos de los grandes usuarios en %s" +msgstr "Una selección de fantásticos usuarios en %s" #: actions/file.php:34 -#, fuzzy msgid "No notice ID." -msgstr "Nuevo aviso" +msgstr "No hay ID de mensaje." #: actions/file.php:38 msgid "No notice." @@ -1557,14 +1543,12 @@ msgid "You are not authorized." msgstr "No estás autorizado." #: actions/finishremotesubscribe.php:113 -#, fuzzy msgid "Could not convert request token to access token." -msgstr "No se pudieron convertir las clavesde petición a claves de acceso." +msgstr "No se pudo convertir el token de solicitud en token de acceso." #: actions/finishremotesubscribe.php:118 -#, fuzzy msgid "Remote service uses unknown version of OMB protocol." -msgstr "Versión desconocida del protocolo OMB." +msgstr "El servicio remoto utiliza una versión desconocida del protocolo OMB." #: actions/finishremotesubscribe.php:138 lib/oauthstore.php:306 msgid "Error updating remote profile" @@ -1597,7 +1581,7 @@ msgstr "Grupo no especificado." #: actions/groupblock.php:91 msgid "Only an admin can block group members." -msgstr "" +msgstr "Sólo un administrador puede bloquear miembros de un grupo." #: actions/groupblock.php:95 msgid "User is already blocked from group." @@ -1607,7 +1591,7 @@ msgstr "Usuario ya está bloqueado del grupo." msgid "User is not a member of group." msgstr "Usuario no es miembro del grupo" -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "Bloquear usuario de grupo" @@ -1618,6 +1602,9 @@ msgid "" "will be removed from the group, unable to post, and unable to subscribe to " "the group in the future." msgstr "" +"¿Realmente deseas bloquear al usuario \"%1$s\" del grupo \"%2$s\"? Se " +"eliminará del grupo y no podrá publicar ni suscribirse al grupo en lo " +"sucesivo." #: actions/groupblock.php:178 msgid "Do not block this user from this group" @@ -1630,6 +1617,8 @@ msgstr "Bloquear este usuario de este grupo" #: actions/groupblock.php:196 msgid "Database error blocking user from group." msgstr "" +"Se ha producido un error en la base de datos al bloquear el usuario del " +"grupo." #: actions/groupbyid.php:74 actions/userbyid.php:70 msgid "No ID." @@ -1640,56 +1629,53 @@ msgid "You must be logged in to edit a group." msgstr "Debes estar conectado para editar un grupo." #: actions/groupdesignsettings.php:141 -#, fuzzy msgid "Group design" -msgstr "Grupos" +msgstr "Diseño de grupo" #: actions/groupdesignsettings.php:152 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "" +"Personaliza el aspecto de tu grupo con una imagen de fondo y la paleta de " +"colores que prefieras." #: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 -#, fuzzy msgid "Couldn't update your design." -msgstr "No se pudo actualizar el usuario." +msgstr "No fue posible actualizar tu diseño." #: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 -#, fuzzy msgid "Design preferences saved." -msgstr "Preferencias de sincronización guardadas." +msgstr "Preferencias de diseño guardadas." #: actions/grouplogo.php:139 actions/grouplogo.php:192 msgid "Group logo" msgstr "Logo de grupo" #: actions/grouplogo.php:150 -#, fuzzy, php-format +#, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." -msgstr "Puedes cargar una imagen de logo para tu grupo." +msgstr "" +"Puedes subir una imagen de logo para tu grupo. El tamaño máximo del archivo " +"debe ser %s." #: actions/grouplogo.php:178 -#, fuzzy msgid "User without matching profile." -msgstr "Usuario sin perfil equivalente" +msgstr "Usuario sin perfil coincidente." #: actions/grouplogo.php:362 -#, fuzzy msgid "Pick a square area of the image to be the logo." -msgstr "Elige un área cuadrada de la imagen para que sea tu avatar" +msgstr "Elige un área cuadrada de la imagen para que sea tu logo." #: actions/grouplogo.php:396 -#, fuzzy msgid "Logo updated." -msgstr "SE actualizó logo." +msgstr "Logo actualizado." #: actions/grouplogo.php:398 -#, fuzzy msgid "Failed updating logo." -msgstr "Error al actualizar logo." +msgstr "Error al actualizar el logo." #: actions/groupmembers.php:93 lib/groupnav.php:92 #, php-format @@ -1697,9 +1683,9 @@ msgid "%s group members" msgstr "Miembros del grupo %s" #: actions/groupmembers.php:96 -#, fuzzy, php-format +#, php-format msgid "%1$s group members, page %2$d" -msgstr "Miembros del grupo %s, página %d" +msgstr "%1$s miembros de grupo, página %2$d" #: actions/groupmembers.php:111 msgid "A list of the users in this group." @@ -1709,28 +1695,26 @@ msgstr "Lista de los usuarios en este grupo." msgid "Admin" msgstr "Admin" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "Bloquear" -#: actions/groupmembers.php:441 -#, fuzzy +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" -msgstr "Debes ser un admin para editar el grupo" +msgstr "Convertir al usuario en administrador del grupo" -#: actions/groupmembers.php:473 -#, fuzzy +#: actions/groupmembers.php:475 msgid "Make Admin" -msgstr "Admin" +msgstr "Convertir en administrador" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" -msgstr "" +msgstr "Convertir a este usuario en administrador" #: actions/grouprss.php:133 -#, fuzzy, php-format +#, php-format msgid "Updates from members of %1$s on %2$s!" -msgstr "¡Actualizaciones de %1$s en %2$s!" +msgstr "¡Actualizaciones de miembros de %1$s en %2$s!" #: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 @@ -1751,30 +1735,33 @@ msgid "" "for one](%%%%action.groupsearch%%%%) or [start your own!](%%%%action.newgroup" "%%%%)" msgstr "" +"Grupos %%%%site.name%%%% te permiten encontrar gente de intereses afines a " +"los tuyo y hablar con ellos. Después de unirte al grupo, podrás enviarle " +"mensajes a todos sus miembros mediante la sintaxis \"!groupname\". ¿No " +"encuentras un grupo que te guste? ¡Intenta [buscar otro](%%%%action." +"groupsearch%%%%) o [crea tú uno!](%%%%action.newgroup%%%%)" #: actions/groups.php:107 actions/usergroups.php:124 lib/groupeditform.php:122 msgid "Create a new group" msgstr "Crear un nuevo grupo" #: actions/groupsearch.php:52 -#, fuzzy, php-format +#, php-format msgid "" "Search for groups on %%site.name%% by their name, location, or description. " "Separate the terms by spaces; they must be 3 characters or more." msgstr "" -"Buscar personas en %%site.name%% por nombre, ubicación o intereses. Separa " -"los términos con espacios; deben tener una longitud mínima de 3 caracteres." +"Busca grupos en %%site.name%% por su nombre, ubicación o descripción. Separa " +"los términos con espacios. Los términos tienen que ser de 3 o más caracteres." #: actions/groupsearch.php:58 -#, fuzzy msgid "Group search" -msgstr "Buscador de grupos" +msgstr "Búsqueda en grupos" #: actions/groupsearch.php:79 actions/noticesearch.php:117 #: actions/peoplesearch.php:83 -#, fuzzy msgid "No results." -msgstr "Ningún resultado" +msgstr "No se obtuvo resultados." #: actions/groupsearch.php:82 #, php-format @@ -1782,6 +1769,8 @@ msgid "" "If you can't find the group you're looking for, you can [create it](%%action." "newgroup%%) yourself." msgstr "" +"Si no puedes encontrar el grupo que estás buscando, puedes [crearlo] (%%" +"action.newgroup%%) tú mismo." #: actions/groupsearch.php:85 #, php-format @@ -1789,23 +1778,22 @@ msgid "" "Why not [register an account](%%action.register%%) and [create the group](%%" "action.newgroup%%) yourself!" msgstr "" +"¿Por qué no [registras una cuenta](%%action.register%%) y [creas el grupo](%%" +"action.newgroup%%) tú mismo?" #: actions/groupunblock.php:91 msgid "Only an admin can unblock group members." -msgstr "" +msgstr "Sólo un administrador puede desbloquear miembros de grupos." #: actions/groupunblock.php:95 -#, fuzzy msgid "User is not blocked from group." -msgstr "El usuario te ha bloqueado." +msgstr "El usuario no está bloqueado del grupo." #: actions/groupunblock.php:128 actions/unblock.php:86 -#, fuzzy msgid "Error removing the block." -msgstr "Error al sacar bloqueo." +msgstr "Se ha producido un error al eliminar el bloque." #: actions/imsettings.php:59 -#, fuzzy msgid "IM settings" msgstr "Configuración de mensajería instantánea" @@ -1819,9 +1807,8 @@ msgstr "" "Jabber/GTalk. Configura tu dirección y opciones abajo." #: actions/imsettings.php:89 -#, fuzzy msgid "IM is not available." -msgstr "Esta página no está disponible en un " +msgstr "La mensajería instantánea no está disponible." #: actions/imsettings.php:106 msgid "Current confirmed Jabber/GTalk address." @@ -1838,7 +1825,6 @@ msgstr "" "de amigos?)" #: actions/imsettings.php:124 -#, fuzzy msgid "IM address" msgstr "Dirección de mensajería instantánea" @@ -1904,9 +1890,9 @@ msgid "That is not your Jabber ID." msgstr "Ese no es tu Jabber ID." #: actions/inbox.php:59 -#, fuzzy, php-format +#, php-format msgid "Inbox for %1$s - page %2$d" -msgstr "Bandeja de entrada para %s" +msgstr "Bandeja de entrada de %1$s - página %2$d" #: actions/inbox.php:62 #, php-format @@ -1920,7 +1906,7 @@ msgstr "" #: actions/invite.php:39 msgid "Invites have been disabled." -msgstr "" +msgstr "Se han inhabilitado las invitaciones." #: actions/invite.php:41 #, php-format @@ -1999,7 +1985,7 @@ msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s te ha invitado a que te unas con el/ellos en %2$s" #: actions/invite.php:228 -#, fuzzy, php-format +#, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" "\n" @@ -2028,55 +2014,54 @@ msgid "" "\n" "Sincerely, %2$s\n" msgstr "" -"%1$s te ha invitado a unirte a ellos en %2$s (%3$s).\n" +"%1$s te ha invitado a unirte a %2$s (%3$s).\n" "\n" -"%2$s es un servicio de microblogueo que te permite estar al tanto de la " -"gente que conoces y que te interesa.\n" +"%2$s es un servicio de microblogueo que te permite mantenerte al corriente " +"de las personas que sigues y que te interesan.\n" "\n" -"Puedes compartir noticias sobre tí mismo, tus pensamientos, o tu vida en " -"línea con gente que te conoce. También es bueno para conocer gente que " -"comparta tus intereses.\n" +"También puedes compartir noticias acerca de tí, tus pensamientos o tu vida " +"en línea con la gente que sabe de tí. También es una excelente herramienta " +"para conocer gente nueva que comparta tus intereses.\n" "\n" -"%1$s dijo:\n" +"%1$s ha dicho:\n" "\n" "%4$s\n" "\n" -"Puedes ver el perfil de %1$s en %2$s aquí:\n" +"Puedes ver el perfil de %1$s aquí en %2$s:\n" "\n" "%5$s\n" "\n" -"Si quieres inscribirte y probar el servicio, haz click en enlace debajo para " +"Si quieres probar el sevicio, haz clic en el vínculo a continuación para " "aceptar la invitación.\n" "\n" "%6$s\n" "\n" -"Si no deseas inscribirte puedes ignorar este mensaje. Gracias por tu " -"paciencia y tiempo.\n" +"Si por el contrario, no quieres, ignora este mensaje. Muchas gracias por tu " +"paciencia y por tu tiempo.\n" "\n" -"Sinceramente, %2$s\n" +"Saludos cordiales, %2$s\n" #: actions/joingroup.php:60 msgid "You must be logged in to join a group." msgstr "Debes estar conectado para unirte a un grupo." #: actions/joingroup.php:131 -#, fuzzy, php-format +#, php-format msgid "%1$s joined group %2$s" -msgstr "%s se unió a grupo %s" +msgstr "%1$s se ha unido al grupo %2$" #: actions/leavegroup.php:60 msgid "You must be logged in to leave a group." msgstr "Debes estar conectado para dejar un grupo." #: actions/leavegroup.php:90 lib/command.php:265 -#, fuzzy msgid "You are not a member of that group." -msgstr "No eres miembro de ese grupo" +msgstr "No eres miembro de este grupo." #: actions/leavegroup.php:127 -#, fuzzy, php-format +#, php-format msgid "%1$s left group %2$s" -msgstr "%s dejó grupo %s" +msgstr "%1$s ha dejado el grupo %2$s" #: actions/login.php:80 actions/otp.php:62 actions/register.php:137 msgid "Already logged in." @@ -2087,9 +2072,8 @@ msgid "Incorrect username or password." msgstr "Nombre de usuario o contraseña incorrectos." #: actions/login.php:132 actions/otp.php:120 -#, fuzzy msgid "Error setting user. You are probably not authorized." -msgstr "No autorizado." +msgstr "Error al configurar el usuario. Posiblemente no tengas autorización." #: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 @@ -2123,61 +2107,57 @@ msgstr "" "contraseña antes de cambiar tu configuración." #: actions/login.php:270 -#, fuzzy, php-format +#, php-format msgid "" "Login with your username and password. Don't have a username yet? [Register]" "(%%action.register%%) a new account." msgstr "" -"Inicia una sesión con tu usuario y contraseña. ¿Aún no tienes usuario? [Crea]" -"(%%action.register%%) una cuenta nueva o prueba [OpenID] (%%action." -"openidlogin%%). " +"Inicia sesión con tu usuario y contraseña. ¿Aún no tienes usuario? [Crea](%%" +"action.register%%) una cuenta." -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "" +"Sólo los administradores pueden convertir a un usuario en administrador." -#: actions/makeadmin.php:95 -#, fuzzy, php-format +#: actions/makeadmin.php:96 +#, php-format msgid "%1$s is already an admin for group \"%2$s\"." -msgstr "Usuario ya está bloqueado del grupo." +msgstr "%1$s ya es un administrador del grupo \"%2$s\"." -#: actions/makeadmin.php:132 -#, fuzzy, php-format +#: actions/makeadmin.php:133 +#, php-format msgid "Can't get membership record for %1$s in group %2$s." -msgstr "No se pudo eliminar a usuario %s de grupo %s" +msgstr "No se puede obtener el registro de membresía de %1$s en el grupo %2$s." -#: actions/makeadmin.php:145 -#, fuzzy, php-format +#: actions/makeadmin.php:146 +#, php-format msgid "Can't make %1$s an admin for group %2$s." -msgstr "Debes ser un admin para editar el grupo" +msgstr "No es posible convertir a %1$s en administrador del grupo %2$s." #: actions/microsummary.php:69 msgid "No current status" msgstr "No existe estado actual" #: actions/newapplication.php:52 -#, fuzzy msgid "New Application" -msgstr "No existe ese aviso." +msgstr "Nueva aplicación" #: actions/newapplication.php:64 -#, fuzzy msgid "You must be logged in to register an application." -msgstr "Debes estar conectado para crear un grupo" +msgstr "Debes conectarte para registrar una aplicación." #: actions/newapplication.php:143 -#, fuzzy msgid "Use this form to register a new application." -msgstr "Usa este formulario para crear un grupo nuevo." +msgstr "Utiliza este formulario para registrar una nueva aplicación." #: actions/newapplication.php:176 msgid "Source URL is required." -msgstr "" +msgstr "Se requiere la URL fuente." #: actions/newapplication.php:258 actions/newapplication.php:267 -#, fuzzy msgid "Could not create application." -msgstr "No se pudo crear favorito." +msgstr "No se pudo crear la aplicación." #: actions/newgroup.php:53 msgid "New group" @@ -2210,14 +2190,13 @@ msgid "" msgstr "No te auto envíes un mensaje; dícetelo a ti mismo." #: actions/newmessage.php:181 -#, fuzzy msgid "Message sent" -msgstr "Mensaje" +msgstr "Mensaje enviado" #: actions/newmessage.php:185 -#, fuzzy, php-format +#, php-format msgid "Direct message to %s sent." -msgstr "Se envió mensaje directo a %s" +msgstr "Se ha enviado un mensaje directo a %s." #: actions/newmessage.php:210 actions/newnotice.php:245 lib/channel.php:170 msgid "Ajax Error" @@ -2228,9 +2207,8 @@ msgid "New notice" msgstr "Nuevo aviso" #: actions/newnotice.php:211 -#, fuzzy msgid "Notice posted" -msgstr "Aviso publicado" +msgstr "Mensaje publicado" #: actions/noticesearch.php:68 #, php-format @@ -2246,9 +2224,9 @@ msgid "Text search" msgstr "Búsqueda de texto" #: actions/noticesearch.php:91 -#, fuzzy, php-format +#, php-format msgid "Search results for \"%1$s\" on %2$s" -msgstr "Busca \"%s\" en la Corriente" +msgstr "Resultados de la búsqueda de \"%1$s\" en %2$s" #: actions/noticesearch.php:121 #, php-format @@ -2256,6 +2234,8 @@ msgid "" "Be the first to [post on this topic](%%%%action.newnotice%%%%?" "status_textarea=%s)!" msgstr "" +"Sé la primera persona en [publicar algo en este tema](%%%%action.newnotice%%%" +"%?status_textarea=%s)!" #: actions/noticesearch.php:124 #, php-format @@ -2263,16 +2243,20 @@ msgid "" "Why not [register an account](%%%%action.register%%%%) and be the first to " "[post on this topic](%%%%action.newnotice%%%%?status_textarea=%s)!" msgstr "" +"¿Por qué no [registras una cuenta](%%%%action.register%%%%) y te conviertes " +"en la primera persona en [publicar algo en este tema](%%%%action.newnotice%%%" +"%?status_textarea=%s)?" #: actions/noticesearchrss.php:96 -#, fuzzy, php-format +#, php-format msgid "Updates with \"%s\"" -msgstr "¡Actualizaciones de %1$s en %2$s!" +msgstr "Actualizaciones con \"%s\"" #: actions/noticesearchrss.php:98 -#, fuzzy, php-format +#, php-format msgid "Updates matching search term \"%1$s\" on %2$s!" -msgstr "Todas las actualizaciones que corresponden a la frase a buscar \"%s\"" +msgstr "" +"¡Actualizaciones que contienen el término de búsqueda \"%1$s\" en %2$s!" #: actions/nudge.php:85 msgid "" @@ -2286,54 +2270,52 @@ msgid "Nudge sent" msgstr "Se envió zumbido" #: actions/nudge.php:97 -#, fuzzy msgid "Nudge sent!" -msgstr "¡Zumbido enviado!" +msgstr "¡Codazo enviado!" #: actions/oauthappssettings.php:59 -#, fuzzy msgid "You must be logged in to list your applications." -msgstr "Debes estar conectado para editar un grupo." +msgstr "Debes estar conectado para listar tus aplicaciones." #: actions/oauthappssettings.php:74 -#, fuzzy msgid "OAuth applications" -msgstr "Otras opciones" +msgstr "Aplicaciones OAuth" #: actions/oauthappssettings.php:85 msgid "Applications you have registered" -msgstr "" +msgstr "Aplicaciones que has registrado" #: actions/oauthappssettings.php:135 #, php-format msgid "You have not registered any applications yet." -msgstr "" +msgstr "Aún no has registrado aplicación alguna." #: actions/oauthconnectionssettings.php:72 msgid "Connected applications" -msgstr "" +msgstr "Aplicaciones conectadas" #: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." -msgstr "" +msgstr "Has permitido a las siguientes aplicaciones acceder a tu cuenta." #: actions/oauthconnectionssettings.php:175 -#, fuzzy msgid "You are not a user of that application." -msgstr "No eres miembro de ese grupo" +msgstr "No eres un usuario de esa aplicación." #: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " -msgstr "" +msgstr "No se puede revocar el acceso para la aplicación: " #: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." -msgstr "" +msgstr "No has autorizado a ninguna aplicación utilizar tu cuenta." #: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" +"Los desarrolladores pueden editar la configuración de registro de sus " +"aplicaciones " #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" @@ -2345,16 +2327,15 @@ msgid "%1$s's status on %2$s" msgstr "estado de %1$s en %2$s" #: actions/oembed.php:157 -#, fuzzy msgid "content type " -msgstr "Conectarse" +msgstr "tipo de contenido " #: actions/oembed.php:160 msgid "Only " -msgstr "" +msgstr "Sólo " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "No es un formato de dato soportado" @@ -2367,9 +2348,8 @@ msgid "Notice Search" msgstr "Búsqueda de avisos" #: actions/othersettings.php:60 -#, fuzzy msgid "Other settings" -msgstr "Otras configuraciones" +msgstr "Otros ajustes" #: actions/othersettings.php:71 msgid "Manage various other options." @@ -2377,29 +2357,27 @@ msgstr "Manejo de varias opciones adicionales." #: actions/othersettings.php:108 msgid " (free service)" -msgstr "" +msgstr "  (servicio gratuito)" #: actions/othersettings.php:116 msgid "Shorten URLs with" -msgstr "" +msgstr "Acortar las URL con" #: actions/othersettings.php:117 msgid "Automatic shortening service to use." msgstr "Servicio de acorte automático a usar." #: actions/othersettings.php:122 -#, fuzzy msgid "View profile designs" -msgstr "Configuración del perfil" +msgstr "Ver diseños de perfil" #: actions/othersettings.php:123 msgid "Show or hide profile designs." -msgstr "" +msgstr "Ocultar o mostrar diseños de perfil." #: actions/othersettings.php:153 -#, fuzzy msgid "URL shortening service is too long (max 50 chars)." -msgstr "Servicio de acorte de URL demasiado largo (máx. 50 caracteres)." +msgstr "El servicio de acortamiento de URL es muy largo (máx. 50 caracteres)." #: actions/otp.php:69 #, fuzzy @@ -2407,14 +2385,12 @@ msgid "No user ID specified." msgstr "Grupo no especificado." #: actions/otp.php:83 -#, fuzzy msgid "No login token specified." -msgstr "No se especificó perfil." +msgstr "No se ha especificado un token de acceso." #: actions/otp.php:90 -#, fuzzy msgid "No login token requested." -msgstr "Ningún perfil de Id en solicitud." +msgstr "Token de acceso solicitado." #: actions/otp.php:95 #, fuzzy @@ -2422,9 +2398,8 @@ msgid "Invalid login token specified." msgstr "El contenido del aviso es inválido" #: actions/otp.php:104 -#, fuzzy msgid "Login token expired." -msgstr "Ingresar a sitio" +msgstr "Token de acceso caducado." #: actions/outbox.php:58 #, fuzzy, php-format @@ -2451,9 +2426,8 @@ msgid "Change your password." msgstr "Cambia tu contraseña." #: actions/passwordsettings.php:96 actions/recoverpassword.php:231 -#, fuzzy msgid "Password change" -msgstr "Cambio de contraseña " +msgstr "Cambio de contraseña" #: actions/passwordsettings.php:104 msgid "Old password" @@ -2538,9 +2512,8 @@ msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 -#, fuzzy msgid "Site" -msgstr "Invitar" +msgstr "Sitio" #: actions/pathsadminpanel.php:238 #, fuzzy @@ -2578,11 +2551,11 @@ msgstr "" #: actions/pathsadminpanel.php:259 msgid "Theme" -msgstr "" +msgstr "Tema" #: actions/pathsadminpanel.php:264 msgid "Theme server" -msgstr "" +msgstr "Servidor de los temas" #: actions/pathsadminpanel.php:268 msgid "Theme path" @@ -2590,12 +2563,11 @@ msgstr "" #: actions/pathsadminpanel.php:272 msgid "Theme directory" -msgstr "" +msgstr "Directorio de temas" #: actions/pathsadminpanel.php:279 -#, fuzzy msgid "Avatars" -msgstr "Avatar" +msgstr "Avatares" #: actions/pathsadminpanel.php:284 #, fuzzy @@ -2618,7 +2590,7 @@ msgstr "" #: actions/pathsadminpanel.php:305 msgid "Background server" -msgstr "" +msgstr "Servidor de fondo" #: actions/pathsadminpanel.php:309 msgid "Background path" @@ -2629,23 +2601,20 @@ msgid "Background directory" msgstr "" #: actions/pathsadminpanel.php:320 -#, fuzzy msgid "SSL" -msgstr "SMS" +msgstr "SSL" #: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 -#, fuzzy msgid "Never" -msgstr "Recuperar" +msgstr "Nunca" #: actions/pathsadminpanel.php:324 -#, fuzzy msgid "Sometimes" -msgstr "Avisos" +msgstr "A veces" #: actions/pathsadminpanel.php:325 msgid "Always" -msgstr "" +msgstr "Siempre" #: actions/pathsadminpanel.php:329 msgid "Use SSL" @@ -2653,12 +2622,11 @@ msgstr "" #: actions/pathsadminpanel.php:330 msgid "When to use SSL" -msgstr "" +msgstr "Cuándo utilizar SSL" #: actions/pathsadminpanel.php:335 -#, fuzzy msgid "SSL server" -msgstr "Recuperar" +msgstr "Servidor SSL" #: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" @@ -2713,9 +2681,8 @@ msgstr "" "sepa más sobre ti." #: actions/profilesettings.php:99 -#, fuzzy msgid "Profile information" -msgstr "Información de perfil " +msgstr "Información del perfil" #: actions/profilesettings.php:108 lib/groupeditform.php:154 msgid "1-64 lowercase letters or numbers, no punctuation or spaces" @@ -2738,14 +2705,13 @@ msgid "URL of your homepage, blog, or profile on another site" msgstr "El URL de tu página de inicio, blog o perfil en otro sitio" #: actions/profilesettings.php:122 actions/register.php:461 -#, fuzzy, php-format +#, php-format msgid "Describe yourself and your interests in %d chars" -msgstr "Cuéntanos algo sobre ti y tus intereses en 140 caracteres" +msgstr "Descríbete y cuéntanos tus intereses en %d caracteres" #: actions/profilesettings.php:125 actions/register.php:464 -#, fuzzy msgid "Describe yourself and your interests" -msgstr "Descríbete y cuenta de tus " +msgstr "Descríbete y cuéntanos acerca de tus intereses" #: actions/profilesettings.php:127 actions/register.php:466 msgid "Bio" @@ -2801,9 +2767,9 @@ msgstr "" "para no-humanos)" #: actions/profilesettings.php:228 actions/register.php:223 -#, fuzzy, php-format +#, php-format msgid "Bio is too long (max %d chars)." -msgstr "La biografía es demasiado larga (máx. 140 caracteres)." +msgstr "La biografía es muy larga (máx. %d caracteres)." #: actions/profilesettings.php:235 actions/siteadminpanel.php:150 msgid "Timezone not selected." @@ -2823,18 +2789,16 @@ msgid "Couldn't update user for autosubscribe." msgstr "No se pudo actualizar el usuario para autosuscribirse." #: actions/profilesettings.php:359 -#, fuzzy msgid "Couldn't save location prefs." -msgstr "No se pudo guardar tags." +msgstr "No se han podido guardar las preferencias de ubicación." #: actions/profilesettings.php:371 msgid "Couldn't save profile." msgstr "No se pudo guardar el perfil." #: actions/profilesettings.php:379 -#, fuzzy msgid "Couldn't save tags." -msgstr "No se pudo guardar tags." +msgstr "No se pudo guardar las etiquetas." #: actions/profilesettings.php:387 lib/adminpanelaction.php:137 msgid "Settings saved." @@ -2850,9 +2814,9 @@ msgid "Could not retrieve public stream." msgstr "No se pudo acceder a corriente pública." #: actions/public.php:129 -#, fuzzy, php-format +#, php-format msgid "Public timeline, page %d" -msgstr "Línea de tiempo pública, página %d" +msgstr "Línea temporal pública, página %d" #: actions/public.php:131 lib/publicgroupnav.php:79 msgid "Public timeline" @@ -2879,10 +2843,12 @@ msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" +"Esta es la línea temporal pública de %%site.name%%, pero aún no se ha " +"publicado nada." #: actions/public.php:190 msgid "Be the first to post!" -msgstr "" +msgstr "¡Sé la primera persona en publicar algo!" #: actions/public.php:194 #, php-format @@ -2910,9 +2876,8 @@ msgstr "" "wiki/Micro-blogging) " #: actions/publictagcloud.php:57 -#, fuzzy msgid "Public tag cloud" -msgstr "Nube de tags pública" +msgstr "Nube de etiquetas pública" #: actions/publictagcloud.php:63 #, php-format @@ -3213,11 +3178,11 @@ msgstr "Suscribirse a un usuario remoto" #: actions/remotesubscribe.php:129 msgid "User nickname" -msgstr "Apodo del usuario" +msgstr "Usuario" #: actions/remotesubscribe.php:130 msgid "Nickname of the user you want to follow" -msgstr "Apodo del usuario que quieres seguir" +msgstr "Usuario a quien quieres seguir" #: actions/remotesubscribe.php:133 msgid "Profile URL" @@ -3393,9 +3358,8 @@ msgstr "" #: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 -#, fuzzy msgid "Name" -msgstr "Apodo" +msgstr "Nombre" #: actions/showapplication.php:178 lib/applicationeditform.php:222 #, fuzzy @@ -4397,10 +4361,12 @@ msgid "" "This site is powered by %1$s version %2$s, Copyright 2008-2010 StatusNet, " "Inc. and contributors." msgstr "" +"Este sitio ha sido desarrollado con %1$s, versión %2$s, Derechos Reservados " +"2008-2010 StatusNet, Inc. y sus colaboradores." #: actions/version.php:161 msgid "Contributors" -msgstr "" +msgstr "Colaboradores" #: actions/version.php:168 msgid "" @@ -4427,7 +4393,7 @@ msgstr "" #: actions/version.php:189 msgid "Plugins" -msgstr "" +msgstr "Complementos" #: actions/version.php:196 lib/action.php:747 #, fuzzy @@ -4537,7 +4503,7 @@ msgstr "Hubo un problema al guardar el aviso." msgid "DB error inserting reply: %s" msgstr "Error de BD al insertar respuesta: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4753,6 +4719,8 @@ msgstr "" #: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" +"Derechos de autor de contenido y datos por los colaboradores. Todos los " +"derechos reservados." #: lib/action.php:826 msgid "All " @@ -6135,47 +6103,47 @@ msgstr "Mensaje" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "hace unos segundos" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "hace un minuto" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "hace %d minutos" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "hace una hora" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "hace %d horas" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "hace un día" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "hace %d días" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "hace un mes" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "hace %d meses" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "hace un año" diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index ae528ab7b..c749a4161 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:54:05+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:14:41+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian\n" "MIME-Version: 1.0\n" @@ -20,7 +20,7 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" #: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 @@ -200,7 +200,7 @@ msgstr "به روز رسانی از %1$ Ùˆ دوستان در %2$" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 msgid "API method not found." msgstr "رابط مورد نظر پیدا نشد." @@ -822,7 +822,7 @@ msgstr "کاربر را مسدود Ù†Ú©Ù†" msgid "Yes" msgstr "بله" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "کاربر را مسدود Ú©Ù†" @@ -1597,7 +1597,7 @@ msgstr "هم اکنون دسترسی کاربر به گروه مسدود شده msgid "User is not a member of group." msgstr "کاربر عضو گروه نیست." -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "دسترسی کاربر به گروه را مسدود Ú©Ù†" @@ -1693,19 +1693,19 @@ msgstr "یک Ùهرست از کاربران در این گروه" msgid "Admin" msgstr "مدیر" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "بازداشتن" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "کاربر یک مدیر گروه شود" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "مدیر شود" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "این کاربر یک مدیر شود" @@ -2080,21 +2080,21 @@ msgstr "" "با نام‌کاربری Ùˆ گذزواژه‌ی خود وارد شوید. نام‌کاربری ندارید؟ یک نام‌کاربری [ثبت ]" "(%%action.register%%) کنید." -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "Ùقط یک مدیر می‌تواند کاربر دیگری را مدیر کند." -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, fuzzy, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "%s از قبل مدیر گروه %s بود." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, fuzzy, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "نمی‌توان اطلاعات عضویت %s را در گروه %s به دست آورد." -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, fuzzy, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "نمی‌توان %s را مدیر گروه %s کرد." @@ -2301,8 +2301,8 @@ msgstr "نوع محتوا " msgid "Only " msgstr " Ùقط" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "یک قالب دادهٔ پشتیبانی‌شده نیست." @@ -4369,7 +4369,7 @@ msgstr "مشکل در ذخیره کردن Ø¢Ú¯Ù‡ÛŒ." msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -5917,47 +5917,47 @@ msgstr "پیام" msgid "Moderate" msgstr "" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "چند ثانیه پیش" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "حدود یک دقیقه پیش" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "حدود %d دقیقه پیش" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "حدود یک ساعت پیش" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "حدود %d ساعت پیش" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "حدود یک روز پیش" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "حدود %d روز پیش" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "حدود یک ماه پیش" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "حدود %d ماه پیش" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "حدود یک سال پیش" diff --git a/locale/fi/LC_MESSAGES/statusnet.po b/locale/fi/LC_MESSAGES/statusnet.po index aa53f81cd..80a85e1d1 100644 --- a/locale/fi/LC_MESSAGES/statusnet.po +++ b/locale/fi/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:54:02+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:14:39+0000\n" "Language-Team: Finnish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: out-statusnet\n" @@ -202,7 +202,7 @@ msgstr "Käyttäjän %1$s ja kavereiden päivitykset palvelussa %2$s!" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "API-metodia ei löytynyt!" @@ -837,7 +837,7 @@ msgstr "Älä estä tätä käyttäjää" msgid "Yes" msgstr "Kyllä" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "Estä tämä käyttäjä" @@ -1628,7 +1628,7 @@ msgstr "Käyttäjä on asettanut eston sinulle." msgid "User is not a member of group." msgstr "Käyttäjä ei kuulu tähän ryhmään." -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "Estä käyttäjä ryhmästä" @@ -1726,19 +1726,19 @@ msgstr "Lista ryhmän käyttäjistä." msgid "Admin" msgstr "Ylläpito" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "Estä" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "Tee tästä käyttäjästä ylläpitäjä" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "Tee ylläpitäjäksi" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "Tee tästä käyttäjästä ylläpitäjä" @@ -2144,21 +2144,21 @@ msgstr "" "käyttäjätunnusta? [Rekisteröi](%%action.register%%) käyttäjätunnus tai " "kokeile [OpenID](%%action.openidlogin%%)-tunnuksella sisään kirjautumista. " -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "Vain ylläpitäjä voi tehdä toisesta käyttäjästä ylläpitäjän." -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, fuzzy, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "%s on jo ryhmän \"%s\" ylläpitäjä." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, fuzzy, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "Ei saatu käyttäjän %s jäsenyystietoja ryhmästä %s" -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, fuzzy, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "Ei voitu tehdä käyttäjästä %s ylläpitäjää ryhmään %s" @@ -2365,8 +2365,8 @@ msgstr "Yhdistä" msgid "Only " msgstr "Vain " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "Tuo ei ole tuettu tietomuoto." @@ -4542,7 +4542,7 @@ msgstr "Ongelma päivityksen tallentamisessa." msgid "DB error inserting reply: %s" msgstr "Tietokantavirhe tallennettaessa vastausta: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -6159,47 +6159,47 @@ msgstr "Viesti" msgid "Moderate" msgstr "" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "muutama sekunti sitten" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "noin minuutti sitten" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "noin %d minuuttia sitten" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "noin tunti sitten" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "noin %d tuntia sitten" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "noin päivä sitten" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "noin %d päivää sitten" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "noin kuukausi sitten" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "noin %d kuukautta sitten" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "noin vuosi sitten" diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index bd6d1cbe6..9fb5e88b2 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -14,12 +14,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-07 20:32:04+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:14:44+0000\n" "Language-Team: French\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62096); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: out-statusnet\n" @@ -202,7 +202,7 @@ msgstr "Statuts de %1$s et ses amis dans %2$s!" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 msgid "API method not found." msgstr "Méthode API non trouvée !" @@ -838,7 +838,7 @@ msgstr "Ne pas bloquer cet utilisateur" msgid "Yes" msgstr "Oui" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "Bloquer cet utilisateur" @@ -1599,7 +1599,7 @@ msgstr "Cet utilisateur est déjà bloqué pour le groupe." msgid "User is not a member of group." msgstr "L’utilisateur n’est pas membre du groupe." -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "Bloquer cet utilisateur du groupe" @@ -1702,19 +1702,19 @@ msgstr "Liste des utilisateurs inscrits à ce groupe." msgid "Admin" msgstr "Administrer" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "Bloquer" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "Faire de cet utilisateur un administrateur du groupe" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "Faire un administrateur" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "Faire de cet utilisateur un administrateur" @@ -2134,24 +2134,24 @@ msgstr "" "pas encore d’identifiant ? [Créez-vous](%%action.register%%) un nouveau " "compte." -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "" "Seul un administrateur peut faire d’un autre utilisateur un administrateur." -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "%1$s est déjà administrateur du groupe « %2$s »." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "" "Impossible d’obtenir les enregistrements d’appartenance pour %1$s dans le " "groupe %2$s." -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "Impossible de rendre %1$s administrateur du groupe %2$s." @@ -2356,8 +2356,8 @@ msgstr "type de contenu " msgid "Only " msgstr "Seulement " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "Format de données non supporté." @@ -4546,7 +4546,7 @@ msgstr "Problème lors de l’enregistrement de la boîte de réception du group msgid "DB error inserting reply: %s" msgstr "Erreur de base de donnée en insérant la réponse :%s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -6231,47 +6231,47 @@ msgstr "Message" msgid "Moderate" msgstr "Modérer" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "il y a quelques secondes" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "il y a 1 minute" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "il y a %d minutes" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "il y a 1 heure" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "il y a %d heures" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "il y a 1 jour" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "il y a %d jours" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "il y a 1 mois" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "il y a %d mois" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "il y a environ 1 an" diff --git a/locale/ga/LC_MESSAGES/statusnet.po b/locale/ga/LC_MESSAGES/statusnet.po index 9bd8a6ff8..0358b8ecd 100644 --- a/locale/ga/LC_MESSAGES/statusnet.po +++ b/locale/ga/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:54:12+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:14:47+0000\n" "Language-Team: Irish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ga\n" "X-Message-Group: out-statusnet\n" @@ -197,7 +197,7 @@ msgstr "Actualizacións dende %1$s e amigos en %2$s!" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Método da API non atopado" @@ -843,7 +843,7 @@ msgstr "Bloquear usuario" msgid "Yes" msgstr "Si" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 #, fuzzy msgid "Block this user" msgstr "Bloquear usuario" @@ -1654,7 +1654,7 @@ msgstr "O usuario bloqueoute." msgid "User is not a member of group." msgstr "%1s non é unha orixe fiable." -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 #, fuzzy msgid "Block user from group" msgstr "Bloquear usuario" @@ -1760,19 +1760,19 @@ msgstr "" msgid "Admin" msgstr "" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "Bloquear" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "" @@ -2176,21 +2176,21 @@ msgstr "" "(%%action.register%%) unha nova conta, ou accede co teu enderezo [OpenID](%%" "action.openidlogin%%). " -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "" -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, fuzzy, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "O usuario bloqueoute." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, fuzzy, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "Non podes seguir a este usuario: o Usuario non se atopa." -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, fuzzy, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "O usuario bloqueoute." @@ -2396,8 +2396,8 @@ msgstr "Conectar" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "Non é un formato de datos soportado." @@ -4599,7 +4599,7 @@ msgstr "Aconteceu un erro ó gardar o chío." msgid "DB error inserting reply: %s" msgstr "Erro ó inserir a contestación na BD: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -6336,47 +6336,47 @@ msgstr "Nova mensaxe" msgid "Moderate" msgstr "" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "fai uns segundos" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "fai un minuto" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "fai %d minutos" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "fai unha hora" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "fai %d horas" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "fai un día" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "fai %d días" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "fai un mes" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "fai %d meses" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "fai un ano" diff --git a/locale/he/LC_MESSAGES/statusnet.po b/locale/he/LC_MESSAGES/statusnet.po index 829ca11cf..fb8f12031 100644 --- a/locale/he/LC_MESSAGES/statusnet.po +++ b/locale/he/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:54:15+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:14:50+0000\n" "Language-Team: Hebrew\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: he\n" "X-Message-Group: out-statusnet\n" @@ -194,7 +194,7 @@ msgstr "" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "קוד ×”×ישור ×œ× × ×ž×¦×." @@ -833,7 +833,7 @@ msgstr "×ין משתמש ×›×–×”." msgid "Yes" msgstr "כן" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 #, fuzzy msgid "Block this user" msgstr "×ין משתמש ×›×–×”." @@ -1626,7 +1626,7 @@ msgstr "למשתמש ×ין פרופיל." msgid "User is not a member of group." msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 #, fuzzy msgid "Block user from group" msgstr "×ין משתמש ×›×–×”." @@ -1731,19 +1731,19 @@ msgstr "" msgid "Admin" msgstr "" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "" @@ -2113,21 +2113,21 @@ msgstr "" "היכנס בעזרת ×©× ×”×ž×©×ª×ž×© והסיסמה שלך. עדיין ×ין לך ×©× ×ž×©×ª×ž×©? [הרש×](%%action." "register%%) לחשבון " -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "" -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, fuzzy, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "למשתמש ×ין פרופיל." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, fuzzy, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "נכשלה יצירת OpenID מתוך: %s" -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, fuzzy, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "למשתמש ×ין פרופיל." @@ -2327,8 +2327,8 @@ msgstr "התחבר" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "" @@ -4444,7 +4444,7 @@ msgstr "בעיה בשמירת ההודעה." msgid "DB error inserting reply: %s" msgstr "שגי×ת מסד × ×ª×•× ×™× ×‘×”×›× ×¡×ª התגובה: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -6060,47 +6060,47 @@ msgstr "הודעה חדשה" msgid "Moderate" msgstr "" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "לפני מספר שניות" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "לפני כדקה" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "לפני ×›-%d דקות" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "לפני כשעה" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "לפני ×›-%d שעות" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "לפני כיו×" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "לפני ×›-%d ימי×" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "לפני כחודש" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "לפני ×›-%d חודשי×" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "לפני כשנה" diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index 06cac6471..daecf17e8 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:54:18+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:14:54+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: out-statusnet\n" @@ -192,7 +192,7 @@ msgstr "" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 msgid "API method not found." msgstr "API-metoda njenamakana." @@ -805,7 +805,7 @@ msgstr "Tutoho wužiwarja njeblokować" msgid "Yes" msgstr "Haj" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "Tutoho wužiwarja blokować" @@ -1553,7 +1553,7 @@ msgstr "Wužiwar je hižo za skupinu zablokowany." msgid "User is not a member of group." msgstr "Wužiwar njeje ÄÅ‚on skupiny." -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "Wužiwarja za skupinu blokować" @@ -1650,19 +1650,19 @@ msgstr "Lisćina wužiwarjow w tutej skupinje." msgid "Admin" msgstr "Administrator" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "Blokować" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "Tutoho wužiwarja k administratorej Äinić" @@ -2012,21 +2012,21 @@ msgid "" "(%%action.register%%) a new account." msgstr "" -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "Jenož administrator móže druheho wužiwarja k administratorej Äinić." -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "%1$s je hižo administrator za skupinu \"%2$s\"." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "PÅ™istup na datowu sadźbu ÄÅ‚ona %1$S w skupinje %2$s móžno njeje." -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "Njeje móžno %1$S k administratorej w skupinje %2$s Äinić." @@ -2219,8 +2219,8 @@ msgstr "" msgid "Only " msgstr "Jenož " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "Njeje podpÄ›rany datowy format." @@ -4241,7 +4241,7 @@ msgstr "" msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -5773,47 +5773,47 @@ msgstr "PowÄ›sć" msgid "Moderate" msgstr "" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "pÅ™ed něšto sekundami" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "pÅ™ed nÄ›hdźe jednej mjeÅ„Å¡inu" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "pÅ™ed %d mjeÅ„Å¡inami" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "pÅ™ed nÄ›hdźe jednej hodźinu" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "pÅ™ed nÄ›hdźe %d hodźinami" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "pÅ™ed nÄ›hdźe jednym dnjom" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "pÅ™ed nÄ›hdźe %d dnjemi" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "pÅ™ed nÄ›hdźe jednym mÄ›sacom" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "pÅ™ed nÄ›hdźe %d mÄ›sacami" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "pÅ™ed nÄ›hdźe jednym lÄ›tom" diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index e1c7d0a0c..698f779dd 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-07 20:32:16+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:14:57+0000\n" "Language-Team: Interlingua\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62096); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: out-statusnet\n" @@ -195,7 +195,7 @@ msgstr "Actualisationes de %1$s e su amicos in %2$s!" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 msgid "API method not found." msgstr "Methodo API non trovate." @@ -824,7 +824,7 @@ msgstr "Non blocar iste usator" msgid "Yes" msgstr "Si" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "Blocar iste usator" @@ -1584,7 +1584,7 @@ msgstr "Le usator es ja blocate del gruppo." msgid "User is not a member of group." msgstr "Le usator non es membro del gruppo." -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "Blocar usator del gruppo" @@ -1686,19 +1686,19 @@ msgstr "Un lista de usatores in iste gruppo." msgid "Admin" msgstr "Administrator" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "Blocar" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "Facer le usator administrator del gruppo" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "Facer administrator" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "Facer iste usator administrator" @@ -2108,21 +2108,21 @@ msgstr "" "Aperi un session con tu nomine de usator e contrasigno. Non ha ancora un " "nomine de usator? [Crea](%%action.register%%) un nove conto." -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "Solmente un administrator pote facer un altere usator administrator." -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "%1$s es ja administrator del gruppo \"%2$s\"." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "Non pote obtener le datos del membrato de %1$s in le gruppo %2$s." -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "Non pote facer %1$s administrator del gruppo %2$s." @@ -2327,8 +2327,8 @@ msgstr "typo de contento " msgid "Only " msgstr "Solmente " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "Formato de datos non supportate." @@ -4493,7 +4493,7 @@ msgstr "Problema salveguardar le cassa de entrata del gruppo." msgid "DB error inserting reply: %s" msgstr "Error del base de datos durante le insertion del responsa: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -6166,47 +6166,47 @@ msgstr "Message" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "alcun secundas retro" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "circa un minuta retro" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "circa %d minutas retro" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "circa un hora retro" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "circa %d horas retro" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "circa un die retro" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "circa %d dies retro" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "circa un mense retro" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "circa %d menses retro" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "circa un anno retro" diff --git a/locale/is/LC_MESSAGES/statusnet.po b/locale/is/LC_MESSAGES/statusnet.po index 63432e0dc..e88583025 100644 --- a/locale/is/LC_MESSAGES/statusnet.po +++ b/locale/is/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:54:24+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:15:11+0000\n" "Language-Team: Icelandic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: is\n" "X-Message-Group: out-statusnet\n" @@ -196,7 +196,7 @@ msgstr "Færslur frá %1$s og vinum á %2$s!" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Aðferð í forritsskilum fannst ekki!" @@ -829,7 +829,7 @@ msgstr "Opna á þennan notanda" msgid "Yes" msgstr "Já" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "Loka á þennan notanda" @@ -1616,7 +1616,7 @@ msgstr "" msgid "User is not a member of group." msgstr "" -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "" @@ -1713,19 +1713,19 @@ msgstr "Listi yfir notendur í þessum hóp." msgid "Admin" msgstr "Stjórnandi" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "Loka" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "" @@ -2128,21 +2128,21 @@ msgstr "" "notendanafn? [Nýskráðu þig](%%action.register%%) eða prófaðu [OpenID](%%" "action.openidlogin%%). " -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "" -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "" -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, fuzzy, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "Gat ekki fjarlægt notandann %s úr hópnum %s" -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, fuzzy, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "Gat ekki fjarlægt notandann %s úr hópnum %s" @@ -2347,8 +2347,8 @@ msgstr "" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "Enginn stuðningur við gagnasnið." @@ -4492,7 +4492,7 @@ msgstr "Vandamál komu upp við að vista babl." msgid "DB error inserting reply: %s" msgstr "Gagnagrunnsvilla við innsetningu svars: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -6088,47 +6088,47 @@ msgstr "Skilaboð" msgid "Moderate" msgstr "" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "fyrir nokkrum sekúndum" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "fyrir um einni mínútu síðan" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "fyrir um %d mínútum síðan" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "fyrir um einum klukkutíma síðan" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "fyrir um %d klukkutímum síðan" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "fyrir um einum degi síðan" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "fyrir um %d dögum síðan" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "fyrir um einum mánuði síðan" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "fyrir um %d mánuðum síðan" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "fyrir um einu ári síðan" diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index 8bb05d286..37ac228b2 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -1,6 +1,5 @@ # Translation of StatusNet to Italian # -# Author@translatewiki.net: McDutchie # Author@translatewiki.net: Milocasagrande # Author@translatewiki.net: Nemo bis # -- @@ -10,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-07 20:32:22+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:15:14+0000\n" "Language-Team: Italian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62096); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: out-statusnet\n" @@ -200,7 +199,7 @@ msgstr "Messaggi da %1$s e amici su %2$s!" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 msgid "API method not found." msgstr "Metodo delle API non trovato." @@ -484,12 +483,11 @@ msgstr "Gruppi su %s" #: actions/apioauthauthorize.php:101 msgid "No oauth_token parameter provided." -msgstr "" +msgstr "Nessun parametro oauth_token fornito." #: actions/apioauthauthorize.php:106 -#, fuzzy msgid "Invalid token." -msgstr "Dimensione non valida." +msgstr "Token non valido." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -532,9 +530,9 @@ msgstr "" "accesso." #: actions/apioauthauthorize.php:227 -#, fuzzy, php-format +#, php-format msgid "The request token %s has been denied and revoked." -msgstr "Il token di richiesta %s è stato rifiutato." +msgstr "Il token di richiesta %s è stato rifiutato o revocato." #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -560,6 +558,9 @@ msgid "" "the ability to %3$s your %4$s account data. You should only " "give access to your %4$s account to third parties you trust." msgstr "" +"L'applicazione %1$s di %2$s vorrebbe poter " +"%3$s ai dati del tuo account %4$s. È consigliato fornire " +"accesso al proprio account %4$s solo ad applicazioni di cui ci si può fidare." #: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" @@ -579,12 +580,10 @@ msgid "Password" msgstr "Password" #: actions/apioauthauthorize.php:328 -#, fuzzy msgid "Deny" msgstr "Nega" #: actions/apioauthauthorize.php:334 -#, fuzzy msgid "Allow" msgstr "Consenti" @@ -826,7 +825,7 @@ msgstr "Non bloccare questo utente" msgid "Yes" msgstr "Sì" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "Blocca questo utente" @@ -909,7 +908,6 @@ msgid "Couldn't delete email confirmation." msgstr "Impossibile eliminare l'email di conferma." #: actions/confirmaddress.php:144 -#, fuzzy msgid "Confirm address" msgstr "Conferma indirizzo" @@ -928,20 +926,17 @@ msgid "Notices" msgstr "Messaggi" #: actions/deleteapplication.php:63 -#, fuzzy msgid "You must be logged in to delete an application." -msgstr "Devi eseguire l'accesso per modificare un gruppo." +msgstr "Devi eseguire l'accesso per eliminare un'applicazione." #: actions/deleteapplication.php:71 -#, fuzzy msgid "Application not found." -msgstr "Il messaggio non ha un profilo" +msgstr "Applicazione non trovata." #: actions/deleteapplication.php:78 actions/editapplication.php:77 #: actions/showapplication.php:94 -#, fuzzy msgid "You are not the owner of this application." -msgstr "Non fai parte di questo gruppo." +msgstr "Questa applicazione non è di tua proprietà." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 @@ -950,29 +945,25 @@ msgid "There was a problem with your session token." msgstr "Si è verificato un problema con il tuo token di sessione." #: actions/deleteapplication.php:123 actions/deleteapplication.php:147 -#, fuzzy msgid "Delete application" -msgstr "Nessun messaggio." +msgstr "Elimina applicazione" #: actions/deleteapplication.php:149 -#, fuzzy msgid "" "Are you sure you want to delete this application? This will clear all data " "about the application from the database, including all existing user " "connections." msgstr "" -"Vuoi eliminare questo utente? Questa azione eliminerà tutti i dati " -"dell'utente dal database, senza una copia di sicurezza." +"Vuoi eliminare questa applicazione? Questa azione eliminerà tutti i dati " +"riguardo all'applicazione dal database, comprese tutte le connessioni utente." #: actions/deleteapplication.php:156 -#, fuzzy msgid "Do not delete this application" -msgstr "Non eliminare il messaggio" +msgstr "Non eliminare l'applicazione" #: actions/deleteapplication.php:160 -#, fuzzy msgid "Delete this application" -msgstr "Elimina questo messaggio" +msgstr "Elimina l'applicazione" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 @@ -1153,86 +1144,74 @@ msgid "Add to favorites" msgstr "Aggiungi ai preferiti" #: actions/doc.php:158 -#, fuzzy, php-format +#, php-format msgid "No such document \"%s\"" -msgstr "Nessun documento." +msgstr "Nessun documento \"%s\"" #: actions/editapplication.php:54 -#, fuzzy msgid "Edit Application" -msgstr "Altre opzioni" +msgstr "Modifica applicazione" #: actions/editapplication.php:66 -#, fuzzy msgid "You must be logged in to edit an application." -msgstr "Devi eseguire l'accesso per modificare un gruppo." +msgstr "Devi eseguire l'accesso per modificare un'applicazione." #: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 -#, fuzzy msgid "No such application." -msgstr "Nessun messaggio." +msgstr "Nessuna applicazione." #: actions/editapplication.php:161 -#, fuzzy msgid "Use this form to edit your application." -msgstr "Usa questo modulo per modificare il gruppo." +msgstr "Usa questo modulo per modificare la tua applicazione." #: actions/editapplication.php:177 actions/newapplication.php:159 -#, fuzzy msgid "Name is required." -msgstr "Stessa password di sopra; richiesta" +msgstr "Il nome è richiesto." #: actions/editapplication.php:180 actions/newapplication.php:165 -#, fuzzy msgid "Name is too long (max 255 chars)." -msgstr "Nome troppo lungo (max 255 caratteri)." +msgstr "Il nome è troppo lungo (max 255 caratteri)." #: actions/editapplication.php:183 actions/newapplication.php:162 -#, fuzzy msgid "Name already in use. Try another one." -msgstr "Soprannome già in uso. Prova con un altro." +msgstr "Nome già in uso. Prova con un altro." #: actions/editapplication.php:186 actions/newapplication.php:168 -#, fuzzy msgid "Description is required." -msgstr "Descrizione" +msgstr "La descrizione è richiesta." #: actions/editapplication.php:194 msgid "Source URL is too long." -msgstr "" +msgstr "L'URL sorgente è troppo lungo." #: actions/editapplication.php:200 actions/newapplication.php:185 -#, fuzzy msgid "Source URL is not valid." -msgstr "L'URL \"%s\" dell'immagine non è valido." +msgstr "L'URL sorgente non è valido." #: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." -msgstr "" +msgstr "L'organizzazione è richiesta." #: actions/editapplication.php:206 actions/newapplication.php:191 -#, fuzzy msgid "Organization is too long (max 255 chars)." -msgstr "Ubicazione troppo lunga (max 255 caratteri)." +msgstr "L'organizzazione è troppo lunga (max 255 caratteri)." #: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." -msgstr "" +msgstr "Il sito web dell'organizzazione è richiesto." #: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." -msgstr "" +msgstr "Il callback è troppo lungo." #: actions/editapplication.php:225 actions/newapplication.php:215 -#, fuzzy msgid "Callback URL is not valid." -msgstr "L'URL \"%s\" dell'immagine non è valido." +msgstr "L'URL di callback non è valido." #: actions/editapplication.php:258 -#, fuzzy msgid "Could not update application." -msgstr "Impossibile aggiornare il gruppo." +msgstr "Impossibile aggiornare l'applicazione." #: actions/editgroup.php:56 #, php-format @@ -1609,7 +1588,7 @@ msgstr "L'utente è già bloccato dal gruppo." msgid "User is not a member of group." msgstr "L'utente non fa parte del gruppo." -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "Blocca l'utente dal gruppo" @@ -1711,19 +1690,19 @@ msgstr "Un elenco degli utenti in questo gruppo." msgid "Admin" msgstr "Amministra" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "Blocca" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "Rende l'utente amministratore del gruppo" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "Rendi amm." -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "Rende questo utente un amministratore" @@ -1905,9 +1884,9 @@ msgid "That is not your Jabber ID." msgstr "Quello non è il tuo ID di Jabber." #: actions/inbox.php:59 -#, fuzzy, php-format +#, php-format msgid "Inbox for %1$s - page %2$d" -msgstr "Casella posta in arrivo di %s" +msgstr "Casella posta in arrivo di %s - pagina %2$d" #: actions/inbox.php:62 #, php-format @@ -2129,22 +2108,22 @@ msgstr "" "Accedi col tuo nome utente e password. Non hai ancora un nome utente? [Crea]" "(%%action.register%%) un nuovo account." -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "" "Solo gli amministratori possono rendere un altro utente amministratori." -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "%1$s è già amministratore del gruppo \"%2$s\"." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "Impossibile recuperare la membership per %1$s nel gruppo %2$s" -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "Impossibile rendere %1$s un amministratore del gruppo %2$s" @@ -2154,28 +2133,24 @@ msgid "No current status" msgstr "Nessun messaggio corrente" #: actions/newapplication.php:52 -#, fuzzy msgid "New Application" -msgstr "Nessun messaggio." +msgstr "Nuova applicazione" #: actions/newapplication.php:64 -#, fuzzy msgid "You must be logged in to register an application." -msgstr "Devi eseguire l'accesso per creare un gruppo." +msgstr "Devi eseguire l'accesso per registrare un'applicazione." #: actions/newapplication.php:143 -#, fuzzy msgid "Use this form to register a new application." -msgstr "Usa questo modulo per creare un nuovo gruppo." +msgstr "Usa questo modulo per registrare un'applicazione." #: actions/newapplication.php:176 msgid "Source URL is required." -msgstr "" +msgstr "L'URL sorgente è richiesto." #: actions/newapplication.php:258 actions/newapplication.php:267 -#, fuzzy msgid "Could not create application." -msgstr "Impossibile creare gli alias." +msgstr "Impossibile creare l'applicazione." #: actions/newgroup.php:53 msgid "New group" @@ -2242,7 +2217,7 @@ msgid "Text search" msgstr "Cerca testo" #: actions/noticesearch.php:91 -#, fuzzy, php-format +#, php-format msgid "Search results for \"%1$s\" on %2$s" msgstr "Risultati della ricerca per \"%1$s\" su %2$s" @@ -2290,49 +2265,48 @@ msgid "Nudge sent!" msgstr "Richiamo inviato!" #: actions/oauthappssettings.php:59 -#, fuzzy msgid "You must be logged in to list your applications." -msgstr "Devi eseguire l'accesso per modificare un gruppo." +msgstr "Devi eseguire l'accesso per poter elencare le tue applicazioni." #: actions/oauthappssettings.php:74 -#, fuzzy msgid "OAuth applications" -msgstr "Altre opzioni" +msgstr "Applicazioni OAuth" #: actions/oauthappssettings.php:85 msgid "Applications you have registered" -msgstr "" +msgstr "Applicazioni che hai registrato" #: actions/oauthappssettings.php:135 #, php-format msgid "You have not registered any applications yet." -msgstr "" +msgstr "Non hai ancora registrato alcuna applicazione." #: actions/oauthconnectionssettings.php:72 msgid "Connected applications" -msgstr "" +msgstr "Applicazioni collegate" #: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." -msgstr "" +msgstr "Hai consentito alle seguenti applicazioni di accedere al tuo account." #: actions/oauthconnectionssettings.php:175 -#, fuzzy msgid "You are not a user of that application." -msgstr "Non fai parte di quel gruppo." +msgstr "Non sei un utente di quella applicazione." #: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " -msgstr "" +msgstr "Impossibile revocare l'accesso per l'applicazione: " #: actions/oauthconnectionssettings.php:198 #, php-format msgid "You have not authorized any applications to use your account." -msgstr "" +msgstr "Non hai autorizzato alcuna applicazione all'uso del tuo account." #: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" +"Gli sviluppatori possono modificare le impostazioni di registrazione per le " +"loro applicazioni " #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" @@ -2351,8 +2325,8 @@ msgstr "tipo di contenuto " msgid "Only " msgstr "Solo " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "Non è un formato di dati supportato." @@ -2365,7 +2339,6 @@ msgid "Notice Search" msgstr "Cerca messaggi" #: actions/othersettings.php:60 -#, fuzzy msgid "Other settings" msgstr "Altre impostazioni" @@ -2398,34 +2371,29 @@ msgid "URL shortening service is too long (max 50 chars)." msgstr "Il servizio di riduzione degli URL è troppo lungo (max 50 caratteri)." #: actions/otp.php:69 -#, fuzzy msgid "No user ID specified." msgstr "Nessun ID utente specificato." #: actions/otp.php:83 -#, fuzzy msgid "No login token specified." msgstr "Nessun token di accesso specificato." #: actions/otp.php:90 -#, fuzzy msgid "No login token requested." msgstr "Nessun token di accesso richiesto." #: actions/otp.php:95 -#, fuzzy msgid "Invalid login token specified." msgstr "Token di accesso specificato non valido." #: actions/otp.php:104 -#, fuzzy msgid "Login token expired." msgstr "Token di accesso scaduto." #: actions/outbox.php:58 -#, fuzzy, php-format +#, php-format msgid "Outbox for %1$s - page %2$d" -msgstr "Casella posta inviata di %s" +msgstr "Casella posta inviata di %s - pagina %2$d" #: actions/outbox.php:61 #, php-format @@ -3266,9 +3234,9 @@ msgid "Replies to %s" msgstr "Risposte a %s" #: actions/replies.php:127 -#, fuzzy, php-format +#, php-format msgid "Replies to %1$s, page %2$d" -msgstr "Risposte a %1$s su %2$s!" +msgstr "Risposte a %1$s, pagina %2$d" #: actions/replies.php:144 #, php-format @@ -3310,7 +3278,7 @@ msgid "" "attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" "Puoi provare a [richiamare %1$s](../%2$s) o [scrivere qualche cosa alla sua " -"attenzione](%%%%action.newnotice%%%%?status_textarea=%3$s)." +"attenzione](%%%%action.newnotice%%%%?status_textarea=%s)." #: actions/repliesrss.php:72 #, php-format @@ -3335,9 +3303,8 @@ msgid "Sessions" msgstr "Sessioni" #: actions/sessionsadminpanel.php:65 -#, fuzzy msgid "Session settings for this StatusNet site." -msgstr "Impostazioni dell'aspetto per questo sito di StatusNet." +msgstr "Impostazioni di sessione per questo sito di StatusNet." #: actions/sessionsadminpanel.php:175 msgid "Handle sessions" @@ -3361,18 +3328,16 @@ msgid "Save site settings" msgstr "Salva impostazioni" #: actions/showapplication.php:82 -#, fuzzy msgid "You must be logged in to view an application." -msgstr "Devi eseguire l'accesso per lasciare un gruppo." +msgstr "Devi eseguire l'accesso per visualizzare un'applicazione." #: actions/showapplication.php:157 -#, fuzzy msgid "Application profile" -msgstr "Il messaggio non ha un profilo" +msgstr "Profilo applicazione" #: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" -msgstr "" +msgstr "Icona" #: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 @@ -3380,9 +3345,8 @@ msgid "Name" msgstr "Nome" #: actions/showapplication.php:178 lib/applicationeditform.php:222 -#, fuzzy msgid "Organization" -msgstr "Paginazione" +msgstr "Organizzazione" #: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 @@ -3397,56 +3361,56 @@ msgstr "Statistiche" #: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" -msgstr "" +msgstr "creata da %1$s - %2$s accessi predefiniti - %3$d utenti" #: actions/showapplication.php:213 msgid "Application actions" -msgstr "" +msgstr "Azioni applicazione" #: actions/showapplication.php:236 msgid "Reset key & secret" -msgstr "" +msgstr "Reimposta chiave e segreto" #: actions/showapplication.php:261 msgid "Application info" -msgstr "" +msgstr "Informazioni applicazione" #: actions/showapplication.php:263 msgid "Consumer key" -msgstr "" +msgstr "Chiave consumatore" #: actions/showapplication.php:268 msgid "Consumer secret" -msgstr "" +msgstr "Segreto consumatore" #: actions/showapplication.php:273 msgid "Request token URL" -msgstr "" +msgstr "URL token di richiesta" #: actions/showapplication.php:278 msgid "Access token URL" -msgstr "" +msgstr "URL token di accesso" #: actions/showapplication.php:283 -#, fuzzy msgid "Authorize URL" -msgstr "Autore" +msgstr "URL di autorizzazione" #: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +"Nota: sono supportate firme HMAC-SHA1, ma non è supportato il metodo di " +"firma di testo in chiaro." #: actions/showapplication.php:309 -#, fuzzy msgid "Are you sure you want to reset your consumer key and secret?" -msgstr "Vuoi eliminare questo messaggio?" +msgstr "Ripristinare la chiave e il segreto?" #: actions/showfavorites.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s's favorite notices, page %2$d" -msgstr "Messaggi preferiti di %s" +msgstr "Messaggi preferiti di %1$s, pagina %2$d" #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." @@ -3505,9 +3469,9 @@ msgid "%s group" msgstr "Gruppo %s" #: actions/showgroup.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s group, page %2$d" -msgstr "Membri del gruppo %1$s, pagina %2$d" +msgstr "Gruppi di %1$s, pagina %2$d" #: actions/showgroup.php:218 msgid "Group profile" @@ -3629,9 +3593,9 @@ msgid " tagged %s" msgstr " etichettati con %s" #: actions/showstream.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s, page %2$d" -msgstr "Profili bloccati di %1$s, pagina %2$d" +msgstr "%1$s, pagina %2$d" #: actions/showstream.php:122 #, php-format @@ -3731,7 +3695,7 @@ msgid "You must have a valid contact email address." msgstr "Devi avere un'email di contatto valida." #: actions/siteadminpanel.php:158 -#, fuzzy, php-format +#, php-format msgid "Unknown language \"%s\"." msgstr "Lingua \"%s\" sconosciuta." @@ -4065,9 +4029,9 @@ msgid "SMS" msgstr "SMS" #: actions/tag.php:68 -#, fuzzy, php-format +#, php-format msgid "Notices tagged with %1$s, page %2$d" -msgstr "Utenti auto-etichettati con %1$s - pagina %2$d" +msgstr "Messaggi etichettati con %1$s, pagina %2$d" #: actions/tag.php:86 #, php-format @@ -4353,9 +4317,9 @@ msgid "Enjoy your hotdog!" msgstr "Gustati il tuo hotdog!" #: actions/usergroups.php:64 -#, fuzzy, php-format +#, php-format msgid "%1$s groups, page %2$d" -msgstr "Membri del gruppo %1$s, pagina %2$d" +msgstr "Gruppi di %1$s, pagina %2$d" #: actions/usergroups.php:130 msgid "Search for more groups" @@ -4419,7 +4383,7 @@ msgid "" "You should have received a copy of the GNU Affero General Public License " "along with this program. If not, see %s." msgstr "" -"Una copia della GNU Affero General Public License dovrebbe essere " +"Una copia della GNU Affero General Plublic License dovrebbe essere " "disponibile assieme a questo programma. Se così non fosse, consultare %s." #: actions/version.php:189 @@ -4456,19 +4420,16 @@ msgstr "" "Un file di questa dimensione supererebbe la tua quota mensile di %d byte." #: classes/Group_member.php:41 -#, fuzzy msgid "Group join failed." -msgstr "Profilo del gruppo" +msgstr "Ingresso nel gruppo non riuscito." #: classes/Group_member.php:53 -#, fuzzy msgid "Not part of group." -msgstr "Impossibile aggiornare il gruppo." +msgstr "Non si fa parte del gruppo." #: classes/Group_member.php:60 -#, fuzzy msgid "Group leave failed." -msgstr "Profilo del gruppo" +msgstr "Uscita dal gruppo non riuscita." #: classes/Login_token.php:76 #, php-format @@ -4524,16 +4485,15 @@ msgid "Problem saving notice." msgstr "Problema nel salvare il messaggio." #: classes/Notice.php:788 -#, fuzzy msgid "Problem saving group inbox." -msgstr "Problema nel salvare il messaggio." +msgstr "Problema nel salvare la casella della posta del gruppo." #: classes/Notice.php:848 #, php-format msgid "DB error inserting reply: %s" msgstr "Errore del DB nell'inserire la risposta: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4580,7 +4540,7 @@ msgid "Other options" msgstr "Altre opzioni" #: lib/action.php:144 -#, fuzzy, php-format +#, php-format msgid "%1$s - %2$s" msgstr "%1$s - %2$s" @@ -4737,16 +4697,19 @@ msgstr "Licenza del contenuto del sito" #: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." -msgstr "" +msgstr "I contenuti e i dati di %1$s sono privati e confidenziali." #: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" +"I contenuti e i dati sono copyright di %1$s. Tutti i diritti riservati." #: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" +"I contenuti e i dati sono forniti dai collaboratori. Tutti i diritti " +"riservati." #: lib/action.php:826 msgid "All " @@ -4797,102 +4760,99 @@ msgid "Design configuration" msgstr "Configurazione aspetto" #: lib/adminpanelaction.php:322 -#, fuzzy msgid "User configuration" -msgstr "Configurazione percorsi" +msgstr "Configurazione utente" #: lib/adminpanelaction.php:327 -#, fuzzy msgid "Access configuration" -msgstr "Configurazione aspetto" +msgstr "Configurazione di accesso" #: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "Configurazione percorsi" #: lib/adminpanelaction.php:337 -#, fuzzy msgid "Sessions configuration" -msgstr "Configurazione aspetto" +msgstr "Configurazione sessioni" #: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" +"Le risorse API richiedono accesso lettura-scrittura, ma si dispone del solo " +"accesso in lettura." #: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" +"Tentativo di autorizzazione API non riuscito, soprannome = %1$s, proxy = %2" +"$s, IP = %3$s" #: lib/applicationeditform.php:136 msgid "Edit application" -msgstr "" +msgstr "Modifica applicazione" #: lib/applicationeditform.php:184 msgid "Icon for this application" -msgstr "" +msgstr "Icona per questa applicazione" #: lib/applicationeditform.php:204 -#, fuzzy, php-format +#, php-format msgid "Describe your application in %d characters" -msgstr "Descrivi il gruppo o l'argomento in %d caratteri" +msgstr "Descrivi l'applicazione in %d caratteri" #: lib/applicationeditform.php:207 -#, fuzzy msgid "Describe your application" -msgstr "Descrivi il gruppo o l'argomento" +msgstr "Descrivi l'applicazione" #: lib/applicationeditform.php:216 -#, fuzzy msgid "Source URL" -msgstr "Sorgenti" +msgstr "URL sorgente" #: lib/applicationeditform.php:218 -#, fuzzy msgid "URL of the homepage of this application" -msgstr "URL della pagina web, blog del gruppo o l'argomento" +msgstr "URL della pagina web di questa applicazione" #: lib/applicationeditform.php:224 msgid "Organization responsible for this application" -msgstr "" +msgstr "Organizzazione responsabile per questa applicazione" #: lib/applicationeditform.php:230 -#, fuzzy msgid "URL for the homepage of the organization" -msgstr "URL della pagina web, blog del gruppo o l'argomento" +msgstr "URL della pagina web dell'organizzazione" #: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" -msgstr "" +msgstr "URL verso cui redirigere dopo l'autenticazione" #: lib/applicationeditform.php:258 msgid "Browser" -msgstr "" +msgstr "Browser" #: lib/applicationeditform.php:274 msgid "Desktop" -msgstr "" +msgstr "Desktop" #: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" -msgstr "" +msgstr "Tipo di applicazione, browser o desktop" #: lib/applicationeditform.php:297 msgid "Read-only" -msgstr "" +msgstr "Sola lettura" #: lib/applicationeditform.php:315 msgid "Read-write" -msgstr "" +msgstr "Lettura-scrittura" #: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" +"Accesso predefinito per questa applicazione, sola lettura o lettura-scrittura" #: lib/applicationlist.php:154 -#, fuzzy msgid "Revoke" -msgstr "Rimuovi" +msgstr "Revoca" #: lib/attachmentlist.php:87 msgid "Attachments" @@ -5115,7 +5075,6 @@ msgstr "" "minuti: %s" #: lib/command.php:668 -#, fuzzy msgid "You are not subscribed to anyone." msgstr "Il tuo abbonamento è stato annullato." @@ -5142,8 +5101,8 @@ msgstr "Non fai parte di alcun gruppo." #: lib/command.php:714 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" -msgstr[0] "Sei membro di questo gruppo:" -msgstr[1] "Sei membro di questi gruppi:" +msgstr[0] "Non fai parte di questo gruppo:" +msgstr[1] "Non fai parte di questi gruppi:" #: lib/command.php:728 msgid "" @@ -5256,13 +5215,12 @@ msgid "Updates by SMS" msgstr "Messaggi via SMS" #: lib/connectsettingsaction.php:120 -#, fuzzy msgid "Connections" -msgstr "Connetti" +msgstr "Connessioni" #: lib/connectsettingsaction.php:121 msgid "Authorized connected applications" -msgstr "" +msgstr "Applicazioni collegate autorizzate" #: lib/dberroraction.php:60 msgid "Database error" @@ -5455,9 +5413,9 @@ msgid "[%s]" msgstr "[%s]" #: lib/jabber.php:400 -#, fuzzy, php-format +#, php-format msgid "Unknown inbox source %d." -msgstr "Lingua \"%s\" sconosciuta." +msgstr "Sorgente casella in arrivo %d sconosciuta." #: lib/joinform.php:114 msgid "Join" @@ -5845,12 +5803,10 @@ msgid "Attach a file" msgstr "Allega un file" #: lib/noticeform.php:212 -#, fuzzy msgid "Share my location" msgstr "Condividi la mia posizione" #: lib/noticeform.php:215 -#, fuzzy msgid "Do not share my location" msgstr "Non condividere la mia posizione" @@ -5859,6 +5815,8 @@ msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" msgstr "" +"Il recupero della tua posizione geografica sta impiegando più tempo del " +"previsto. Riprova più tardi." #: lib/noticelist.php:428 #, php-format @@ -6044,7 +6002,7 @@ msgstr "Ripeti questo messaggio" #: lib/router.php:665 msgid "No single user defined for single-user mode." -msgstr "" +msgstr "Nessun utente singolo definito per la modalità single-user." #: lib/sandboxform.php:67 msgid "Sandbox" @@ -6211,47 +6169,47 @@ msgstr "Messaggio" msgid "Moderate" msgstr "Modera" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "pochi secondi fa" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "circa un minuto fa" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "circa %d minuti fa" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "circa un'ora fa" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "circa %d ore fa" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "circa un giorno fa" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "circa %d giorni fa" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "circa un mese fa" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "circa %d mesi fa" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "circa un anno fa" diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index 82e67f804..3063f9538 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:54:30+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:15:17+0000\n" "Language-Team: Japanese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: out-statusnet\n" @@ -196,7 +196,7 @@ msgstr "%2$s ã« %1$s ã¨å‹äººã‹ã‚‰ã®æ›´æ–°ãŒã‚ã‚Šã¾ã™ï¼" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 msgid "API method not found." msgstr "API メソッドãŒè¦‹ã¤ã‹ã‚Šã¾ã›ã‚“。" @@ -818,7 +818,7 @@ msgstr "ã“ã®ãƒ¦ãƒ¼ã‚¶ã‚’アンブロックã™ã‚‹" msgid "Yes" msgstr "Yes" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "ã“ã®ãƒ¦ãƒ¼ã‚¶ã‚’ブロックã™ã‚‹" @@ -1582,7 +1582,7 @@ msgstr "ユーザã¯ã™ã§ã«ã‚°ãƒ«ãƒ¼ãƒ—ã‹ã‚‰ãƒ–ロックã•ã‚Œã¦ã„ã¾ã™ã€‚ msgid "User is not a member of group." msgstr "ユーザã¯ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¡ãƒ³ãƒãƒ¼ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "グループã‹ã‚‰ãƒ¦ãƒ¼ã‚¶ã‚’ブロック" @@ -1683,19 +1683,19 @@ msgstr "ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¦ãƒ¼ã‚¶ã®ãƒªã‚¹ãƒˆã€‚" msgid "Admin" msgstr "管ç†è€…" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "ブロック" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "ユーザをグループã®ç®¡ç†è€…ã«ã™ã‚‹" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "管ç†è€…ã«ã™ã‚‹" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "ã“ã®ãƒ¦ãƒ¼ã‚¶ã‚’管ç†è€…ã«ã™ã‚‹" @@ -2100,21 +2100,21 @@ msgstr "" "ユーザåã¨ãƒ‘スワードã§ã€ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ãã ã•ã„。 ã¾ã ãƒ¦ãƒ¼ã‚¶åã‚’æŒã£ã¦ã„ã¾ã›ã‚“" "ã‹? æ–°ã—ã„アカウントを [登録](%%action.register%%)。" -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "管ç†è€…ã ã‘ãŒåˆ¥ã®ãƒ¦ãƒ¼ã‚¶ã‚’管ç†è€…ã«ã™ã‚‹ã“ã¨ãŒã§ãã¾ã™ã€‚" -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "%1$s ã¯ã™ã§ã«ã‚°ãƒ«ãƒ¼ãƒ— \"%2$s\" ã®ç®¡ç†è€…ã§ã™ã€‚" -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "%1$s ã®ä¼šå“¡è³‡æ ¼è¨˜éŒ²ã‚’グループ %2$s 中ã‹ã‚‰å–å¾—ã§ãã¾ã›ã‚“。" -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "%1$s をグループ %2$s ã®ç®¡ç†è€…ã«ã™ã‚‹ã“ã¨ã¯ã§ãã¾ã›ã‚“" @@ -2316,8 +2316,8 @@ msgstr "内容種別 " msgid "Only " msgstr "ã ã‘ " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "サãƒãƒ¼ãƒˆã•ã‚Œã¦ã„ãªã„データ形å¼ã€‚" @@ -4474,7 +4474,7 @@ msgstr "グループå—信箱をä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚ msgid "DB error inserting reply: %s" msgstr "返信を追加ã™ã‚‹éš›ã«ãƒ‡ãƒ¼ã‚¿ãƒ™ãƒ¼ã‚¹ã‚¨ãƒ©ãƒ¼ : %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -6108,47 +6108,47 @@ msgstr "メッセージ" msgid "Moderate" msgstr "管ç†" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "数秒å‰" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "ç´„ 1 分å‰" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "ç´„ %d 分å‰" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "ç´„ 1 時間å‰" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "ç´„ %d 時間å‰" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "ç´„ 1 æ—¥å‰" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "ç´„ %d æ—¥å‰" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "ç´„ 1 ヵ月å‰" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "ç´„ %d ヵ月å‰" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "ç´„ 1 å¹´å‰" diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index d3bd13662..7be2acfca 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:54:33+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:15:20+0000\n" "Language-Team: Korean\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: out-statusnet\n" @@ -195,7 +195,7 @@ msgstr "%1$s ë° %2$sì— ìžˆëŠ” ì¹œêµ¬ë“¤ì˜ ì—…ë°ì´íŠ¸!" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "API 메서드를 ì°¾ì„ ìˆ˜ 없습니다." @@ -834,7 +834,7 @@ msgstr "ì´ ì‚¬ìš©ìžë¥¼ 차단해제합니다." msgid "Yes" msgstr "네, 맞습니다." -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "ì´ ì‚¬ìš©ìž ì°¨ë‹¨í•˜ê¸°" @@ -1635,7 +1635,7 @@ msgstr "회ì›ì´ ë‹¹ì‹ ì„ ì°¨ë‹¨í•´ì™”ìŠµë‹ˆë‹¤." msgid "User is not a member of group." msgstr "ë‹¹ì‹ ì€ í•´ë‹¹ ê·¸ë£¹ì˜ ë©¤ë²„ê°€ 아닙니다." -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 #, fuzzy msgid "Block user from group" msgstr "사용ìžë¥¼ 차단합니다." @@ -1740,21 +1740,21 @@ msgstr "ì´ ê·¸ë£¹ì˜ íšŒì›ë¦¬ìŠ¤íŠ¸" msgid "Admin" msgstr "관리ìž" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "차단하기" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 #, fuzzy msgid "Make user an admin of the group" msgstr "관리ìžë§Œ ê·¸ë£¹ì„ íŽ¸ì§‘í•  수 있습니다." -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 #, fuzzy msgid "Make Admin" msgstr "관리ìž" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "" @@ -2146,21 +2146,21 @@ msgstr "" "action.register%%) 새 ê³„ì •ì„ ìƒì„± ë˜ëŠ” [OpenID](%%action.openidlogin%%)를 사" "ìš©í•´ 보세요." -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "" -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, fuzzy, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "회ì›ì´ ë‹¹ì‹ ì„ ì°¨ë‹¨í•´ì™”ìŠµë‹ˆë‹¤." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, fuzzy, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "그룹 %sì—ì„œ %s 사용ìžë¥¼ 제거할 수 없습니다." -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, fuzzy, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "관리ìžë§Œ ê·¸ë£¹ì„ íŽ¸ì§‘í•  수 있습니다." @@ -2365,8 +2365,8 @@ msgstr "ì—°ê²°" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "지ì›í•˜ëŠ” 형ì‹ì˜ ë°ì´í„°ê°€ 아닙니다." @@ -4517,7 +4517,7 @@ msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." msgid "DB error inserting reply: %s" msgstr "ë‹µì‹ ì„ ì¶”ê°€ í•  ë•Œì— ë°ì´íƒ€ë² ì´ìŠ¤ ì—러 : %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -6117,47 +6117,47 @@ msgstr "메시지" msgid "Moderate" msgstr "" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "몇 ì´ˆ ì „" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "1분 ì „" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "%d분 ì „" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "1시간 ì „" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "%d시간 ì „" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "하루 ì „" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "%dì¼ ì „" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "1달 ì „" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "%d달 ì „" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "1ë…„ ì „" diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index 9aa7d12a1..92209e72e 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:54:36+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:15:23+0000\n" "Language-Team: Macedonian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: out-statusnet\n" @@ -199,7 +199,7 @@ msgstr "Подновувања од %1$s и пријатели на %2$s!" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 msgid "API method not found." msgstr "API методот не е пронајден." @@ -828,7 +828,7 @@ msgstr "Ðе го блокирај кориÑников" msgid "Yes" msgstr "Да" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "Блокирај го кориÑников" @@ -1591,7 +1591,7 @@ msgstr "КориÑникот е веќе блокиран од оваа груп msgid "User is not a member of group." msgstr "КориÑникот не членува во групата." -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "Блокирај кориÑник од група" @@ -1695,19 +1695,19 @@ msgstr "ЛиÑта на кориÑниците на овааг група." msgid "Admin" msgstr "ÐдминиÑтратор" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "Блокирај" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "Ðаправи го кориÑникот админиÑтратор на групата" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "Ðаправи го/ја админиÑтратор" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "Ðаправи го кориÑникот админиÑтратор" @@ -2093,7 +2093,8 @@ msgstr "Запамети ме" #: actions/login.php:237 actions/register.php:480 msgid "Automatically login in the future; not for shared computers!" msgstr "" -"Следниот пат најавете Ñе автоматÑки; не за компјутери кои ги делите Ñо други!" +"Следниот пат најавете Ñе автоматÑки; не е за компјутери кои ги делите Ñо " +"други!" #: actions/login.php:247 msgid "Lost or forgotten password?" @@ -2116,21 +2117,21 @@ msgstr "" "Ðајавете Ñе Ñо Вашето кориÑничко име и лозинка. Сè уште немате кориÑничко " "име? [РегиÑтрирајте](%%action.register%%) нова Ñметка." -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "Само админиÑтратор може да направи друг кориÑник админиÑтратор." -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "%1$s веќе е админиÑтратор на групата „%2$s“." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "Ðе можам да добијам евиденција за членÑтво на %1$s во групата %2$s." -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "Ðе можам да го направам кориÑникот %1$s админиÑтратор на групата %2$s." @@ -2334,8 +2335,8 @@ msgstr "тип на Ñодржини " msgid "Only " msgstr "Само " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "Ова не е поддржан формат на податотека." @@ -4514,7 +4515,7 @@ msgstr "Проблем при зачувувањето на групното п msgid "DB error inserting reply: %s" msgstr "Одговор од внеÑот во базата: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -5251,8 +5252,8 @@ msgstr "Подигни податотека" msgid "" "You can upload your personal background image. The maximum file size is 2MB." msgstr "" -"Ðе можете да подигнете личната позадинÑка Ñлика. МакÑималната дозволена " -"големина изнеÑува 2МБ." +"Можете да подигнете лична позадинÑка Ñлика. МакÑималната дозволена големина " +"изнеÑува 2МБ." #: lib/designsettings.php:418 msgid "Design defaults restored." @@ -6193,47 +6194,47 @@ msgstr "Порака" msgid "Moderate" msgstr "Модерирај" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "пред неколку Ñекунди" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "пред една минута" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "пред %d минути" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "пред еден чаÑ" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "пред %d чаÑа" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "пред еден ден" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "пред %d денови" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "пред еден меÑец" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "пред %d меÑеца" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "пред една година" diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index 287b95b35..ab74ad1dc 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:54:39+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:15:26+0000\n" "Language-Team: Norwegian (bokmÃ¥l)‬\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: out-statusnet\n" @@ -194,7 +194,7 @@ msgstr "Oppdateringer fra %1$s og venner pÃ¥ %2$s!" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "API-metode ikke funnet!" @@ -812,7 +812,7 @@ msgstr "Ikke blokker denne brukeren" msgid "Yes" msgstr "Ja" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "Blokker denne brukeren" @@ -1576,7 +1576,7 @@ msgstr "Du er allerede logget inn!" msgid "User is not a member of group." msgstr "" -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "" @@ -1673,19 +1673,19 @@ msgstr "En liste over brukerne i denne gruppen." msgid "Admin" msgstr "Administrator" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "Blokkér" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "Gjør brukeren til en administrator for gruppen" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "Gjør til administrator" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "Gjør denne brukeren til administrator" @@ -2062,21 +2062,21 @@ msgid "" "(%%action.register%%) a new account." msgstr "" -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "" -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, fuzzy, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "Du er allerede logget inn!" -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, fuzzy, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "Klarte ikke Ã¥ oppdatere bruker." -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, fuzzy, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "Gjør brukeren til en administrator for gruppen" @@ -2271,8 +2271,8 @@ msgstr "innholdstype " msgid "Only " msgstr "Bare " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "" @@ -4365,7 +4365,7 @@ msgstr "" msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -5952,47 +5952,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "noen fÃ¥ sekunder siden" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "omtrent ett minutt siden" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "omtrent %d minutter siden" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "omtrent én time siden" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "omtrent %d timer siden" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "omtrent én dag siden" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "omtrent %d dager siden" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "omtrent én mÃ¥ned siden" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "omtrent %d mÃ¥neder siden" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "omtrent ett Ã¥r siden" diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index cbf50e60c..b1a54d06a 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-07 20:32:58+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:15:32+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62096); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: out-statusnet\n" @@ -198,7 +198,7 @@ msgstr "Updates van %1$s en vrienden op %2$s." #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 msgid "API method not found." msgstr "De API-functie is niet aangetroffen." @@ -837,7 +837,7 @@ msgstr "Gebruiker niet blokkeren" msgid "Yes" msgstr "Ja" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "Deze gebruiker blokkeren" @@ -1605,7 +1605,7 @@ msgstr "Deze gebruiker is al de toegang tot de groep ontzegd." msgid "User is not a member of group." msgstr "De gebruiker is geen lid van de groep." -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "Gebruiker toegang tot de groep blokkeren" @@ -1709,19 +1709,19 @@ msgstr "Ledenlijst van deze groep" msgid "Admin" msgstr "Beheerder" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "Blokkeren" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "Deze gebruiker groepsbeheerder maken" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "Beheerder maken" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "Deze gebruiker beheerder maken" @@ -2133,21 +2133,21 @@ msgstr "" "Meld u aan met uw gebruikersnaam en wachtwoord. Hebt u nog geen " "gebruikersnaam? [Registreer een nieuwe gebruiker](%%action.register%%)." -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "Alleen beheerders kunnen andere gebruikers beheerder maken." -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "%1$s is al beheerder van de groep \"%2$s\"" -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "Het was niet mogelijk te bevestigen dat %1$s lid is van de groep %2$s." -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "Het is niet mogelijk %1$s beheerder te maken van de groep %2$s." @@ -2354,8 +2354,8 @@ msgstr "inhoudstype " msgid "Only " msgstr "Alleen " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "Geen ondersteund gegevensformaat." @@ -4551,7 +4551,7 @@ msgid "DB error inserting reply: %s" msgstr "" "Er is een databasefout opgetreden bij het invoegen van het antwoord: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -6237,47 +6237,47 @@ msgstr "Bericht" msgid "Moderate" msgstr "Modereren" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "een paar seconden geleden" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "ongeveer een minuut geleden" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "ongeveer %d minuten geleden" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "ongeveer een uur geleden" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "ongeveer %d uur geleden" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "ongeveer een dag geleden" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "ongeveer %d dagen geleden" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "ongeveer een maand geleden" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "ongeveer %d maanden geleden" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "ongeveer een jaar geleden" diff --git a/locale/nn/LC_MESSAGES/statusnet.po b/locale/nn/LC_MESSAGES/statusnet.po index 5a6d256b9..e3e2cf80e 100644 --- a/locale/nn/LC_MESSAGES/statusnet.po +++ b/locale/nn/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:54:42+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:15:29+0000\n" "Language-Team: Norwegian Nynorsk\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nn\n" "X-Message-Group: out-statusnet\n" @@ -195,7 +195,7 @@ msgstr "Oppdateringar frÃ¥ %1$s og vener pÃ¥ %2$s!" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Fann ikkje API-metode." @@ -832,7 +832,7 @@ msgstr "LÃ¥s opp brukaren" msgid "Yes" msgstr "Jau" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "Blokkér denne brukaren" @@ -1635,7 +1635,7 @@ msgstr "Brukar har blokkert deg." msgid "User is not a member of group." msgstr "Du er ikkje medlem av den gruppa." -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 #, fuzzy msgid "Block user from group" msgstr "Blokker brukaren" @@ -1740,21 +1740,21 @@ msgstr "Ei liste over brukarane i denne gruppa." msgid "Admin" msgstr "Administrator" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "Blokkér" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 #, fuzzy msgid "Make user an admin of the group" msgstr "Du mÃ¥ være administrator for Ã¥ redigere gruppa" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 #, fuzzy msgid "Make Admin" msgstr "Administrator" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "" @@ -2149,21 +2149,21 @@ msgstr "" "%action.register%%) ein ny konto, eller prøv [OpenID](%%action.openidlogin%" "%)." -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "" -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, fuzzy, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "Brukar har blokkert deg." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, fuzzy, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "Kunne ikkje fjerne %s fra %s gruppa " -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, fuzzy, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "Du mÃ¥ være administrator for Ã¥ redigere gruppa" @@ -2370,8 +2370,8 @@ msgstr "Kopla til" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "Ikkje eit støtta dataformat." @@ -4534,7 +4534,7 @@ msgstr "Eit problem oppstod ved lagring av notis." msgid "DB error inserting reply: %s" msgstr "Databasefeil, kan ikkje lagra svar: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -6144,47 +6144,47 @@ msgstr "Melding" msgid "Moderate" msgstr "" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "eit par sekund sidan" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "omtrent eitt minutt sidan" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "~%d minutt sidan" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "omtrent ein time sidan" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "~%d timar sidan" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "omtrent ein dag sidan" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "~%d dagar sidan" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "omtrent ein mÃ¥nad sidan" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "~%d mÃ¥nadar sidan" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "omtrent eitt Ã¥r sidan" diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index 093192553..a13f6362b 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:54:48+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:15:35+0000\n" "Last-Translator: Piotr DrÄ…g \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -19,7 +19,7 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: out-statusnet\n" @@ -201,7 +201,7 @@ msgstr "Aktualizacje z %1$s i przyjaciół na %2$s." #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 msgid "API method not found." msgstr "Nie odnaleziono metody API." @@ -823,7 +823,7 @@ msgstr "Nie blokuj tego użytkownika" msgid "Yes" msgstr "Tak" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "Zablokuj tego użytkownika" @@ -1581,7 +1581,7 @@ msgstr "Użytkownik zostaÅ‚ już zablokowaÅ‚ w grupie." msgid "User is not a member of group." msgstr "Użytkownik nie jest czÅ‚onkiem grupy." -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "Zablokuj użytkownika w grupie" @@ -1679,19 +1679,19 @@ msgstr "Lista użytkowników znajdujÄ…cych siÄ™ w tej grupie." msgid "Admin" msgstr "Administrator" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "Zablokuj" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "UczyÅ„ użytkownika administratorem grupy" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "UczyÅ„ administratorem" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "UczyÅ„ tego użytkownika administratorem" @@ -2099,21 +2099,21 @@ msgstr "" "Zaloguj się za pomocÄ… nazwy użytkownika i hasÅ‚a. Nie masz ich jeszcze? " "[Zarejestruj](%%action.register%%) nowe konto." -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "Tylko administrator może uczynić innego użytkownika administratorem." -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "Użytkownika %1$s jest już administratorem grupy \"%2$s\"." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "Nie można uzyskać wpisu czÅ‚onkostwa użytkownika %1$s w grupie %2$s." -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "Nie można uczynić %1$s administratorem grupy %2$s." @@ -2314,8 +2314,8 @@ msgstr "typ zawartoÅ›ci " msgid "Only " msgstr "Tylko " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "To nie jest obsÅ‚ugiwany format danych." @@ -4484,7 +4484,7 @@ msgstr "Problem podczas zapisywania skrzynki odbiorczej grupy." msgid "DB error inserting reply: %s" msgstr "BÅ‚Ä…d bazy danych podczas wprowadzania odpowiedzi: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -6163,47 +6163,47 @@ msgstr "Wiadomość" msgid "Moderate" msgstr "Moderuj" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "kilka sekund temu" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "okoÅ‚o minutÄ™ temu" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "okoÅ‚o %d minut temu" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "okoÅ‚o godzinÄ™ temu" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "okoÅ‚o %d godzin temu" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "blisko dzieÅ„ temu" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "okoÅ‚o %d dni temu" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "okoÅ‚o miesiÄ…c temu" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "okoÅ‚o %d miesiÄ™cy temu" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "okoÅ‚o rok temu" diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index 3258ec53c..a2c8fd60c 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:54:51+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:15:39+0000\n" "Language-Team: Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: out-statusnet\n" @@ -198,7 +198,7 @@ msgstr "Actualizações de %1$s e amigos no %2$s!" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 msgid "API method not found." msgstr "Método da API não encontrado." @@ -821,7 +821,7 @@ msgstr "Não bloquear este utilizador" msgid "Yes" msgstr "Sim" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "Bloquear este utilizador" @@ -1604,7 +1604,7 @@ msgstr "Acesso do utilizador ao grupo já foi bloqueado." msgid "User is not a member of group." msgstr "Utilizador não é membro do grupo." -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "Bloquear acesso do utilizador ao grupo" @@ -1706,19 +1706,19 @@ msgstr "Uma lista dos utilizadores neste grupo." msgid "Admin" msgstr "Gestor" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "Bloquear" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "Tornar utilizador o gestor do grupo" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "Tornar Gestor" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "Tornar este utilizador um gestor" @@ -2126,21 +2126,21 @@ msgstr "" "Entrar com o seu nome de utilizador e senha. Ainda não está registado? " "[Registe](%%action.register%%) uma conta." -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "Só um gestor pode tornar outro utilizador num gestor." -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "%1$s já é um administrador do grupo \"%2$s\"." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "Não existe registo de %1$s ter entrado no grupo %2$s." -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "Não é possível tornar %1$s administrador do grupo %2$s." @@ -2347,8 +2347,8 @@ msgstr "tipo de conteúdo " msgid "Only " msgstr "Apenas " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "Formato de dados não suportado." @@ -4530,7 +4530,7 @@ msgstr "Problema na gravação da nota." msgid "DB error inserting reply: %s" msgstr "Ocorreu um erro na base de dados ao inserir a resposta: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -6203,47 +6203,47 @@ msgstr "Mensagem" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "há alguns segundos" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "há cerca de um minuto" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "há cerca de %d minutos" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "há cerca de uma hora" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "há cerca de %d horas" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "há cerca de um dia" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "há cerca de %d dias" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "há cerca de um mês" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "há cerca de %d meses" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "há cerca de um ano" diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index 726ca3ca5..6b94988bb 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-07 20:33:07+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:15:43+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62096); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" @@ -202,7 +202,7 @@ msgstr "Atualizações de %1$s e amigos no %2$s!" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 msgid "API method not found." msgstr "O método da API não foi encontrado!" @@ -832,7 +832,7 @@ msgstr "Não bloquear este usuário" msgid "Yes" msgstr "Sim" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "Bloquear este usuário" @@ -1604,7 +1604,7 @@ msgstr "O usuário já está bloqueado no grupo." msgid "User is not a member of group." msgstr "O usuário não é um membro do grupo" -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "Bloquear o usuário no grupo" @@ -1707,19 +1707,19 @@ msgstr "Uma lista dos usuários deste grupo." msgid "Admin" msgstr "Admin" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "Bloquear" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "Tornar o usuário um administrador do grupo" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "Tornar administrador" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "Torna este usuário um administrador" @@ -2130,23 +2130,23 @@ msgstr "" "Digite seu nome de usuário e senha. Ainda não possui um usuário? [Registre](%" "%action.register%%) uma nova conta." -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "" "Somente um administrador pode dar privilégios de administração para outro " "usuário." -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "%1$s já é um administrador do grupo \"%2$s\"." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "Não foi possível obter o registro de membro de %1$s no grupo %2$s." -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "Não foi possível tornar %1$s um administrador do grupo %2$s." @@ -2352,8 +2352,8 @@ msgstr "tipo de conteúdo " msgid "Only " msgstr "Apenas " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "Não é um formato de dados suportado." @@ -4530,7 +4530,7 @@ msgstr "Problema no salvamento da mensagem." msgid "DB error inserting reply: %s" msgstr "Erro no banco de dados na inserção da reposta: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -6206,47 +6206,47 @@ msgstr "Mensagem" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "alguns segundos atrás" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "cerca de 1 minuto atrás" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "cerca de %d minutos atrás" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "cerca de 1 hora atrás" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "cerca de %d horas atrás" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "cerca de 1 dia atrás" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "cerca de %d dias atrás" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "cerca de 1 mês atrás" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "cerca de %d meses atrás" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "cerca de 1 ano atrás" diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index caa48b960..c48835180 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:54:57+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:15:46+0000\n" "Language-Team: Russian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: out-statusnet\n" @@ -200,7 +200,7 @@ msgstr "Обновлено от %1$s и его друзей на %2$s!" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 msgid "API method not found." msgstr "Метод API не найден." @@ -827,7 +827,7 @@ msgstr "Ðе блокировать Ñтого пользователÑ" msgid "Yes" msgstr "Да" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "Заблокировать пользователÑ." @@ -1597,7 +1597,7 @@ msgstr "Пользователь уже заблокирован из групп msgid "User is not a member of group." msgstr "Пользователь не ÑвлÑетÑÑ Ñ‡Ð»ÐµÐ½Ð¾Ð¼ Ñтой группы." -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "Заблокировать Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð¸Ð· группы." @@ -1699,19 +1699,19 @@ msgstr "СпиÑок пользователей, ÑвлÑющихÑÑ Ñ‡Ð»ÐµÐ½Ð° msgid "Admin" msgstr "ÐаÑтройки" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "Блокировать" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "Сделать Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð°Ð´Ð¼Ð¸Ð½Ð¸Ñтратором группы" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "Сделать админиÑтратором" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "Сделать Ñтого Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð°Ð´Ð¼Ð¸Ð½Ð¸Ñтратором" @@ -2119,22 +2119,22 @@ msgstr "" "Вход Ñ Ð²Ð°ÑˆÐ¸Ð¼ логином и паролем. Ðет аккаунта? [ЗарегиÑтрируйте](%%action." "register%%) новый аккаунт." -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "" "Только админиÑтратор может Ñделать другого Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð°Ð´Ð¼Ð¸Ð½Ð¸Ñтратором." -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "%1$s уже ÑвлÑетÑÑ Ð°Ð´Ð¼Ð¸Ð½Ð¸Ñтратором группы «%2$s»." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "Ðе удаётÑÑ Ð¿Ð¾Ð»ÑƒÑ‡Ð¸Ñ‚ÑŒ запиÑÑŒ принадлежноÑти Ð´Ð»Ñ %1$s к группе %2$s." -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "Ðевозможно Ñделать %1$s админиÑтратором группы %2$s." @@ -2334,8 +2334,8 @@ msgstr "тип Ñодержимого " msgid "Only " msgstr "Только " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "Ðеподдерживаемый формат данных." @@ -4504,7 +4504,7 @@ msgstr "Проблемы Ñ Ñохранением входÑщих Ñообще msgid "DB error inserting reply: %s" msgstr "Ошибка баз данных при вÑтавке ответа Ð´Ð»Ñ %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -6179,47 +6179,47 @@ msgstr "Сообщение" msgid "Moderate" msgstr "Модерировать" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "пару Ñекунд назад" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "около минуты назад" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "около %d минут(Ñ‹) назад" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "около чаÑа назад" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "около %d чаÑа(ов) назад" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "около Ð´Ð½Ñ Ð½Ð°Ð·Ð°Ð´" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "около %d днÑ(ей) назад" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "около меÑÑца назад" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "около %d меÑÑца(ев) назад" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "около года назад" diff --git a/locale/statusnet.po b/locale/statusnet.po index fbbd0e5c3..1676a7649 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-07 20:31+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -185,7 +185,7 @@ msgstr "" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 msgid "API method not found." msgstr "" @@ -794,7 +794,7 @@ msgstr "" msgid "Yes" msgstr "" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "" @@ -1534,7 +1534,7 @@ msgstr "" msgid "User is not a member of group." msgstr "" -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "" @@ -1629,19 +1629,19 @@ msgstr "" msgid "Admin" msgstr "" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "" @@ -1989,21 +1989,21 @@ msgid "" "(%%action.register%%) a new account." msgstr "" -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "" -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "" -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "" -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "" @@ -2195,8 +2195,8 @@ msgstr "" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "" @@ -4214,7 +4214,7 @@ msgstr "" msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -5737,47 +5737,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index 213be22da..a0d407c5c 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-07 20:33:13+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:15:57+0000\n" "Language-Team: Swedish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62096); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: out-statusnet\n" @@ -196,7 +196,7 @@ msgstr "Uppdateringar frÃ¥n %1$s och vänner pÃ¥ %2$s!" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 msgid "API method not found." msgstr "API-metod hittades inte." @@ -815,7 +815,7 @@ msgstr "Blockera inte denna användare" msgid "Yes" msgstr "Ja" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "Blockera denna användare" @@ -1577,7 +1577,7 @@ msgstr "Användaren är redan blockerad frÃ¥n grupp." msgid "User is not a member of group." msgstr "Användare är inte en gruppmedlem." -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "Blockera användare frÃ¥n grupp" @@ -1678,19 +1678,19 @@ msgstr "En lista av användarna i denna grupp." msgid "Admin" msgstr "Administratör" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "Blockera" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "Gör användare till en administratör för gruppen" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "Gör till administratör" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "Gör denna användare till administratör" @@ -2097,21 +2097,21 @@ msgstr "" "Logga in med ditt användarnamn och lösenord. Har du inget användarnamn ännu? " "[Registrera](%%action.register%%) ett nytt konto." -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "Bara en administratör kan göra en annan användare till administratör." -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "%1$s är redan en administratör för grupp \"%2$s\"." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "Kan inte hämta uppgift om medlemskap för %1$s i grupp %2$s." -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "Kan inte göra %1$s till en administratör för grupp %2$s." @@ -2314,8 +2314,8 @@ msgstr "innehÃ¥llstyp " msgid "Only " msgstr "Bara " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "Ett dataformat som inte stödjs" @@ -3548,8 +3548,8 @@ msgid "" "[StatusNet](http://status.net/) tool. Its members share short messages about " "their life and interests. " msgstr "" -"**%s** är en användargrupp pÃ¥ %%%%site.name%%%%, en [mikroblogg](http://en." -"wikipedia.org/wiki/Micro-blogging)tjänst baserad den fria programvaran " +"**%s** är en användargrupp pÃ¥ %%%%site.name%%%%, en [mikroblogg](http://sv." +"wikipedia.org/wiki/Mikroblogg)tjänst baserad den fria programvaran " "[StatusNet](http://status.net/). Dess medlemmar delar korta meddelande om " "sina liv och intressen. " @@ -3644,8 +3644,8 @@ msgid "" "[StatusNet](http://status.net/) tool. [Join now](%%%%action.register%%%%) to " "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -"**%s** har ett konto pÃ¥ %%%%site.name%%%%, en [mikroblogg](http://en." -"wikipedia.org/wiki/Micro-blogging)tjänst baserad pÃ¥ den fria programvaran " +"**%s** har ett konto pÃ¥ %%%%site.name%%%%, en [mikroblogg](http://sv." +"wikipedia.org/wiki/Mikroblogg)tjänst baserad pÃ¥ den fria programvaran " "[StatusNet](http://status.net/). [GÃ¥ med nu](%%%%action.register%%%%) för " "att följa **%s**s notiser och mÃ¥nga fler! ([Läs mer](%%%%doc.help%%%%))" @@ -3656,8 +3656,8 @@ msgid "" "wikipedia.org/wiki/Micro-blogging) service based on the Free Software " "[StatusNet](http://status.net/) tool. " msgstr "" -"**%s** har ett konto pÃ¥ %%%%site.name%%%%, en [mikroblogg](http://en." -"wikipedia.org/wiki/Micro-blogging)tjänst baserad pÃ¥ den fria programvaran " +"**%s** har ett konto pÃ¥ %%%%site.name%%%%, en [mikroblogg](http://sv." +"wikipedia.org/wiki/Mikroblogg)tjänst baserad pÃ¥ den fria programvaran " "[StatusNet](http://status.net/). " #: actions/showstream.php:305 @@ -4483,7 +4483,7 @@ msgstr "Problem med att spara gruppinkorg." msgid "DB error inserting reply: %s" msgstr "Databasfel vid infogning av svar: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -6150,47 +6150,47 @@ msgstr "Meddelande" msgid "Moderate" msgstr "Moderera" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "ett par sekunder sedan" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "för nÃ¥n minut sedan" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "för %d minuter sedan" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "för en timma sedan" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "för %d timmar sedan" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "för en dag sedan" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "för %d dagar sedan" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "för en mÃ¥nad sedan" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "för %d mÃ¥nader sedan" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "för ett Ã¥r sedan" diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index eee6e39e4..85719532b 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:55:04+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:16:03+0000\n" "Language-Team: Telugu\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: out-statusnet\n" @@ -190,7 +190,7 @@ msgstr "" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "నిరà±à°§à°¾à°°à°£ సంకేతం కనబడలేదà±." @@ -810,7 +810,7 @@ msgstr "à°ˆ వాడà±à°•à°°à°¿à°¨à°¿ నిరోధించకà±" msgid "Yes" msgstr "à°…à°µà±à°¨à±" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "à°ˆ వాడà±à°•à°°à°¿à°¨à°¿ నిరోధించà±" @@ -1561,7 +1561,7 @@ msgstr "వాడà±à°•à°°à°¿à°¨à°¿ ఇపà±à°ªà°Ÿà°¿à°•à±‡ à°—à±à°‚à°ªà±à°¨ msgid "User is not a member of group." msgstr "వాడà±à°•à°°à°¿ à°ˆ à°—à±à°‚à°ªà±à°²à±‹ సభà±à°¯à±à°²à± కాదà±." -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "వాడà±à°•à°°à°¿à°¨à°¿ à°—à±à°‚పౠనà±à°‚à°¡à°¿ నిరోధించà±" @@ -1661,19 +1661,19 @@ msgstr "à°ˆ à°—à±à°‚à°ªà±à°²à±‹ వాడà±à°•à°°à±à°²à± జాబితా msgid "Admin" msgstr "" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "నిరోధించà±" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "వాడà±à°•à°°à°¿à°¨à°¿ à°—à±à°‚à°ªà±à°•à°¿ à°’à°• నిరà±à°µà°¾à°¹à°•à±à°¨à°¿à°—à°¾ చేయి" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "నిరà±à°µà°¾à°¹à°•à±à°¨à±à°¨à°¿ చేయి" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "à°ˆ వాడà±à°•à°°à°¿à°¨à°¿ నిరà±à°µà°¾à°¹à°•à±à°¨à±à°¨à°¿ చేయి" @@ -2033,21 +2033,21 @@ msgstr "" "మీ వాడà±à°•à°°à°¿à°ªà±‡à°°à± మరియౠసంకేతపదాలతో à°ªà±à°°à°µà±‡à°¶à°¿à°‚à°šà°‚à°¡à°¿. మీకౠఇంకా వాడà±à°•à°°à°¿à°ªà±‡à°°à± లేదా? కొతà±à°¤ ఖాతాని [నమోదà±à°šà±‡à°¸à±à°•à±‹à°‚à°¡à°¿]" "(%%action.register%%)." -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "నిరà±à°µà°¾à°¹à°•à±à°²à± మాతà±à°°à°®à±‡ మరొక వాడà±à°•à°°à°¿à°¨à°¿ నిరà±à°µà°¾à°¹à°•à±à°¨à°¿à°—à°¾ చేయగలరà±." -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "%1$s ఇపà±à°ªà°Ÿà°¿à°•à±‡ \"%2$s\" à°—à±à°‚పౠయొకà±à°• à°’à°• నిరà±à°µà°¾à°•à±à°²à±." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, fuzzy, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "వాడà±à°•à°°à°¿ %sని %s à°—à±à°‚పౠనà±à°‚à°¡à°¿ తొలగించలేకపోయాం" -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, fuzzy, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "%s ఇపà±à°ªà°Ÿà°¿à°•à±‡ \"%s\" à°—à±à°‚పౠయొకà±à°• à°’à°• నిరà±à°µà°¾à°•à±à°²à±." @@ -2246,8 +2246,8 @@ msgstr "విషయ à°°à°•à°‚ " msgid "Only " msgstr "మాతà±à°°à°®à±‡ " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "" @@ -4330,7 +4330,7 @@ msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొ msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -5924,47 +5924,47 @@ msgstr "సందేశం" msgid "Moderate" msgstr "" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "కొనà±à°¨à°¿ à°•à±à°·à°£à°¾à°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "à°“ నిమిషం à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "%d నిమిషాల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "à°’à°• à°—à°‚à°Ÿ à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "%d à°—à°‚à°Ÿà°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "à°“ రోజౠకà±à°°à°¿à°¤à°‚" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "%d రోజà±à°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "à°“ నెల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "%d నెలల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "à°’à°• సంవతà±à°¸à°°à°‚ à°•à±à°°à°¿à°¤à°‚" diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index c41e87f1b..5368680c6 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:55:08+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:16:08+0000\n" "Language-Team: Turkish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: out-statusnet\n" @@ -196,7 +196,7 @@ msgstr "" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Onay kodu bulunamadı." @@ -838,7 +838,7 @@ msgstr "Böyle bir kullanıcı yok." msgid "Yes" msgstr "" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 #, fuzzy msgid "Block this user" msgstr "Böyle bir kullanıcı yok." @@ -1628,7 +1628,7 @@ msgstr "Kullanıcının profili yok." msgid "User is not a member of group." msgstr "Bize o profili yollamadınız" -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 #, fuzzy msgid "Block user from group" msgstr "Böyle bir kullanıcı yok." @@ -1732,19 +1732,19 @@ msgstr "" msgid "Admin" msgstr "" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "" @@ -2120,21 +2120,21 @@ msgstr "" "duruyorsunuz, hemen bir [yeni hesap oluÅŸturun](%%action.register%%) ya da " "[OpenID](%%action.openidlogin%%) ile giriÅŸ yapın." -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "" -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, fuzzy, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "Kullanıcının profili yok." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, fuzzy, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "OpenID formu yaratılamadı: %s" -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, fuzzy, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "Kullanıcının profili yok." @@ -2333,8 +2333,8 @@ msgstr "BaÄŸlan" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "" @@ -4452,7 +4452,7 @@ msgstr "Durum mesajını kaydederken hata oluÅŸtu." msgid "DB error inserting reply: %s" msgstr "Cevap eklenirken veritabanı hatası: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -6067,47 +6067,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "birkaç saniye önce" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "yaklaşık bir dakika önce" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "yaklaşık %d dakika önce" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "yaklaşık bir saat önce" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "yaklaşık %d saat önce" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "yaklaşık bir gün önce" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "yaklaşık %d gün önce" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "yaklaşık bir ay önce" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "yaklaşık %d ay önce" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "yaklaşık bir yıl önce" diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index 9f8e8b941..5f5fa846e 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:55:11+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:16:16+0000\n" "Language-Team: Ukrainian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: out-statusnet\n" @@ -198,7 +198,7 @@ msgstr "ÐžÐ½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð²Ñ–Ð´ %1$s та друзів на %2$s!" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 msgid "API method not found." msgstr "API метод не знайдено." @@ -825,7 +825,7 @@ msgstr "Ðе блокувати цього кориÑтувача" msgid "Yes" msgstr "Так" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 msgid "Block this user" msgstr "Блокувати кориÑтувача" @@ -1581,7 +1581,7 @@ msgstr "КориÑтувача заблоковано в цій групі." msgid "User is not a member of group." msgstr "КориÑтувач не Ñ” учаÑником групи." -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 msgid "Block user from group" msgstr "Блокувати кориÑтувача в групі" @@ -1683,19 +1683,19 @@ msgstr "СпиÑок учаÑників цієї групи." msgid "Admin" msgstr "Ðдмін" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "Блок" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "Ðадати кориÑтувачеві права адмініÑтратора" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "Зробити адміном" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "Ðадати цьому кориÑтувачеві права адмініÑтратора" @@ -2106,22 +2106,22 @@ msgstr "" "Увійти викриÑтовуючи Ñ–Ð¼â€™Ñ Ñ‚Ð° пароль. Ще не маєте імені кориÑтувача? " "[ЗареєÑтрувати](%%action.register%%) новий акаунт." -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "" "Лише кориÑтувач з правами адмініÑтратора може призначити інших адмінів групи." -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "%1$s вже Ñ” адміном у групі «%2$s»." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "Ðе можна отримати Ð·Ð°Ð¿Ð¸Ñ Ð´Ð»Ñ %1$s щодо членÑтва у групі %2$s." -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "Ðе можна надати %1$s права адміна в групі %2$s." @@ -2323,8 +2323,8 @@ msgstr "тип зміÑту " msgid "Only " msgstr "Лише " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "Такий формат даних не підтримуєтьÑÑ." @@ -4490,7 +4490,7 @@ msgstr "Проблема при збереженні вхідних допиÑÑ– msgid "DB error inserting reply: %s" msgstr "Помилка бази даних при додаванні відповіді: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -6159,47 +6159,47 @@ msgstr "ПовідомленнÑ" msgid "Moderate" msgstr "Модерувати" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "мить тому" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "хвилину тому" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "близько %d хвилин тому" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "годину тому" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "близько %d годин тому" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "день тому" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "близько %d днів тому" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "міÑÑць тому" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "близько %d міÑÑців тому" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "рік тому" diff --git a/locale/vi/LC_MESSAGES/statusnet.po b/locale/vi/LC_MESSAGES/statusnet.po index 696587e5f..cf152eff5 100644 --- a/locale/vi/LC_MESSAGES/statusnet.po +++ b/locale/vi/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:55:14+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:16:19+0000\n" "Language-Team: Vietnamese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: vi\n" "X-Message-Group: out-statusnet\n" @@ -195,7 +195,7 @@ msgstr "" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "PhÆ°Æ¡ng thức API không tìm thấy!" @@ -843,7 +843,7 @@ msgstr "Bá» chặn ngÆ°á»i dùng này" msgid "Yes" msgstr "Có" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 #, fuzzy msgid "Block this user" msgstr "Ban user" @@ -1668,7 +1668,7 @@ msgstr "NgÆ°á»i dùng không có thông tin." msgid "User is not a member of group." msgstr "Bạn chÆ°a cập nhật thông tin riêng" -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 #, fuzzy msgid "Block user from group" msgstr "Ban user" @@ -1775,20 +1775,20 @@ msgstr "" msgid "Admin" msgstr "" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 #, fuzzy msgid "Make user an admin of the group" msgstr "Bạn phải đăng nhập vào má»›i có thể gá»­i thÆ° má»i những " -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 #, fuzzy msgid "Make this user an admin" msgstr "Kênh mà bạn tham gia" @@ -2200,21 +2200,21 @@ msgstr "" "khoản, [hãy đăng ký](%%action.register%%) tài khoản má»›i, hoặc thá»­ đăng nhập " "bằng [OpenID](%%action.openidlogin%%). " -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "" -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, fuzzy, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "NgÆ°á»i dùng không có thông tin." -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, fuzzy, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "Không thể theo bạn này: %s đã có trong danh sách bạn bè của bạn rồi." -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, fuzzy, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "Bạn phải đăng nhập vào má»›i có thể gá»­i thÆ° má»i những " @@ -2422,8 +2422,8 @@ msgstr "Kết nối" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "Không há»— trợ định dạng dữ liệu này." @@ -4604,7 +4604,7 @@ msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." msgid "DB error inserting reply: %s" msgstr "Lá»—i cÆ¡ sở dữ liệu khi chèn trả lá»i: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%s (%s)" @@ -6309,47 +6309,47 @@ msgstr "Tin má»›i nhất" msgid "Moderate" msgstr "" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "vài giây trÆ°á»›c" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "1 phút trÆ°á»›c" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "%d phút trÆ°á»›c" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "1 giá» trÆ°á»›c" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "%d giá» trÆ°á»›c" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "1 ngày trÆ°á»›c" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "%d ngày trÆ°á»›c" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "1 tháng trÆ°á»›c" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "%d tháng trÆ°á»›c" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "1 năm trÆ°á»›c" diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index f643a788d..a7aeec7ca 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:55:17+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:16:22+0000\n" "Language-Team: Simplified Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: out-statusnet\n" @@ -197,7 +197,7 @@ msgstr "æ¥è‡ª%2$s 上 %1$s 和好å‹çš„æ›´æ–°ï¼" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "API 方法未实现ï¼" @@ -837,7 +837,7 @@ msgstr "å–消阻止次用户" msgid "Yes" msgstr "是" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 #, fuzzy msgid "Block this user" msgstr "阻止该用户" @@ -1646,7 +1646,7 @@ msgstr "用户没有个人信æ¯ã€‚" msgid "User is not a member of group." msgstr "您未告知此个人信æ¯" -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 #, fuzzy msgid "Block user from group" msgstr "阻止用户" @@ -1752,21 +1752,21 @@ msgstr "该组æˆå‘˜åˆ—表。" msgid "Admin" msgstr "admin管ç†å‘˜" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "阻止" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 #, fuzzy msgid "Make user an admin of the group" msgstr "åªæœ‰adminæ‰èƒ½ç¼–辑这个组" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 #, fuzzy msgid "Make Admin" msgstr "admin管ç†å‘˜" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "" @@ -2155,21 +2155,21 @@ msgstr "" "请使用你的å¸å·å’Œå¯†ç ç™»å…¥ã€‚没有å¸å·ï¼Ÿ[注册](%%action.register%%) 一个新å¸å·, " "或使用 [OpenID](%%action.openidlogin%%). " -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "" -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, fuzzy, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "用户没有个人信æ¯ã€‚" -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, fuzzy, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "无法订阅用户:未找到。" -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, fuzzy, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "åªæœ‰adminæ‰èƒ½ç¼–辑这个组" @@ -2372,8 +2372,8 @@ msgstr "连接" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "ä¸æ”¯æŒçš„æ•°æ®æ ¼å¼ã€‚" @@ -4530,7 +4530,7 @@ msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" msgid "DB error inserting reply: %s" msgstr "添加回å¤æ—¶æ•°æ®åº“出错:%s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -6174,47 +6174,47 @@ msgstr "新消æ¯" msgid "Moderate" msgstr "" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "几秒å‰" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "一分钟å‰" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "%d 分钟å‰" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "一å°æ—¶å‰" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "%d å°æ—¶å‰" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "一天å‰" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "%d 天å‰" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "一个月å‰" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "%d 个月å‰" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "一年å‰" diff --git a/locale/zh_TW/LC_MESSAGES/statusnet.po b/locale/zh_TW/LC_MESSAGES/statusnet.po index 6a384eac1..815f95eac 100644 --- a/locale/zh_TW/LC_MESSAGES/statusnet.po +++ b/locale/zh_TW/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-05 23:53+0000\n" -"PO-Revision-Date: 2010-02-05 23:55:19+0000\n" +"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"PO-Revision-Date: 2010-02-11 08:16:25+0000\n" "Language-Team: Traditional Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62048); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hant\n" "X-Message-Group: out-statusnet\n" @@ -193,7 +193,7 @@ msgstr "" #: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "確èªç¢¼éºå¤±" @@ -828,7 +828,7 @@ msgstr "無此使用者" msgid "Yes" msgstr "" -#: actions/block.php:144 actions/groupmembers.php:346 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 #, fuzzy msgid "Block this user" msgstr "無此使用者" @@ -1612,7 +1612,7 @@ msgstr "" msgid "User is not a member of group." msgstr "" -#: actions/groupblock.php:136 actions/groupmembers.php:314 +#: actions/groupblock.php:136 actions/groupmembers.php:316 #, fuzzy msgid "Block user from group" msgstr "無此使用者" @@ -1714,19 +1714,19 @@ msgstr "" msgid "Admin" msgstr "" -#: actions/groupmembers.php:346 lib/blockform.php:69 +#: actions/groupmembers.php:348 lib/blockform.php:69 msgid "Block" msgstr "" -#: actions/groupmembers.php:441 +#: actions/groupmembers.php:443 msgid "Make user an admin of the group" msgstr "" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:473 +#: actions/groupmembers.php:475 msgid "Make this user an admin" msgstr "" @@ -2082,21 +2082,21 @@ msgid "" "(%%action.register%%) a new account." msgstr "" -#: actions/makeadmin.php:91 +#: actions/makeadmin.php:92 msgid "Only an admin can make another user an admin." msgstr "" -#: actions/makeadmin.php:95 +#: actions/makeadmin.php:96 #, php-format msgid "%1$s is already an admin for group \"%2$s\"." msgstr "" -#: actions/makeadmin.php:132 +#: actions/makeadmin.php:133 #, fuzzy, php-format msgid "Can't get membership record for %1$s in group %2$s." msgstr "無法從 %s 建立OpenID" -#: actions/makeadmin.php:145 +#: actions/makeadmin.php:146 #, fuzzy, php-format msgid "Can't make %1$s an admin for group %2$s." msgstr "無法從 %s 建立OpenID" @@ -2292,8 +2292,8 @@ msgstr "連çµ" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1039 -#: lib/api.php:1067 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 +#: lib/api.php:1068 lib/api.php:1178 msgid "Not a supported data format." msgstr "" @@ -4374,7 +4374,7 @@ msgstr "儲存使用者發生錯誤" msgid "DB error inserting reply: %s" msgstr "增加回覆時,資料庫發生錯誤: %s" -#: classes/Notice.php:1231 +#: classes/Notice.php:1235 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -5962,47 +5962,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:867 +#: lib/util.php:870 msgid "a few seconds ago" msgstr "" -#: lib/util.php:869 +#: lib/util.php:872 msgid "about a minute ago" msgstr "" -#: lib/util.php:871 +#: lib/util.php:874 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:873 +#: lib/util.php:876 msgid "about an hour ago" msgstr "" -#: lib/util.php:875 +#: lib/util.php:878 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:877 +#: lib/util.php:880 msgid "about a day ago" msgstr "" -#: lib/util.php:879 +#: lib/util.php:882 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:881 +#: lib/util.php:884 msgid "about a month ago" msgstr "" -#: lib/util.php:883 +#: lib/util.php:886 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:885 +#: lib/util.php:888 msgid "about a year ago" msgstr "" -- cgit v1.2.3-54-g00ecf From 3c79448cd817d01b4421262fefc29eb558cede20 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Fri, 12 Feb 2010 11:34:23 +0100 Subject: Moved colour properties out of base stylesheet --- theme/base/css/display.css | 3 --- theme/default/css/display.css | 9 ++++++--- theme/identica/css/display.css | 10 +++++++--- 3 files changed, 13 insertions(+), 9 deletions(-) diff --git a/theme/base/css/display.css b/theme/base/css/display.css index 8490fb580..70ddc411f 100644 --- a/theme/base/css/display.css +++ b/theme/base/css/display.css @@ -1109,15 +1109,12 @@ right:29px; z-index:9; min-width:199px; float:none; -background-color:#FFF; padding:11px; border-radius:7px; -moz-border-radius:7px; -webkit-border-radius:7px; border-style:solid; border-width:1px; -border-color:#DDDDDD; --moz-box-shadow:3px 7px 5px rgba(194, 194, 194, 0.7); } .dialogbox legend { diff --git a/theme/default/css/display.css b/theme/default/css/display.css index 82eb13531..02e1645f4 100644 --- a/theme/default/css/display.css +++ b/theme/default/css/display.css @@ -46,7 +46,8 @@ box-shadow:3px 3px 7px rgba(194, 194, 194, 0.3); .pagination .nav_prev a, .pagination .nav_next a, .form_settings fieldset fieldset, -.entity_moderation:hover ul { +.entity_moderation:hover ul, +.dialogbox { border-color:#DDDDDD; } @@ -221,7 +222,8 @@ border-color:transparent; #content, #site_nav_local_views .current a, .entity_send-a-message .form_notice, -.entity_moderation:hover ul { +.entity_moderation:hover ul, +.dialogbox { background-color:#FFFFFF; } @@ -308,7 +310,8 @@ background-position: 5px -718px; background-position: 5px -852px; } .entity_send-a-message .form_notice, -.entity_moderation:hover ul { +.entity_moderation:hover ul, +.dialogbox { box-shadow:3px 7px 5px rgba(194, 194, 194, 0.7); -moz-box-shadow:3px 7px 5px rgba(194, 194, 194, 0.7); -webkit-box-shadow:3px 7px 5px rgba(194, 194, 194, 0.7); diff --git a/theme/identica/css/display.css b/theme/identica/css/display.css index 44ae4953b..6dc7d21df 100644 --- a/theme/identica/css/display.css +++ b/theme/identica/css/display.css @@ -46,7 +46,8 @@ box-shadow:3px 3px 7px rgba(194, 194, 194, 0.3); .pagination .nav_prev a, .pagination .nav_next a, .form_settings fieldset fieldset, -.entity_moderation:hover ul { +.entity_moderation:hover ul, +.dialogbox { border-color:#DDDDDD; } @@ -88,6 +89,7 @@ color:#FFFFFF; border-color:transparent; text-shadow:none; } + .dialogbox .submit_dialogbox, input.submit, .form_notice input.submit { @@ -221,7 +223,8 @@ border-color:transparent; #content, #site_nav_local_views .current a, .entity_send-a-message .form_notice, -.entity_moderation:hover ul { +.entity_moderation:hover ul, +.dialogbox { background-color:#FFFFFF; } @@ -307,7 +310,8 @@ background-position: 5px -718px; background-position: 5px -852px; } .entity_send-a-message .form_notice, -.entity_moderation:hover ul { +.entity_moderation:hover ul, +.dialogbox { box-shadow:3px 7px 5px rgba(194, 194, 194, 0.7); -moz-box-shadow:3px 7px 5px rgba(194, 194, 194, 0.7); -webkit-box-shadow:3px 7px 5px rgba(194, 194, 194, 0.7); -- cgit v1.2.3-54-g00ecf From 14a7353fd5583066b154836cccf035e87310ee97 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Sun, 14 Feb 2010 21:12:59 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans --- locale/ar/LC_MESSAGES/statusnet.po | 90 ++++++------ locale/arz/LC_MESSAGES/statusnet.po | 225 +++++++++++++++--------------- locale/en_GB/LC_MESSAGES/statusnet.po | 60 ++++---- locale/es/LC_MESSAGES/statusnet.po | 252 +++++++++++++++------------------- locale/pt_BR/LC_MESSAGES/statusnet.po | 130 ++++++++---------- locale/ru/LC_MESSAGES/statusnet.po | 62 ++++----- locale/statusnet.po | 56 ++++---- 7 files changed, 415 insertions(+), 460 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index 82eb96e5f..c7276b56f 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:14:11+0000\n" +"POT-Creation-Date: 2010-02-14 20:05+0000\n" +"PO-Revision-Date: 2010-02-14 20:05:58+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62476); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" @@ -26,14 +26,12 @@ msgid "Access" msgstr "Ù†Ùاذ" #: actions/accessadminpanel.php:65 -#, fuzzy msgid "Site access settings" -msgstr "اذ٠إعدادت الموقع" +msgstr "إعدادات الوصول إلى الموقع" #: actions/accessadminpanel.php:158 -#, fuzzy msgid "Registration" -msgstr "سجّل" +msgstr "تسجيل" #: actions/accessadminpanel.php:161 msgid "Private" @@ -72,9 +70,8 @@ msgid "Save" msgstr "أرسل" #: actions/accessadminpanel.php:189 -#, fuzzy msgid "Save access settings" -msgstr "اذ٠إعدادت الموقع" +msgstr "Ø­Ùظ إعدادت الوصول" #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 @@ -165,8 +162,8 @@ msgstr "" msgid "You and friends" msgstr "أنت والأصدقاء" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "" @@ -187,12 +184,12 @@ msgstr "" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:182 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:194 actions/apiusershow.php:101 msgid "API method not found." msgstr "لم يتم العثور على وسيلة API." @@ -280,7 +277,7 @@ msgstr "رسائل مباشرة من %s" #: actions/apidirectmessage.php:93 #, php-format msgid "All the direct messages sent from %s" -msgstr "" +msgstr "جميع الرسائل المرسلة من %s" #: actions/apidirectmessage.php:101 #, php-format @@ -353,7 +350,7 @@ msgstr "" #: actions/apifriendshipsshow.php:134 msgid "Could not determine source user." -msgstr "" +msgstr "تعذّر تحديد المستخدم المصدر." #: actions/apifriendshipsshow.php:142 msgid "Could not find target user." @@ -369,7 +366,7 @@ msgstr "" #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." -msgstr "" +msgstr "الاسم المستعار مستخدم بالÙعل. جرّب اسمًا آخرًا." #: actions/apigroupcreate.php:180 actions/editgroup.php:189 #: actions/newgroup.php:133 actions/profilesettings.php:218 @@ -406,7 +403,7 @@ msgstr "" #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." -msgstr "" +msgstr "كنيات كيرة! العدد الأقصى هو %d." #: actions/apigroupcreate.php:264 actions/editgroup.php:224 #: actions/newgroup.php:168 @@ -446,7 +443,7 @@ msgstr "لم يمكن ضم المستخدم %1$s إلى المجموعة %2$s." #: actions/apigroupleave.php:114 msgid "You are not a member of this group." -msgstr "" +msgstr "لست عضوًا ÙÙŠ هذه المجموعة" #: actions/apigroupleave.php:124 actions/leavegroup.php:119 #, php-format @@ -628,7 +625,7 @@ msgstr "نسق غير مدعوم." msgid "%1$s / Favorites from %2$s" msgstr "" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "" @@ -639,7 +636,7 @@ msgstr "" msgid "%s timeline" msgstr "مسار %s الزمني" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -655,12 +652,12 @@ msgstr "" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "مسار %s الزمني العام" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "" @@ -670,7 +667,7 @@ msgstr "" msgid "Repeated to %s" msgstr "كرر إلى %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "تكرارات %s" @@ -680,7 +677,7 @@ msgstr "تكرارات %s" msgid "Notices tagged with %s" msgstr "الإشعارات الموسومة ب%s" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "" @@ -1217,7 +1214,7 @@ msgstr "" msgid "Could not update group." msgstr "تعذر تحديث المجموعة." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "تعذّر إنشاء الكنى." @@ -2544,7 +2541,7 @@ msgstr "إعدادات المل٠الشخصي" #: actions/profilesettings.php:71 msgid "" "You can update your personal profile info here so people know more about you." -msgstr "" +msgstr "بإمكانك تحديث بيانات ملÙÙƒ الشخصي ليعر٠عنك الناس أكثر." #: actions/profilesettings.php:99 msgid "Profile information" @@ -2567,12 +2564,12 @@ msgstr "الصÙحة الرئيسية" #: actions/profilesettings.php:117 actions/register.php:455 msgid "URL of your homepage, blog, or profile on another site" -msgstr "" +msgstr "مسار صÙحتك الرئيسية أو مدونتك أو ملÙÙƒ الشخصي على موقع آخر" #: actions/profilesettings.php:122 actions/register.php:461 #, php-format msgid "Describe yourself and your interests in %d chars" -msgstr "" +msgstr "تكلم عن Ù†Ùسك واهتمامتك ÙÙŠ %d حرÙ" #: actions/profilesettings.php:125 actions/register.php:464 msgid "Describe yourself and your interests" @@ -2591,7 +2588,7 @@ msgstr "الموقع" #: actions/profilesettings.php:134 actions/register.php:473 msgid "Where you are, like \"City, State (or Region), Country\"" -msgstr "" +msgstr "مكان تواجدك، على سبيل المثال \"المدينة، الولاية (أو المنطقة)ØŒ الدولة\"" #: actions/profilesettings.php:138 msgid "Share my current location when posting notices" @@ -2607,6 +2604,7 @@ msgstr "الوسوم" msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" +"سÙÙ… Ù†Ùسك (حرو٠وأرقام Ùˆ \"-\" Ùˆ \".\" Ùˆ \"_\")ØŒ اÙصلها بÙاصلة (',') أو مساÙØ©." #: actions/profilesettings.php:151 actions/siteadminpanel.php:280 msgid "Language" @@ -2627,7 +2625,7 @@ msgstr "ما المنطقة الزمنية التي تتواجد Ùيها عاد #: actions/profilesettings.php:167 msgid "" "Automatically subscribe to whoever subscribes to me (best for non-humans)" -msgstr "" +msgstr "اشترك تلقائيًا بأي شخص يشترك بي (ÙŠÙضل أن يستخدم لغير البشر)" #: actions/profilesettings.php:228 actions/register.php:223 #, php-format @@ -4246,7 +4244,7 @@ msgstr "مشكلة أثناء Ø­Ùظ الإشعار." msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1235 +#: classes/Notice.php:1271 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تي @%1$s %2$s" @@ -4256,11 +4254,11 @@ msgstr "آر تي @%1$s %2$s" msgid "Welcome to %1$s, @%2$s!" msgstr "أهلا بكم ÙÙŠ %1$s يا @%2$s!" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "تعذّر إنشاء المجموعة." -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "تعذّر ضبط عضوية المجموعة." @@ -5802,47 +5800,47 @@ msgstr "رسالة" msgid "Moderate" msgstr "" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "قبل لحظات قليلة" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "قبل دقيقة تقريبًا" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "قبل ساعة تقريبًا" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "قبل يوم تقريبا" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "قبل شهر تقريبًا" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "قبل سنة تقريبًا" diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index a50846543..2940486d8 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -1,5 +1,6 @@ # Translation of StatusNet to Egyptian Spoken Arabic # +# Author@translatewiki.net: Dudi # Author@translatewiki.net: Ghaly # Author@translatewiki.net: Meno25 # -- @@ -9,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:14:14+0000\n" +"POT-Creation-Date: 2010-02-14 20:05+0000\n" +"PO-Revision-Date: 2010-02-14 20:06:01+0000\n" "Language-Team: Egyptian Spoken Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62476); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: out-statusnet\n" @@ -110,7 +111,7 @@ msgstr "لا مستخدم كهذا." #: actions/all.php:84 #, php-format msgid "%1$s and friends, page %2$d" -msgstr "%1$s والأصدقاء, الصÙحه %2$d" +msgstr "%1$s Ùˆ الصحاب, صÙحه %2$d" #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 @@ -165,8 +166,8 @@ msgstr "" msgid "You and friends" msgstr "أنت والأصدقاء" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "" @@ -187,12 +188,12 @@ msgstr "" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:182 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:194 actions/apiusershow.php:101 msgid "API method not found." msgstr "لم يتم العثور على وسيله API." @@ -316,7 +317,7 @@ msgstr "" #: actions/apifavoritecreate.php:119 msgid "This status is already a favorite." -msgstr "هذه الحاله Ù…Ùضله بالÙعل." +msgstr "الحاله دى موجوده Ùعلا ÙÙ‰ التÙضيلات." #: actions/apifavoritecreate.php:130 actions/favor.php:84 lib/command.php:176 msgid "Could not create favorite." @@ -324,7 +325,7 @@ msgstr "تعذّر إنشاء Ù…Ùضله." #: actions/apifavoritedestroy.php:122 msgid "That status is not a favorite." -msgstr "تلك الحاله ليست Ù…Ùضله." +msgstr "الحاله دى مش محطوطه ÙÙ‰ التÙضيلات." #: actions/apifavoritedestroy.php:134 actions/disfavor.php:87 msgid "Could not delete favorite." @@ -345,7 +346,7 @@ msgstr "" #: actions/apifriendshipsdestroy.php:120 msgid "You cannot unfollow yourself." -msgstr "لا يمكنك عدم متابعه Ù†Ùسك." +msgstr "ما ينÙعش عدم متابعة Ù†Ùسك." #: actions/apifriendshipsexists.php:94 msgid "Two user ids or screen_names must be supplied." @@ -442,7 +443,7 @@ msgstr "" #: actions/apigroupjoin.php:138 actions/joingroup.php:124 #, php-format msgid "Could not join user %1$s to group %2$s." -msgstr "لم يمكن ضم المستخدم %1$s إلى المجموعه %2$s." +msgstr "ما Ù†Ùعش يضم %1$s للجروپ %2$s." #: actions/apigroupleave.php:114 msgid "You are not a member of this group." @@ -451,7 +452,7 @@ msgstr "" #: actions/apigroupleave.php:124 actions/leavegroup.php:119 #, php-format msgid "Could not remove user %1$s from group %2$s." -msgstr "لم يمكن إزاله المستخدم %1$s من المجموعه %2$s." +msgstr "ما Ù†Ùعش يتشال اليوزر %1$s من الجروپ %2$s." #: actions/apigrouplist.php:95 #, php-format @@ -497,7 +498,7 @@ msgstr "" #: actions/apioauthauthorize.php:135 msgid "Invalid nickname / password!" -msgstr "اسم/كلمه سر غير صحيحة!" +msgstr "نيكنيم / پاسوورد مش مظبوطه!" #: actions/apioauthauthorize.php:159 #, fuzzy @@ -628,7 +629,7 @@ msgstr "نسق غير مدعوم." msgid "%1$s / Favorites from %2$s" msgstr "" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "" @@ -639,7 +640,7 @@ msgstr "" msgid "%s timeline" msgstr "مسار %s الزمني" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -655,12 +656,12 @@ msgstr "" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "مسار %s الزمنى العام" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "" @@ -670,7 +671,7 @@ msgstr "" msgid "Repeated to %s" msgstr "كرر إلى %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "تكرارات %s" @@ -680,7 +681,7 @@ msgstr "تكرارات %s" msgid "Notices tagged with %s" msgstr "الإشعارات الموسومه ب%s" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "" @@ -830,7 +831,7 @@ msgstr "" #: actions/blockedfromgroup.php:93 #, php-format msgid "%1$s blocked profiles, page %2$d" -msgstr "%1$s ملÙات ممنوعة, الصÙحه %2$d" +msgstr "%1$s Ùايلات معمول ليها بلوك, الصÙحه %2$d" #: actions/blockedfromgroup.php:108 msgid "A list of the users blocked from joining this group." @@ -888,7 +889,7 @@ msgstr "تعذّر حذ٠تأكيد البريد الإلكترونى." #: actions/confirmaddress.php:144 msgid "Confirm address" -msgstr "أكد العنوان" +msgstr "اكد العنوان" #: actions/confirmaddress.php:159 #, php-format @@ -917,7 +918,7 @@ msgstr "لم يوجد رمز التأكيد." #: actions/deleteapplication.php:78 actions/editapplication.php:77 #: actions/showapplication.php:94 msgid "You are not the owner of this application." -msgstr "أنت لست مالك هذا التطبيق." +msgstr "انت مش بتملك الapplication دى." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 @@ -1131,16 +1132,16 @@ msgstr "تطبيقات OAuth" #: actions/editapplication.php:66 msgid "You must be logged in to edit an application." -msgstr "يجب أن تكون مسجل الدخول لتعدل تطبيقا." +msgstr "لازم يكون متسجل دخولك علشان تعدّل application." #: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 msgid "No such application." -msgstr "لا تطبيق كهذا." +msgstr "ما Ùيش application زى كده." #: actions/editapplication.php:161 msgid "Use this form to edit your application." -msgstr "استخدم النموذج ده علشان تعدل تطبيقك." +msgstr "استعمل الÙورمه دى علشان تعدّل الapplication بتاعتك." #: actions/editapplication.php:177 actions/newapplication.php:159 msgid "Name is required." @@ -1148,7 +1149,7 @@ msgstr "الاسم مطلوب." #: actions/editapplication.php:180 actions/newapplication.php:165 msgid "Name is too long (max 255 chars)." -msgstr "الاسم طويل جدا (الأقصى 255 حرÙا)." +msgstr "الاسم طويل جدا (اكتر حاجه 255 رمز)." #: actions/editapplication.php:183 actions/newapplication.php:162 msgid "Name already in use. Try another one." @@ -1164,7 +1165,7 @@ msgstr "" #: actions/editapplication.php:200 actions/newapplication.php:185 msgid "Source URL is not valid." -msgstr "مسار المصدر ليس صحيحا." +msgstr "الSource URL مش مظبوط." #: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." @@ -1172,7 +1173,7 @@ msgstr "" #: actions/editapplication.php:206 actions/newapplication.php:191 msgid "Organization is too long (max 255 chars)." -msgstr "المنظمه طويله جدا (الأقصى 255 حرÙا)." +msgstr "المنظمه طويله جدا (اكتر حاجه 255 رمز)." #: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." @@ -1188,7 +1189,7 @@ msgstr "" #: actions/editapplication.php:258 msgid "Could not update application." -msgstr "لم يمكن تحديث التطبيق." +msgstr "ما Ù†Ùعش تحديث الapplication." #: actions/editgroup.php:56 #, php-format @@ -1202,7 +1203,7 @@ msgstr "يجب أن تكون والجًا لتنشئ مجموعه." #: actions/editgroup.php:103 actions/editgroup.php:168 #: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 msgid "You must be an admin to edit the group." -msgstr "يجب أن تكون إداريا لتعدل المجموعه." +msgstr "لازم تكون ادارى علشان تعدّل الجروپ." #: actions/editgroup.php:154 msgid "Use this form to edit the group." @@ -1217,7 +1218,7 @@ msgstr "" msgid "Could not update group." msgstr "تعذر تحديث المجموعه." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "تعذّر إنشاء الكنى." @@ -1227,7 +1228,7 @@ msgstr "Ø­ÙÙظت الخيارات." #: actions/emailsettings.php:60 msgid "Email settings" -msgstr "إعدادات البريد الإلكتروني" +msgstr "تظبيطات الايميل" #: actions/emailsettings.php:71 #, php-format @@ -1263,7 +1264,7 @@ msgstr "ألغÙ" #: actions/emailsettings.php:121 msgid "Email address" -msgstr "عنوان البريد الإلكتروني" +msgstr "عنوان الايميل" #: actions/emailsettings.php:123 msgid "Email address, like \"UserName@example.org\"" @@ -1613,7 +1614,7 @@ msgstr "" #: actions/grouplogo.php:178 msgid "User without matching profile." -msgstr "المستخدم بدون مل٠مطابق." +msgstr "يوزر من-غير پروÙايل زيّه." #: actions/grouplogo.php:362 msgid "Pick a square area of the image to be the logo." @@ -1635,7 +1636,7 @@ msgstr "أعضاء مجموعه %s" #: actions/groupmembers.php:96 #, php-format msgid "%1$s group members, page %2$d" -msgstr "%1$s أعضاء المجموعة, الصÙحه %2$d" +msgstr "%1$s اعضاء الجروپ, صÙحه %2$d" #: actions/groupmembers.php:111 msgid "A list of the users in this group." @@ -1734,7 +1735,7 @@ msgstr "خطأ أثناء منع الحجب." #: actions/imsettings.php:59 msgid "IM settings" -msgstr "إعدادات المراسله الÙورية" +msgstr "تظبيطات بعت الرسايل الÙوريه" #: actions/imsettings.php:70 #, php-format @@ -1760,7 +1761,7 @@ msgstr "" #: actions/imsettings.php:124 msgid "IM address" -msgstr "عنوان المراسله الÙورية" +msgstr "عنوان الرساله الÙوريه" #: actions/imsettings.php:126 #, php-format @@ -1944,7 +1945,7 @@ msgstr "" #: actions/joingroup.php:131 #, php-format msgid "%1$s joined group %2$s" -msgstr "%1$s انضم للمجموعه %2$s" +msgstr "%1$s دخل جروپ %2$s" #: actions/leavegroup.php:60 msgid "You must be logged in to leave a group." @@ -1957,7 +1958,7 @@ msgstr "لست عضوا ÙÙ‰ تلك المجموعه." #: actions/leavegroup.php:127 #, php-format msgid "%1$s left group %2$s" -msgstr "%1$s ترك المجموعه %2$s" +msgstr "%1$s ساب جروپ %2$s" #: actions/login.php:80 actions/otp.php:62 actions/register.php:137 msgid "Already logged in." @@ -2017,12 +2018,12 @@ msgstr "" #: actions/makeadmin.php:133 #, php-format msgid "Can't get membership record for %1$s in group %2$s." -msgstr "لم يمكن الحصول على تسجيل العضويه Ù„%1$s ÙÙ‰ المجموعه %2$s." +msgstr "مش ناÙع يتجاب سجل العضويه لـ%1$s ÙÙ‰ جروپ %2$s." #: actions/makeadmin.php:146 #, php-format msgid "Can't make %1$s an admin for group %2$s." -msgstr "لم يمكن جعل %1$s إداريا للمجموعه %2$s." +msgstr "%1$s مش ناÙع يبقى ادارى لجروپ %2$s." #: actions/microsummary.php:69 msgid "No current status" @@ -2035,11 +2036,11 @@ msgstr "لا تطبيق كهذا." #: actions/newapplication.php:64 msgid "You must be logged in to register an application." -msgstr "يجب أن تكون مسجل الدخول لتسجل تطبيقا." +msgstr "لازم تكون مسجل دخوللك علشان تسجل application." #: actions/newapplication.php:143 msgid "Use this form to register a new application." -msgstr "استخدم هذا النموذج لتسجل تطبيقا جديدا." +msgstr "استعمل الÙورمه دى علشان تسجل application جديد." #: actions/newapplication.php:176 msgid "Source URL is required." @@ -2047,7 +2048,7 @@ msgstr "" #: actions/newapplication.php:258 actions/newapplication.php:267 msgid "Could not create application." -msgstr "مش ممكن إنشاء التطبيق." +msgstr "مش ممكن إنشاء الapplication." #: actions/newgroup.php:53 msgid "New group" @@ -2086,7 +2087,7 @@ msgstr "Ø£Ùرسلت الرسالة" #: actions/newmessage.php:185 #, php-format msgid "Direct message to %s sent." -msgstr "رساله مباشره Ù„%s تم إرسالها." +msgstr "رساله مباشره اتبعتت لـ%s." #: actions/newmessage.php:210 actions/newnotice.php:245 lib/channel.php:170 msgid "Ajax Error" @@ -2114,7 +2115,7 @@ msgstr "بحث ÙÙ‰ النصوص" #: actions/noticesearch.php:91 #, php-format msgid "Search results for \"%1$s\" on %2$s" -msgstr "نتائج البحث Ù„\"%1$s\" على %2$s" +msgstr "نتايج التدوير لـ\"%1$s\" على %2$s" #: actions/noticesearch.php:121 #, php-format @@ -2155,11 +2156,11 @@ msgstr "Ø£Ùرسل التنبيه!" #: actions/oauthappssettings.php:59 msgid "You must be logged in to list your applications." -msgstr "يجب أن تكون مسجل الدخول لعرض تطبيقاتك." +msgstr "لازم تكون مسجل دخولك علشان تشو٠ليستة الapplications بتاعتك." #: actions/oauthappssettings.php:74 msgid "OAuth applications" -msgstr "تطبيقات OAuth" +msgstr "OAuth applications" #: actions/oauthappssettings.php:85 msgid "Applications you have registered" @@ -2180,7 +2181,7 @@ msgstr "" #: actions/oauthconnectionssettings.php:175 msgid "You are not a user of that application." -msgstr "أنت لست مستخدما لهذا التطبيق." +msgstr "انت مش يوزر للapplication دى." #: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " @@ -2227,7 +2228,7 @@ msgstr "بحث الإشعارات" #: actions/othersettings.php:60 msgid "Other settings" -msgstr "إعدادات تانيه" +msgstr "تظبيطات تانيه" #: actions/othersettings.php:71 msgid "Manage various other options." @@ -2259,23 +2260,23 @@ msgstr "" #: actions/otp.php:69 msgid "No user ID specified." -msgstr "لا هويه مستخدم محدده." +msgstr "ما Ùيش ID متحدد لليوزر." #: actions/otp.php:83 msgid "No login token specified." -msgstr "لا محتوى دخول محدد." +msgstr "ما Ùيش امارة دخول متحدده." #: actions/otp.php:90 msgid "No login token requested." -msgstr "لا طلب استيثاق." +msgstr "ما Ùيش طلب تسجيل دخول مطلوب." #: actions/otp.php:95 msgid "Invalid login token specified." -msgstr "توكن دخول غير صحيح محدد." +msgstr "امارة تسجيل الدخول اللى اتحطت مش موجوده." #: actions/otp.php:104 msgid "Login token expired." -msgstr "توكن الدخول انتهى." +msgstr "تاريخ صلاحية الاماره خلص." #: actions/outbox.php:58 #, php-format @@ -2495,7 +2496,7 @@ msgstr "" #: actions/pathsadminpanel.php:335 msgid "SSL server" -msgstr "خادم SSL" +msgstr "SSL server" #: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" @@ -3118,7 +3119,7 @@ msgstr "" #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" -msgstr "ستاتس نت" +msgstr "StatusNet" #: actions/sandbox.php:65 actions/unsandbox.php:65 msgid "You cannot sandbox users on this site." @@ -3161,7 +3162,7 @@ msgstr "اذ٠إعدادت الموقع" #: actions/showapplication.php:82 msgid "You must be logged in to view an application." -msgstr "يجب أن تكون مسجل الدخول لرؤيه تطبيق." +msgstr "لازم تكون مسجل دخولك علشان تشو٠اى application." #: actions/showapplication.php:157 msgid "Application profile" @@ -3178,7 +3179,7 @@ msgstr "الاسم" #: actions/showapplication.php:178 lib/applicationeditform.php:222 msgid "Organization" -msgstr "المنظمة" +msgstr "المنظمه" #: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 @@ -3225,7 +3226,7 @@ msgstr "" #: actions/showapplication.php:283 msgid "Authorize URL" -msgstr "اسمح بالمسار" +msgstr "اسمح للURL" #: actions/showapplication.php:288 msgid "" @@ -3499,12 +3500,12 @@ msgstr "يجب ألا يكون طول اسم الموقع صÙرًا." #: actions/siteadminpanel.php:140 msgid "You must have a valid contact email address." -msgstr "يجب أن تملك عنوان بريد إلكترونى صحيح." +msgstr "لازم يكون عندك عنوان ايميل صالح." #: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." -msgstr "لغه غير معروÙÙ‡ \"%s\"." +msgstr "لغه مش معروÙÙ‡ \"%s\"." #: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." @@ -3632,7 +3633,7 @@ msgstr "" #: actions/smssettings.php:58 msgid "SMS settings" -msgstr "إعدادات الرسائل القصيرة" +msgstr "تظبيطات الـSMS" #: actions/smssettings.php:69 #, php-format @@ -3661,7 +3662,7 @@ msgstr "" #: actions/smssettings.php:138 msgid "SMS phone number" -msgstr "رقم هات٠SMS" +msgstr "نمرة تليÙون الـSMS" #: actions/smssettings.php:140 msgid "Phone number, no punctuation or spaces, with area code" @@ -3746,7 +3747,7 @@ msgstr "مشتركو %s" #: actions/subscribers.php:52 #, php-format msgid "%1$s subscribers, page %2$d" -msgstr "مشتركو %1$s, الصÙحه %2$d" +msgstr "%1$s مشتركين, صÙحه %2$d" #: actions/subscribers.php:63 msgid "These are the people who listen to your notices." @@ -3783,7 +3784,7 @@ msgstr "اشتراكات %s" #: actions/subscriptions.php:54 #, php-format msgid "%1$s subscriptions, page %2$d" -msgstr "اشتراكات%1$s, الصÙحه %2$d" +msgstr "%1$s اشتراكات, صÙحه %2$d" #: actions/subscriptions.php:65 msgid "These are the people whose notices you listen to." @@ -4108,7 +4109,7 @@ msgstr "" #: actions/version.php:73 #, php-format msgid "StatusNet %s" -msgstr "ستاتس نت %s" +msgstr "StatusNet %s" #: actions/version.php:153 #, php-format @@ -4150,11 +4151,11 @@ msgstr "" #: actions/version.php:196 lib/action.php:747 msgid "Version" -msgstr "النسخة" +msgstr "النسخه" #: actions/version.php:197 msgid "Author(s)" -msgstr "المؤلÙ(ون)" +msgstr "المؤلÙ/ين" #: classes/File.php:144 #, php-format @@ -4175,15 +4176,15 @@ msgstr "" #: classes/Group_member.php:41 msgid "Group join failed." -msgstr "الانضمام للمجموعه Ùشل." +msgstr "دخول الجروپ Ùشل." #: classes/Group_member.php:53 msgid "Not part of group." -msgstr "ليس جزءا من المجموعه." +msgstr "مش جزء من الجروپ." #: classes/Group_member.php:60 msgid "Group leave failed." -msgstr "ترك المجموعه Ùشل." +msgstr "الخروج من الجروپ Ùشل." #: classes/Login_token.php:76 #, php-format @@ -4244,7 +4245,7 @@ msgstr "مشكله أثناء Ø­Ùظ الإشعار." msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1235 +#: classes/Notice.php:1271 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تى @%1$s %2$s" @@ -4254,11 +4255,11 @@ msgstr "آر تى @%1$s %2$s" msgid "Welcome to %1$s, @%2$s!" msgstr "أهلا بكم ÙÙ‰ %1$s يا @%2$s!" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "تعذّر إنشاء المجموعه." -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "تعذّر ضبط عضويه المجموعه." @@ -4485,7 +4486,7 @@ msgstr "" #: lib/adminpanelaction.php:107 msgid "Changes to that panel are not allowed." -msgstr "التغييرات لهذه اللوحه غير مسموح بها." +msgstr "التغييرات مش مسموحه للـ لوحه دى." #: lib/adminpanelaction.php:206 msgid "showForm() not implemented." @@ -4550,11 +4551,11 @@ msgstr "" #: lib/applicationeditform.php:207 msgid "Describe your application" -msgstr "اوص٠تطبيقك" +msgstr "اوص٠الapplication بتاعتك" #: lib/applicationeditform.php:216 msgid "Source URL" -msgstr "مسار المصدر" +msgstr "Source URL" #: lib/applicationeditform.php:218 msgid "URL of the homepage of this application" @@ -4598,7 +4599,7 @@ msgstr "" #: lib/applicationlist.php:154 msgid "Revoke" -msgstr "اسحب" +msgstr "بطّل" #: lib/attachmentlist.php:87 msgid "Attachments" @@ -4622,11 +4623,11 @@ msgstr "وسوم هذا المرÙÙ‚" #: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 msgid "Password changing failed" -msgstr "تغيير كلمه السر Ùشل" +msgstr "تغيير الپاسوورد Ùشل" #: lib/authenticationplugin.php:233 msgid "Password changing is not allowed" -msgstr "تغيير كلمه السر غير مسموح به" +msgstr "تغيير الپاسوورد مش مسموح" #: lib/channel.php:138 lib/channel.php:158 msgid "Command results" @@ -4647,7 +4648,7 @@ msgstr "" #: lib/command.php:88 #, php-format msgid "Could not find a user with nickname %s" -msgstr "لم يمكن إيجاد مستخدم بالاسم %s" +msgstr "ما Ù†Ùعش يلاقى يوزر بإسم %s" #: lib/command.php:92 msgid "It does not make a lot of sense to nudge yourself!" @@ -4656,7 +4657,7 @@ msgstr "" #: lib/command.php:99 #, php-format msgid "Nudge sent to %s" -msgstr "التنبيه تم إرساله إلى %s" +msgstr "Nudge اتبعتت لـ %s" #: lib/command.php:126 #, php-format @@ -4671,7 +4672,7 @@ msgstr "" #: lib/command.php:152 lib/command.php:390 lib/command.php:451 msgid "Notice with that id does not exist" -msgstr "الملاحظه بهذا الرقم غير موجودة" +msgstr "الملاحظه بالـID ده مالهاش وجود" #: lib/command.php:168 lib/command.php:406 lib/command.php:467 #: lib/command.php:523 @@ -4684,12 +4685,12 @@ msgstr "" #: lib/command.php:217 msgid "You are already a member of that group" -msgstr "أنت بالÙعل عضو ÙÙ‰ هذه المجموعة" +msgstr "انت اصلا عضو ÙÙ‰ الجروپ ده" #: lib/command.php:231 #, php-format msgid "Could not join user %s to group %s" -msgstr "لم يمكن ضم المستخدم %s إلى المجموعه %s" +msgstr "ما Ù†Ùعش يدخل اليوزر %s لجروپ %s" #: lib/command.php:236 #, php-format @@ -4699,12 +4700,12 @@ msgstr "%s انضم إلى مجموعه %s" #: lib/command.php:275 #, php-format msgid "Could not remove user %s to group %s" -msgstr "لم يمكن إزاله المستخدم %s من المجموعه %s" +msgstr "ما Ù†Ùعش يشيل اليوزر %s لجروپ %s" #: lib/command.php:280 #, php-format msgid "%s left group %s" -msgstr "%s ترك المجموعه %s" +msgstr "%s ساب الجروپ %s" #: lib/command.php:309 #, php-format @@ -4734,7 +4735,7 @@ msgstr "" #: lib/command.php:367 #, php-format msgid "Direct message to %s sent" -msgstr "رساله مباشره إلى %s تم إرسالها" +msgstr "رساله مباشره اتبعتت لـ %s" #: lib/command.php:369 msgid "Error sending direct message." @@ -4742,7 +4743,7 @@ msgstr "" #: lib/command.php:413 msgid "Cannot repeat your own notice" -msgstr "لا يمكنك تكرار ملاحظتك الخاصة" +msgstr "الملاحظه بتاعتك مش ناÙعه تتكرر" #: lib/command.php:418 msgid "Already repeated that notice" @@ -4931,7 +4932,7 @@ msgstr "" #: lib/connectsettingsaction.php:120 msgid "Connections" -msgstr "اتصالات" +msgstr "كونيكشونات (Connections)" #: lib/connectsettingsaction.php:121 msgid "Authorized connected applications" @@ -5127,7 +5128,7 @@ msgstr "[%s]" #: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." -msgstr "مصدر صندوق وارد غير معرو٠%d." +msgstr "مصدر الـinbox مش معرو٠%d." #: lib/joinform.php:114 msgid "Join" @@ -5189,7 +5190,7 @@ msgstr "" #: lib/mail.php:258 #, php-format msgid "Bio: %s" -msgstr "السيرة: %s" +msgstr "عن Ù†Ùسك: %s" #: lib/mail.php:286 #, php-format @@ -5342,7 +5343,7 @@ msgstr "" #: lib/mailhandler.php:228 #, php-format msgid "Unsupported message type: %s" -msgstr "نوع رساله غير مدعوم: %s" +msgstr "نوع رساله مش مدعوم: %s" #: lib/mediafile.php:98 lib/mediafile.php:123 msgid "There was a database error while saving your file. Please try again." @@ -5384,7 +5385,7 @@ msgstr "" #: lib/mediafile.php:201 lib/mediafile.php:237 msgid "Could not determine file's MIME type." -msgstr "لم يمكن تحديد نوع MIME للملÙ." +msgstr "مش ناÙع يتحدد نوع الـMIME بتاع الÙايل." #: lib/mediafile.php:270 #, php-format @@ -5427,11 +5428,11 @@ msgstr "أرÙÙ‚ ملÙًا" #: lib/noticeform.php:212 msgid "Share my location" -msgstr "شارك موقعى" +msgstr "اعمل مشاركه لمكانى" #: lib/noticeform.php:215 msgid "Do not share my location" -msgstr "لا تشارك موقعي" +msgstr "ما تعملش مشاركه لمكانى" #: lib/noticeform.php:216 msgid "" @@ -5555,7 +5556,7 @@ msgstr "" #: lib/plugin.php:114 msgid "Unknown" -msgstr "غير معروÙ" +msgstr "مش معروÙ" #: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 msgid "Subscriptions" @@ -5790,47 +5791,47 @@ msgstr "رسالة" msgid "Moderate" msgstr "" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "قبل لحظات قليلة" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "قبل دقيقه تقريبًا" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "قبل ساعه تقريبًا" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "قبل يوم تقريبا" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "قبل شهر تقريبًا" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "قبل سنه تقريبًا" diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index 6a7752006..0e7acedc0 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:14:33+0000\n" +"POT-Creation-Date: 2010-02-14 20:05+0000\n" +"PO-Revision-Date: 2010-02-14 20:06:20+0000\n" "Language-Team: British English\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62476); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: out-statusnet\n" @@ -169,8 +169,8 @@ msgstr "" msgid "You and friends" msgstr "You and friends" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "Updates from %1$s and friends on %2$s!" @@ -191,12 +191,12 @@ msgstr "Updates from %1$s and friends on %2$s!" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:182 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:194 actions/apiusershow.php:101 msgid "API method not found." msgstr "API method not found." @@ -640,7 +640,7 @@ msgstr "Unsupported format." msgid "%1$s / Favorites from %2$s" msgstr "%1$s / Favourites from %2$s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s updates favourited by %2$s / %2$s." @@ -651,7 +651,7 @@ msgstr "%1$s updates favourited by %2$s / %2$s." msgid "%s timeline" msgstr "%s timeline" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -667,12 +667,12 @@ msgstr "%1$s / Updates mentioning %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s updates that reply to updates from %2$s / %3$s." -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s public timeline" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s updates from everyone!" @@ -682,7 +682,7 @@ msgstr "%s updates from everyone!" msgid "Repeated to %s" msgstr "Repeated to %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "Repeats of %s" @@ -692,7 +692,7 @@ msgstr "Repeats of %s" msgid "Notices tagged with %s" msgstr "Notices tagged with %s" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Updates tagged with %1$s on %2$s!" @@ -1235,7 +1235,7 @@ msgstr "description is too long (max %d chars)." msgid "Could not update group." msgstr "Could not update group." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "Could not create aliases" @@ -4501,7 +4501,7 @@ msgstr "Problem saving notice." msgid "DB error inserting reply: %s" msgstr "DB error inserting reply: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1271 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4511,11 +4511,11 @@ msgstr "%1$s (%2$s)" msgid "Welcome to %1$s, @%2$s!" msgstr "Welcome to %1$s, @%2$s!" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "Could not create group." -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "Could not set group membership." @@ -6091,47 +6091,47 @@ msgstr "Message" msgid "Moderate" msgstr "" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "a few seconds ago" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "about a minute ago" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "about %d minutes ago" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "about an hour ago" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "about %d hours ago" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "about a day ago" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "about %d days ago" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "about a month ago" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "about %d months ago" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "about a year ago" diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index a351c293b..0d7c9384a 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:14:36+0000\n" +"POT-Creation-Date: 2010-02-14 20:05+0000\n" +"PO-Revision-Date: 2010-02-14 20:06:23+0000\n" "Language-Team: Spanish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62476); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: out-statusnet\n" @@ -172,8 +172,8 @@ msgstr "" msgid "You and friends" msgstr "Tú y amigos" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "¡Actualizaciones de %1$s y amigos en %2$s!" @@ -194,12 +194,12 @@ msgstr "¡Actualizaciones de %1$s y amigos en %2$s!" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:182 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:194 actions/apiusershow.php:101 msgid "API method not found." msgstr "Método de API no encontrado." @@ -648,7 +648,7 @@ msgstr "Formato no soportado." msgid "%1$s / Favorites from %2$s" msgstr "%1$s / Favoritos de %2$s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s actualizaciones favoritas de %2$s / %2$s." @@ -659,7 +659,7 @@ msgstr "%1$s actualizaciones favoritas de %2$s / %2$s." msgid "%s timeline" msgstr "línea temporal de %s" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -675,12 +675,12 @@ msgstr "%1$s / Actualizaciones que mencionan %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "actualizaciones de %1$s en respuesta a las de %2$s / %3$s" -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "línea temporal pública de %s" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "¡Actualizaciones de todos en %s!" @@ -690,7 +690,7 @@ msgstr "¡Actualizaciones de todos en %s!" msgid "Repeated to %s" msgstr "Repetido a %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "Repeticiones de %s" @@ -700,7 +700,7 @@ msgstr "Repeticiones de %s" msgid "Notices tagged with %s" msgstr "Avisos marcados con %s" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Actualizaciones etiquetadas con %1$s en %2$s!" @@ -1244,7 +1244,7 @@ msgstr "La descripción es muy larga (máx. %d caracteres)." msgid "Could not update group." msgstr "No se pudo actualizar el grupo." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "No fue posible crear alias." @@ -2380,9 +2380,8 @@ msgid "URL shortening service is too long (max 50 chars)." msgstr "El servicio de acortamiento de URL es muy largo (máx. 50 caracteres)." #: actions/otp.php:69 -#, fuzzy msgid "No user ID specified." -msgstr "Grupo no especificado." +msgstr "No se ha especificado ID de usuario." #: actions/otp.php:83 msgid "No login token specified." @@ -2393,18 +2392,17 @@ msgid "No login token requested." msgstr "Token de acceso solicitado." #: actions/otp.php:95 -#, fuzzy msgid "Invalid login token specified." -msgstr "El contenido del aviso es inválido" +msgstr "Token de acceso inválido especificado." #: actions/otp.php:104 msgid "Login token expired." msgstr "Token de acceso caducado." #: actions/outbox.php:58 -#, fuzzy, php-format +#, php-format msgid "Outbox for %1$s - page %2$d" -msgstr "Bandeja de salida para %s" +msgstr "Bandeja de salida de %1$s - página %2$d" #: actions/outbox.php:61 #, php-format @@ -2421,9 +2419,8 @@ msgid "Change password" msgstr "Cambiar contraseña" #: actions/passwordsettings.php:69 -#, fuzzy msgid "Change your password." -msgstr "Cambia tu contraseña." +msgstr "Cambia tu contraseña" #: actions/passwordsettings.php:96 actions/recoverpassword.php:231 msgid "Password change" @@ -2487,9 +2484,9 @@ msgid "Path and server settings for this StatusNet site." msgstr "" #: actions/pathsadminpanel.php:157 -#, fuzzy, php-format +#, php-format msgid "Theme directory not readable: %s" -msgstr "Esta página no está disponible en un " +msgstr "Directorio de temas ilegible: %s" #: actions/pathsadminpanel.php:163 #, php-format @@ -2499,7 +2496,7 @@ msgstr "" #: actions/pathsadminpanel.php:169 #, php-format msgid "Background directory not writable: %s" -msgstr "" +msgstr "Directorio de fondo ilegible: %s" #: actions/pathsadminpanel.php:177 #, php-format @@ -2508,7 +2505,7 @@ msgstr "" #: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." -msgstr "" +msgstr "Servidor SSL no válido. La longitud máxima es de 255 caracteres." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 #: lib/adminpanelaction.php:311 @@ -2516,9 +2513,8 @@ msgid "Site" msgstr "Sitio" #: actions/pathsadminpanel.php:238 -#, fuzzy msgid "Server" -msgstr "Recuperar" +msgstr "Servidor" #: actions/pathsadminpanel.php:238 msgid "Site's server hostname." @@ -2570,9 +2566,8 @@ msgid "Avatars" msgstr "Avatares" #: actions/pathsadminpanel.php:284 -#, fuzzy msgid "Avatar server" -msgstr "Configuración de Avatar" +msgstr "Servidor del avatar" #: actions/pathsadminpanel.php:288 #, fuzzy @@ -2580,13 +2575,12 @@ msgid "Avatar path" msgstr "Avatar actualizado" #: actions/pathsadminpanel.php:292 -#, fuzzy msgid "Avatar directory" -msgstr "Avatar actualizado" +msgstr "Directorio del avatar" #: actions/pathsadminpanel.php:301 msgid "Backgrounds" -msgstr "" +msgstr "Fondos" #: actions/pathsadminpanel.php:305 msgid "Background server" @@ -2598,7 +2592,7 @@ msgstr "" #: actions/pathsadminpanel.php:313 msgid "Background directory" -msgstr "" +msgstr "Directorio del fondo" #: actions/pathsadminpanel.php:320 msgid "SSL" @@ -2618,7 +2612,7 @@ msgstr "Siempre" #: actions/pathsadminpanel.php:329 msgid "Use SSL" -msgstr "" +msgstr "Usar SSL" #: actions/pathsadminpanel.php:330 msgid "When to use SSL" @@ -2651,9 +2645,9 @@ msgid "People search" msgstr "Buscador de gente" #: actions/peopletag.php:70 -#, fuzzy, php-format +#, php-format msgid "Not a valid people tag: %s" -msgstr "No es un tag de personas válido: %s" +msgstr "No es una etiqueta válida para personas: %s" #: actions/peopletag.php:144 #, fuzzy, php-format @@ -2780,9 +2774,9 @@ msgid "Language is too long (max 50 chars)." msgstr "Idioma es muy largo ( max 50 car.)" #: actions/profilesettings.php:253 actions/tagother.php:178 -#, fuzzy, php-format +#, php-format msgid "Invalid tag: \"%s\"" -msgstr "Tag no válido: '%s' " +msgstr "Etiqueta inválida: \"% s\"" #: actions/profilesettings.php:302 msgid "Couldn't update user for autosubscribe." @@ -2807,7 +2801,7 @@ msgstr "Se guardó configuración." #: actions/public.php:83 #, php-format msgid "Beyond the page limit (%s)" -msgstr "" +msgstr "Más allá del límite de páginas (%s)" #: actions/public.php:92 msgid "Could not retrieve public stream." @@ -2891,7 +2885,7 @@ msgstr "" #: actions/publictagcloud.php:72 msgid "Be the first to post one!" -msgstr "" +msgstr "¡Sé la primera persona en publicar!" #: actions/publictagcloud.php:75 #, php-format @@ -2943,14 +2937,16 @@ msgstr "" #: actions/recoverpassword.php:158 msgid "You have been identified. Enter a new password below. " msgstr "" +"Se te ha identificado. Por favor, escribe una nueva contraseña a " +"continuación. " #: actions/recoverpassword.php:188 msgid "Password recovery" -msgstr "" +msgstr "Recuperación de contraseña" #: actions/recoverpassword.php:191 msgid "Nickname or email address" -msgstr "" +msgstr "Nombre de usuario o dirección de correo electrónico" #: actions/recoverpassword.php:193 msgid "Your nickname on this server, or your registered email address." @@ -3107,13 +3103,12 @@ msgid "Creative Commons Attribution 3.0" msgstr "" #: actions/register.php:497 -#, fuzzy msgid "" " except this private data: password, email address, IM address, and phone " "number." msgstr "" -"excepto los siguientes datos privados: contraseña, dirección de correo " -"electrónico, dirección de mensajería instantánea, número de teléfono." +"con excepción de esta información privada: contraseña, dirección de correo " +"electrónico, dirección de mensajería instantánea y número de teléfono." #: actions/register.php:538 #, fuzzy, php-format @@ -3212,29 +3207,24 @@ msgid "That’s a local profile! Login to subscribe." msgstr "¡Este es un perfil local! Ingresa para suscribirte" #: actions/remotesubscribe.php:183 -#, fuzzy msgid "Couldn’t get a request token." -msgstr "No se pudo obtener la señal de petición." +msgstr "No se pudo obtener un token de solicitud" #: actions/repeat.php:57 -#, fuzzy msgid "Only logged-in users can repeat notices." -msgstr "Sólo el usuario puede leer sus bandejas de correo." +msgstr "Sólo los usuarios que hayan accedido pueden repetir mensajes." #: actions/repeat.php:64 actions/repeat.php:71 -#, fuzzy msgid "No notice specified." -msgstr "No se especificó perfil." +msgstr "No se ha especificado un mensaje." #: actions/repeat.php:76 -#, fuzzy msgid "You can't repeat your own notice." -msgstr "No puedes registrarte si no estás de acuerdo con la licencia." +msgstr "No puedes repetir tus propios mensajes." #: actions/repeat.php:90 -#, fuzzy msgid "You already repeated that notice." -msgstr "Ya has bloqueado este usuario." +msgstr "Ya has repetido este mensaje." #: actions/repeat.php:114 lib/noticelist.php:642 msgid "Repeated" @@ -3251,9 +3241,9 @@ msgid "Replies to %s" msgstr "Respuestas a %s" #: actions/replies.php:127 -#, fuzzy, php-format +#, php-format msgid "Replies to %1$s, page %2$d" -msgstr "Respuestas a %1$s en %2$s!" +msgstr "Respuestas a %1$s, página %2$d" #: actions/replies.php:144 #, fuzzy, php-format @@ -3297,9 +3287,8 @@ msgid "Replies to %1$s on %2$s!" msgstr "Respuestas a %1$s en %2$s!" #: actions/rsd.php:146 actions/version.php:157 -#, fuzzy msgid "StatusNet" -msgstr "Status borrado." +msgstr "StatusNet" #: actions/sandbox.php:65 actions/unsandbox.php:65 #, fuzzy @@ -3318,11 +3307,11 @@ msgstr "Sesiones" #: actions/sessionsadminpanel.php:65 msgid "Session settings for this StatusNet site." -msgstr "" +msgstr "Configuración de sesión para este sitio StatusNet." #: actions/sessionsadminpanel.php:175 msgid "Handle sessions" -msgstr "" +msgstr "Gestionar sesiones" #: actions/sessionsadminpanel.php:177 msgid "Whether to handle sessions ourselves." @@ -3348,13 +3337,12 @@ msgid "You must be logged in to view an application." msgstr "Debes estar conectado para dejar un grupo." #: actions/showapplication.php:157 -#, fuzzy msgid "Application profile" -msgstr "Aviso sin perfil" +msgstr "Perfil de la aplicación" #: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" -msgstr "" +msgstr "Icono" #: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 @@ -3362,9 +3350,8 @@ msgid "Name" msgstr "Nombre" #: actions/showapplication.php:178 lib/applicationeditform.php:222 -#, fuzzy msgid "Organization" -msgstr "Paginación" +msgstr "Organización" #: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 @@ -3383,7 +3370,7 @@ msgstr "" #: actions/showapplication.php:213 msgid "Application actions" -msgstr "" +msgstr "Acciones de la aplicación" #: actions/showapplication.php:236 msgid "Reset key & secret" @@ -3391,7 +3378,7 @@ msgstr "" #: actions/showapplication.php:261 msgid "Application info" -msgstr "" +msgstr "Información de la aplicación" #: actions/showapplication.php:263 msgid "Consumer key" @@ -3411,7 +3398,7 @@ msgstr "" #: actions/showapplication.php:283 msgid "Authorize URL" -msgstr "" +msgstr "Autorizar URL" #: actions/showapplication.php:288 msgid "" @@ -3484,9 +3471,8 @@ msgid "%1$s group, page %2$d" msgstr "Miembros del grupo %s, página %d" #: actions/showgroup.php:218 -#, fuzzy msgid "Group profile" -msgstr "Perfil de grupo" +msgstr "Perfil del grupo" #: actions/showgroup.php:263 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 @@ -3495,13 +3481,12 @@ msgstr "URL" #: actions/showgroup.php:274 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 -#, fuzzy msgid "Note" msgstr "Nota" #: actions/showgroup.php:284 lib/groupeditform.php:184 msgid "Aliases" -msgstr "" +msgstr "Alias" #: actions/showgroup.php:293 msgid "Group actions" @@ -3543,9 +3528,8 @@ msgid "All members" msgstr "Todos los miembros" #: actions/showgroup.php:432 -#, fuzzy msgid "Created" -msgstr "Crear" +msgstr "Creado" #: actions/showgroup.php:448 #, php-format @@ -3569,9 +3553,8 @@ msgstr "" "blogging](http://en.wikipedia.org/wiki/Micro-blogging) " #: actions/showgroup.php:482 -#, fuzzy msgid "Admins" -msgstr "Admin" +msgstr "Administradores" #: actions/showmessage.php:81 msgid "No such message." @@ -3596,14 +3579,14 @@ msgid "Notice deleted." msgstr "Aviso borrado" #: actions/showstream.php:73 -#, fuzzy, php-format +#, php-format msgid " tagged %s" -msgstr "Avisos marcados con %s" +msgstr "%s etiquetados" #: actions/showstream.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s, page %2$d" -msgstr "%s y amigos, página %d" +msgstr "%1$s, página %2$d" #: actions/showstream.php:122 #, fuzzy, php-format @@ -3684,7 +3667,7 @@ msgstr "El usuario te ha bloqueado." #: actions/siteadminpanel.php:69 msgid "Basic settings for this StatusNet site." -msgstr "" +msgstr "Configuración básica de este sitio StatusNet." #: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." @@ -3698,7 +3681,7 @@ msgstr "No es una dirección de correo electrónico válida" #: actions/siteadminpanel.php:158 #, php-format msgid "Unknown language \"%s\"." -msgstr "" +msgstr "Idioma desconocido \"%s\"." #: actions/siteadminpanel.php:165 msgid "Invalid snapshot report URL." @@ -3722,12 +3705,11 @@ msgstr "" #: actions/siteadminpanel.php:239 msgid "General" -msgstr "" +msgstr "General" #: actions/siteadminpanel.php:242 -#, fuzzy msgid "Site name" -msgstr "Aviso de sitio" +msgstr "Nombre del sitio" #: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" @@ -3761,11 +3743,11 @@ msgstr "Vistas locales" #: actions/siteadminpanel.php:274 msgid "Default timezone" -msgstr "" +msgstr "Zona horaria predeterminada" #: actions/siteadminpanel.php:275 msgid "Default timezone for the site; usually UTC." -msgstr "" +msgstr "Zona horaria predeterminada del sitio; generalmente UTC." #: actions/siteadminpanel.php:281 #, fuzzy @@ -3806,19 +3788,19 @@ msgstr "" #: actions/siteadminpanel.php:308 msgid "Snapshots will be sent to this URL" -msgstr "" +msgstr "Las capturas se enviarán a este URL" #: actions/siteadminpanel.php:315 msgid "Limits" -msgstr "" +msgstr "Límites" #: actions/siteadminpanel.php:318 msgid "Text limit" -msgstr "" +msgstr "Límite de texto" #: actions/siteadminpanel.php:318 msgid "Maximum number of characters for notices." -msgstr "" +msgstr "Cantidad máxima de caracteres para los mensajes." #: actions/siteadminpanel.php:322 msgid "Dupe limit" @@ -3829,9 +3811,8 @@ msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" #: actions/smssettings.php:58 -#, fuzzy msgid "SMS settings" -msgstr "Preferencias SMS" +msgstr "Configuración de SMS" #: actions/smssettings.php:69 #, php-format @@ -3860,9 +3841,8 @@ msgid "Enter the code you received on your phone." msgstr "Ingrese el código recibido en su teléfono" #: actions/smssettings.php:138 -#, fuzzy msgid "SMS phone number" -msgstr "Número telefónico para sms" +msgstr "Número de teléfono de SMS" #: actions/smssettings.php:140 msgid "Phone number, no punctuation or spaces, with area code" @@ -3911,9 +3891,8 @@ msgid "That is not your phone number." msgstr "Ese no es tu número telefónico" #: actions/smssettings.php:465 -#, fuzzy msgid "Mobile carrier" -msgstr "Operador móvil" +msgstr "Operador de telefonía móvil" #: actions/smssettings.php:469 msgid "Select a carrier" @@ -3949,7 +3928,6 @@ msgid "Not a local user." msgstr "No es usuario local." #: actions/subscribe.php:69 -#, fuzzy msgid "Subscribed" msgstr "Suscrito" @@ -4064,7 +4042,6 @@ msgid "Tag %s" msgstr "%s tag" #: actions/tagother.php:77 lib/userprofile.php:75 -#, fuzzy msgid "User profile" msgstr "Perfil de usuario" @@ -4092,9 +4069,8 @@ msgstr "" "suscritas a ti." #: actions/tagother.php:200 -#, fuzzy msgid "Could not save tags." -msgstr "No se pudo guardar tags." +msgstr "No se han podido guardar las etiquetas." #: actions/tagother.php:236 msgid "Use this form to add tags to your subscribers or subscriptions." @@ -4179,16 +4155,15 @@ msgstr "Nuevos usuarios" #: actions/useradminpanel.php:234 msgid "New user welcome" -msgstr "" +msgstr "Bienvenida a nuevos usuarios" #: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." msgstr "" #: actions/useradminpanel.php:240 -#, fuzzy msgid "Default subscription" -msgstr "Todas las suscripciones" +msgstr "Suscripción predeterminada" #: actions/useradminpanel.php:241 #, fuzzy @@ -4316,9 +4291,8 @@ msgid "Wrong image type for avatar URL ‘%s’." msgstr "Tipo de imagen incorrecto para '%s'" #: actions/userdesignsettings.php:76 lib/designsettings.php:65 -#, fuzzy msgid "Profile design" -msgstr "Configuración del perfil" +msgstr "Diseño del perfil" #: actions/userdesignsettings.php:87 lib/designsettings.php:76 msgid "" @@ -4336,9 +4310,8 @@ msgid "%1$s groups, page %2$d" msgstr "Miembros del grupo %s, página %d" #: actions/usergroups.php:130 -#, fuzzy msgid "Search for more groups" -msgstr "Buscar personas o texto" +msgstr "Buscar más grupos" #: actions/usergroups.php:153 #, fuzzy, php-format @@ -4402,7 +4375,7 @@ msgstr "Sesiones" #: actions/version.php:197 msgid "Author(s)" -msgstr "" +msgstr "Autor(es)" #: classes/File.php:144 #, php-format @@ -4427,9 +4400,8 @@ msgid "Group join failed." msgstr "Perfil de grupo" #: classes/Group_member.php:53 -#, fuzzy msgid "Not part of group." -msgstr "No se pudo actualizar el grupo." +msgstr "No es parte del grupo." #: classes/Group_member.php:60 #, fuzzy @@ -4460,14 +4432,12 @@ msgid "DB error inserting hashtag: %s" msgstr "Error de la BD al insertar la etiqueta clave: %s" #: classes/Notice.php:214 -#, fuzzy msgid "Problem saving notice. Too long." -msgstr "Hubo un problema al guardar el aviso." +msgstr "Ha habido un problema al guardar el mensaje. Es muy largo." #: classes/Notice.php:218 -#, fuzzy msgid "Problem saving notice. Unknown user." -msgstr "Hubo problemas al guardar el aviso. Usuario desconocido." +msgstr "Ha habido un problema al guardar el mensaje. Usuario desconocido." #: classes/Notice.php:223 msgid "" @@ -4503,7 +4473,7 @@ msgstr "Hubo un problema al guardar el aviso." msgid "DB error inserting reply: %s" msgstr "Error de BD al insertar respuesta: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1271 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4513,11 +4483,11 @@ msgstr "RT @%1$s %2$s" msgid "Welcome to %1$s, @%2$s!" msgstr "Bienvenido a %1$s, @%2$s!" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "No se pudo crear grupo." -#: classes/User_group.php:409 +#: classes/User_group.php:442 #, fuzzy msgid "Could not set group membership." msgstr "No se pudo configurar miembros de grupo." @@ -4551,9 +4521,9 @@ msgid "Other options" msgstr "Otras opciones" #: lib/action.php:144 -#, fuzzy, php-format +#, php-format msgid "%1$s - %2$s" -msgstr "%1$s (%2$s)" +msgstr "%1$s - %2$s" #: lib/action.php:159 msgid "Untitled page" @@ -4584,9 +4554,8 @@ msgid "Connect to services" msgstr "Conectar a los servicios" #: lib/action.php:448 -#, fuzzy msgid "Change site configuration" -msgstr "Navegación de sitio primario" +msgstr "Cambiar la configuración del sitio" #: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" @@ -4743,9 +4712,8 @@ msgid "Before" msgstr "Antes" #: lib/adminpanelaction.php:96 -#, fuzzy msgid "You cannot make changes to this site." -msgstr "No puedes enviar mensaje a este usuario." +msgstr "No puedes hacer cambios a este sitio." #: lib/adminpanelaction.php:107 #, fuzzy @@ -4783,9 +4751,8 @@ msgid "User configuration" msgstr "SMS confirmación" #: lib/adminpanelaction.php:327 -#, fuzzy msgid "Access configuration" -msgstr "SMS confirmación" +msgstr "Configuración de acceso" #: lib/adminpanelaction.php:332 #, fuzzy @@ -4793,9 +4760,8 @@ msgid "Paths configuration" msgstr "SMS confirmación" #: lib/adminpanelaction.php:337 -#, fuzzy msgid "Sessions configuration" -msgstr "SMS confirmación" +msgstr "Configuración de sesiones" #: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." @@ -6103,47 +6069,47 @@ msgstr "Mensaje" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "hace unos segundos" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "hace un minuto" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "hace %d minutos" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "hace una hora" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "hace %d horas" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "hace un día" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "hace %d días" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "hace un mes" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "hace %d meses" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "hace un año" diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index 6b94988bb..b9ffc361b 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:15:43+0000\n" +"POT-Creation-Date: 2010-02-14 20:05+0000\n" +"PO-Revision-Date: 2010-02-14 20:07:20+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62476); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" @@ -27,14 +27,12 @@ msgid "Access" msgstr "Acesso" #: actions/accessadminpanel.php:65 -#, fuzzy msgid "Site access settings" -msgstr "Salvar as configurações do site" +msgstr "Configurações de acesso ao site" #: actions/accessadminpanel.php:158 -#, fuzzy msgid "Registration" -msgstr "Registrar-se" +msgstr "Registro" #: actions/accessadminpanel.php:161 msgid "Private" @@ -73,9 +71,8 @@ msgid "Save" msgstr "Salvar" #: actions/accessadminpanel.php:189 -#, fuzzy msgid "Save access settings" -msgstr "Salvar as configurações do site" +msgstr "Salvar as configurações de acesso" #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 @@ -175,8 +172,8 @@ msgstr "" msgid "You and friends" msgstr "Você e amigos" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "Atualizações de %1$s e amigos no %2$s!" @@ -197,12 +194,12 @@ msgstr "Atualizações de %1$s e amigos no %2$s!" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:182 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:194 actions/apiusershow.php:101 msgid "API method not found." msgstr "O método da API não foi encontrado!" @@ -488,12 +485,11 @@ msgstr "grupos no %s" #: actions/apioauthauthorize.php:101 msgid "No oauth_token parameter provided." -msgstr "" +msgstr "Não foi fornecido nenhum parâmetro oauth_token" #: actions/apioauthauthorize.php:106 -#, fuzzy msgid "Invalid token." -msgstr "Tamanho inválido." +msgstr "Token inválido." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 @@ -519,16 +515,14 @@ msgid "Invalid nickname / password!" msgstr "Nome de usuário e/ou senha inválido(s)!" #: actions/apioauthauthorize.php:159 -#, fuzzy msgid "Database error deleting OAuth application user." msgstr "" -"Erro no banco de dados durante a exclusão do aplicativo OAuth do usuário." +"Erro no banco de dados durante a exclusão do usuário da aplicação OAuth." #: actions/apioauthauthorize.php:185 -#, fuzzy msgid "Database error inserting OAuth application user." msgstr "" -"Erro no banco de dados durante a inserção do aplicativo OAuth do usuário." +"Erro no banco de dados durante a inserção do usuário da aplicativo OAuth." #: actions/apioauthauthorize.php:214 #, php-format @@ -540,9 +534,9 @@ msgstr "" "acesso." #: actions/apioauthauthorize.php:227 -#, fuzzy, php-format +#, php-format msgid "The request token %s has been denied and revoked." -msgstr "O token de requisição %s foi negado." +msgstr "O token %s solicitado foi negado e revogado." #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -568,6 +562,10 @@ msgid "" "the ability to %3$s your %4$s account data. You should only " "give access to your %4$s account to third parties you trust." msgstr "" +"A aplicação %1$s por %2$s solicita a " +"permissão para %3$s os dados da sua conta %4$s. Você deve " +"fornecer acesso à sua conta %4$s somente para terceiros nos quais você " +"confia." #: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" @@ -651,7 +649,7 @@ msgstr "Formato não suportado." msgid "%1$s / Favorites from %2$s" msgstr "%1$s / Favoritas de %2$s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s marcadas como favoritas por %2$s / %2$s." @@ -662,7 +660,7 @@ msgstr "%1$s marcadas como favoritas por %2$s / %2$s." msgid "%s timeline" msgstr "Mensagens de %s" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -678,12 +676,12 @@ msgstr "%1$s / Mensagens mencionando %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s mensagens em resposta a mensagens de %2$s / %3$s." -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "Mensagens públicas de %s" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s mensagens de todo mundo!" @@ -693,7 +691,7 @@ msgstr "%s mensagens de todo mundo!" msgid "Repeated to %s" msgstr "Repetida para %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "Repetições de %s" @@ -703,7 +701,7 @@ msgstr "Repetições de %s" msgid "Notices tagged with %s" msgstr "Mensagens etiquetadas como %s" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Mensagens etiquetadas como %1$s no %2$s!" @@ -933,14 +931,12 @@ msgid "Notices" msgstr "Mensagens" #: actions/deleteapplication.php:63 -#, fuzzy msgid "You must be logged in to delete an application." -msgstr "Você precisa estar autenticado para editar uma aplicação." +msgstr "Você precisa estar autenticado para excluir uma aplicação." #: actions/deleteapplication.php:71 -#, fuzzy msgid "Application not found." -msgstr "Informação da aplicação" +msgstr "A aplicação não foi encontrada." #: actions/deleteapplication.php:78 actions/editapplication.php:77 #: actions/showapplication.php:94 @@ -954,29 +950,26 @@ msgid "There was a problem with your session token." msgstr "Ocorreu um problema com o seu token de sessão." #: actions/deleteapplication.php:123 actions/deleteapplication.php:147 -#, fuzzy msgid "Delete application" -msgstr "Editar a aplicação" +msgstr "Excluir a aplicação" #: actions/deleteapplication.php:149 -#, fuzzy msgid "" "Are you sure you want to delete this application? This will clear all data " "about the application from the database, including all existing user " "connections." msgstr "" -"Tem certeza que deseja excluir este usuário? Isso irá eliminar todos os " -"dados deste usuário do banco de dados, sem cópia de segurança." +"Tem certeza que deseja excluir esta aplicação? Isso eliminará todos os dados " +"desta aplicação do banco de dados, incluindo todas as conexões existentes " +"com os usuários." #: actions/deleteapplication.php:156 -#, fuzzy msgid "Do not delete this application" -msgstr "Não excluir esta mensagem." +msgstr "Não excluir esta aplicação" #: actions/deleteapplication.php:160 -#, fuzzy msgid "Delete this application" -msgstr "Ãcone para esta aplicação" +msgstr "Excluir esta aplicação" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 @@ -1033,8 +1026,8 @@ msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" -"Tem certeza que deseja excluir este usuário? Isso irá eliminar todos os " -"dados deste usuário do banco de dados, sem cópia de segurança." +"Tem certeza que deseja excluir este usuário? Isso eliminará todos os dados " +"deste usuário do banco de dados, sem cópia de segurança." #: actions/deleteuser.php:148 lib/deleteuserform.php:77 msgid "Delete this user" @@ -1157,12 +1150,11 @@ msgid "Add to favorites" msgstr "Adicionar às favoritas" #: actions/doc.php:158 -#, fuzzy, php-format +#, php-format msgid "No such document \"%s\"" -msgstr "Esse documento não existe." +msgstr "O documento \"%s\" não existe" #: actions/editapplication.php:54 -#, fuzzy msgid "Edit Application" msgstr "Editar a aplicação" @@ -1188,9 +1180,8 @@ msgid "Name is too long (max 255 chars)." msgstr "O nome é muito extenso (máx. 255 caracteres)." #: actions/editapplication.php:183 actions/newapplication.php:162 -#, fuzzy msgid "Name already in use. Try another one." -msgstr "Esta identificação já está em uso. Tente outro." +msgstr "Este nome já está em uso. Tente outro." #: actions/editapplication.php:186 actions/newapplication.php:168 msgid "Description is required." @@ -1255,7 +1246,7 @@ msgstr "descrição muito extensa (máximo %d caracteres)." msgid "Could not update group." msgstr "Não foi possível atualizar o grupo." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "Não foi possível criar os apelidos." @@ -1902,9 +1893,9 @@ msgid "That is not your Jabber ID." msgstr "Essa não é sua ID do Jabber." #: actions/inbox.php:59 -#, fuzzy, php-format +#, php-format msgid "Inbox for %1$s - page %2$d" -msgstr "Recebidas por %s" +msgstr "Recebidas por %s - pág. %2$d" #: actions/inbox.php:62 #, php-format @@ -2156,7 +2147,6 @@ msgid "No current status" msgstr "Nenhuma mensagem atual" #: actions/newapplication.php:52 -#, fuzzy msgid "New Application" msgstr "Nova aplicação" @@ -2418,9 +2408,9 @@ msgid "Login token expired." msgstr "O token de autenticação expirou." #: actions/outbox.php:58 -#, fuzzy, php-format +#, php-format msgid "Outbox for %1$s - page %2$d" -msgstr "Enviadas de %s" +msgstr "Enviadas por %s - pág. %2$d" #: actions/outbox.php:61 #, php-format @@ -4530,7 +4520,7 @@ msgstr "Problema no salvamento da mensagem." msgid "DB error inserting reply: %s" msgstr "Erro no banco de dados na inserção da reposta: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1271 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4540,11 +4530,11 @@ msgstr "RT @%1$s %2$s" msgid "Welcome to %1$s, @%2$s!" msgstr "Bem vindo(a) a %1$s, @%2$s!" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "Não foi possível criar o grupo." -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "Não foi possível configurar a associação ao grupo." @@ -6206,47 +6196,47 @@ msgstr "Mensagem" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "alguns segundos atrás" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "cerca de 1 minuto atrás" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "cerca de %d minutos atrás" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "cerca de 1 hora atrás" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "cerca de %d horas atrás" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "cerca de 1 dia atrás" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "cerca de %d dias atrás" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "cerca de 1 mês atrás" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "cerca de %d meses atrás" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "cerca de 1 ano atrás" diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index c48835180..da1345a0d 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:15:46+0000\n" +"POT-Creation-Date: 2010-02-14 20:05+0000\n" +"PO-Revision-Date: 2010-02-14 20:07:23+0000\n" "Language-Team: Russian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62476); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: out-statusnet\n" @@ -173,8 +173,8 @@ msgstr "" msgid "You and friends" msgstr "Ð’Ñ‹ и друзьÑ" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "Обновлено от %1$s и его друзей на %2$s!" @@ -195,12 +195,12 @@ msgstr "Обновлено от %1$s и его друзей на %2$s!" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:182 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:194 actions/apiusershow.php:101 msgid "API method not found." msgstr "Метод API не найден." @@ -647,7 +647,7 @@ msgstr "Ðеподдерживаемый формат." msgid "%1$s / Favorites from %2$s" msgstr "%1$s / Любимое от %2$s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "ÐžÐ±Ð½Ð¾Ð²Ð»ÐµÐ½Ð¸Ñ %1$s, отмеченные как любимые %2$s / %2$s." @@ -658,7 +658,7 @@ msgstr "ÐžÐ±Ð½Ð¾Ð²Ð»ÐµÐ½Ð¸Ñ %1$s, отмеченные как любимые %2 msgid "%s timeline" msgstr "Лента %s" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -674,12 +674,12 @@ msgstr "%1$s / ОбновлениÑ, упоминающие %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s обновил Ñтот ответ на Ñообщение: %2$s / %3$s." -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "ÐžÐ±Ñ‰Ð°Ñ Ð»ÐµÐ½Ñ‚Ð° %s" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "ÐžÐ±Ð½Ð¾Ð²Ð»ÐµÐ½Ð¸Ñ %s от вÑех!" @@ -689,7 +689,7 @@ msgstr "ÐžÐ±Ð½Ð¾Ð²Ð»ÐµÐ½Ð¸Ñ %s от вÑех!" msgid "Repeated to %s" msgstr "Повторено Ð´Ð»Ñ %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "Повторы за %s" @@ -699,7 +699,7 @@ msgstr "Повторы за %s" msgid "Notices tagged with %s" msgstr "ЗапиÑи Ñ Ñ‚ÐµÐ³Ð¾Ð¼ %s" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "ÐžÐ±Ð½Ð¾Ð²Ð»ÐµÐ½Ð¸Ñ Ñ Ñ‚ÐµÐ³Ð¾Ð¼ %1$s на %2$s!" @@ -1243,7 +1243,7 @@ msgstr "Слишком длинное опиÑание (макÑимум %d Ñи msgid "Could not update group." msgstr "Ðе удаётÑÑ Ð¾Ð±Ð½Ð¾Ð²Ð¸Ñ‚ÑŒ информацию о группе." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "Ðе удаётÑÑ Ñоздать алиаÑÑ‹." @@ -1743,7 +1743,7 @@ msgstr "" "общими интереÑами. ПоÑле приÑÐ¾ÐµÐ´Ð¸Ð½ÐµÐ½Ð¸Ñ Ðº группе и вы Ñможете отправлÑÑ‚ÑŒ " "ÑÐ¾Ð¾Ð±Ñ‰ÐµÐ½Ð¸Ñ Ð´Ð¾ вÑех её учаÑтников, иÑÐ¿Ð¾Ð»ÑŒÐ·ÑƒÑ ÐºÐ¾Ð¼Ð°Ð½Ð´Ñƒ «!имÑгруппы». Ðе видите " "группу, ÐºÐ¾Ñ‚Ð¾Ñ€Ð°Ñ Ð²Ð°Ñ Ð¸Ð½Ñ‚ÐµÑ€ÐµÑует? Попробуйте [найти её](%%%%action.groupsearch%" -"%%%) или [Ñоздайте ÑобÑтвенную!](%%%%action.newgroup%%%%)" +"%%%) или [Ñоздайте ÑобÑтвенную](%%%%action.newgroup%%%%)!" #: actions/groups.php:107 actions/usergroups.php:124 lib/groupeditform.php:122 msgid "Create a new group" @@ -4504,7 +4504,7 @@ msgstr "Проблемы Ñ Ñохранением входÑщих Ñообще msgid "DB error inserting reply: %s" msgstr "Ошибка баз данных при вÑтавке ответа Ð´Ð»Ñ %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1271 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4514,11 +4514,11 @@ msgstr "RT @%1$s %2$s" msgid "Welcome to %1$s, @%2$s!" msgstr "Добро пожаловать на %1$s, @%2$s!" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "Ðе удаётÑÑ Ñоздать группу." -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "Ðе удаётÑÑ Ð½Ð°Ð·Ð½Ð°Ñ‡Ð¸Ñ‚ÑŒ членÑтво в группе." @@ -6179,47 +6179,47 @@ msgstr "Сообщение" msgid "Moderate" msgstr "Модерировать" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "пару Ñекунд назад" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "около минуты назад" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "около %d минут(Ñ‹) назад" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "около чаÑа назад" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "около %d чаÑа(ов) назад" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "около Ð´Ð½Ñ Ð½Ð°Ð·Ð°Ð´" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "около %d днÑ(ей) назад" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "около меÑÑца назад" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "около %d меÑÑца(ев) назад" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "около года назад" diff --git a/locale/statusnet.po b/locale/statusnet.po index 1676a7649..d1ee56f2c 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" +"POT-Creation-Date: 2010-02-14 20:05+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -158,8 +158,8 @@ msgstr "" msgid "You and friends" msgstr "" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "" @@ -180,12 +180,12 @@ msgstr "" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:182 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:194 actions/apiusershow.php:101 msgid "API method not found." msgstr "" @@ -618,7 +618,7 @@ msgstr "" msgid "%1$s / Favorites from %2$s" msgstr "" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "" @@ -629,7 +629,7 @@ msgstr "" msgid "%s timeline" msgstr "" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -645,12 +645,12 @@ msgstr "" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "" @@ -660,7 +660,7 @@ msgstr "" msgid "Repeated to %s" msgstr "" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "" @@ -670,7 +670,7 @@ msgstr "" msgid "Notices tagged with %s" msgstr "" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "" @@ -1201,7 +1201,7 @@ msgstr "" msgid "Could not update group." msgstr "" -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "" @@ -4214,7 +4214,7 @@ msgstr "" msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1235 +#: classes/Notice.php:1271 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4224,11 +4224,11 @@ msgstr "" msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "" -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "" @@ -5737,47 +5737,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "" -- cgit v1.2.3-54-g00ecf From fe2ebec732ecae97b0616cdf627cbaeaf53dab48 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Mon, 15 Feb 2010 21:10:45 +0000 Subject: Fix for regression introduced with my last update to the TwitterStatusFetcher: the Twitter bridge was not saving a foreign user record when making a foreign link. --- plugins/TwitterBridge/twitter.php | 7 ++++--- plugins/TwitterBridge/twitterauthorization.php | 14 +++++++++++--- 2 files changed, 15 insertions(+), 6 deletions(-) diff --git a/plugins/TwitterBridge/twitter.php b/plugins/TwitterBridge/twitter.php index 5761074c2..1d46aa2c9 100644 --- a/plugins/TwitterBridge/twitter.php +++ b/plugins/TwitterBridge/twitter.php @@ -28,6 +28,7 @@ require_once INSTALLDIR . '/plugins/TwitterBridge/twitteroauthclient.php'; function add_twitter_user($twitter_id, $screen_name) { + common_debug("Add Twitter user"); $new_uri = 'http://twitter.com/' . $screen_name; @@ -40,7 +41,7 @@ function add_twitter_user($twitter_id, $screen_name) $luser->service = TWITTER_SERVICE; $result = $luser->delete(); - if (empty($result)) { + if ($result != false) { common_log(LOG_WARNING, "Twitter bridge - removed invalid Twitter user squatting on uri: $new_uri"); } @@ -93,9 +94,9 @@ function save_twitter_user($twitter_id, $screen_name) $screen_name, $oldname)); } - - return add_twitter_user($twitter_id, $screen_name); } + + return add_twitter_user($twitter_id, $screen_name); } function is_twitter_bound($notice, $flink) { diff --git a/plugins/TwitterBridge/twitterauthorization.php b/plugins/TwitterBridge/twitterauthorization.php index dbef438a4..6822d33dd 100644 --- a/plugins/TwitterBridge/twitterauthorization.php +++ b/plugins/TwitterBridge/twitterauthorization.php @@ -89,11 +89,15 @@ class TwitterauthorizationAction extends Action $user = common_current_user(); $flink = Foreign_link::getByUserID($user->id, TWITTER_SERVICE); - // If there's already a foreign link record, it means we already - // have an access token, and this is unecessary. So go back. + // If there's already a foreign link record and a foreign user + // it means the accounts are already linked, and this is unecessary. + // So go back. if (isset($flink)) { - common_redirect(common_local_url('twittersettings')); + $fuser = $flink->getForeignUser(); + if (!empty($fuser)) { + common_redirect(common_local_url('twittersettings')); + } } } @@ -254,6 +258,10 @@ class TwitterauthorizationAction extends Action { $flink = new Foreign_link(); + $flink->user_id = $user_id; + $flink->service = TWITTER_SERVICE; + $flink->delete(); // delete stale flink, if any + $flink->user_id = $user_id; $flink->foreign_id = $twuid; $flink->service = TWITTER_SERVICE; -- cgit v1.2.3-54-g00ecf From ead595eee8d62a35272491061994da44c30c8174 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Mon, 15 Feb 2010 21:23:26 +0000 Subject: Better log msgs. Removed debugging statement. --- plugins/TwitterBridge/twitter.php | 9 ++++----- 1 file changed, 4 insertions(+), 5 deletions(-) diff --git a/plugins/TwitterBridge/twitter.php b/plugins/TwitterBridge/twitter.php index 1d46aa2c9..1aeba112f 100644 --- a/plugins/TwitterBridge/twitter.php +++ b/plugins/TwitterBridge/twitter.php @@ -28,8 +28,6 @@ require_once INSTALLDIR . '/plugins/TwitterBridge/twitteroauthclient.php'; function add_twitter_user($twitter_id, $screen_name) { - common_debug("Add Twitter user"); - $new_uri = 'http://twitter.com/' . $screen_name; // Clear out any bad old foreign_users with the new user's legit URL @@ -42,8 +40,8 @@ function add_twitter_user($twitter_id, $screen_name) $result = $luser->delete(); if ($result != false) { - common_log(LOG_WARNING, - "Twitter bridge - removed invalid Twitter user squatting on uri: $new_uri"); + common_log(LOG_INFO, + "Twitter bridge - removed old Twitter user: $screen_name ($twitter_id)."); } $luser->free(); @@ -65,7 +63,8 @@ function add_twitter_user($twitter_id, $screen_name) "Twitter bridge - failed to add new Twitter user: $twitter_id - $screen_name."); common_log_db_error($fuser, 'INSERT', __FILE__); } else { - common_debug("Twitter bridge - Added new Twitter user: $screen_name ($twitter_id)."); + common_log(LOG_INFO, + "Twitter bridge - Added new Twitter user: $screen_name ($twitter_id)."); } return $result; -- cgit v1.2.3-54-g00ecf From 1996b709c64a1281ac623acc693b605881d34f54 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Mon, 15 Feb 2010 21:53:49 +0000 Subject: Twitter-bridge: lookup old foreign_user by primary key not url --- plugins/TwitterBridge/twitter.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/plugins/TwitterBridge/twitter.php b/plugins/TwitterBridge/twitter.php index 1aeba112f..40dbb1a8c 100644 --- a/plugins/TwitterBridge/twitter.php +++ b/plugins/TwitterBridge/twitter.php @@ -35,7 +35,7 @@ function add_twitter_user($twitter_id, $screen_name) // repoed, and things like that. $luser = new Foreign_user(); - $luser->uri = $new_uri; + $luser->id = $twitter_id; $luser->service = TWITTER_SERVICE; $result = $luser->delete(); -- cgit v1.2.3-54-g00ecf From 2e1e614abe8cac64d81a2042094128feac0cbb45 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Mon, 15 Feb 2010 22:13:10 +0000 Subject: Use static class method for looking up Twitter user --- plugins/TwitterBridge/twitter.php | 11 +---------- 1 file changed, 1 insertion(+), 10 deletions(-) diff --git a/plugins/TwitterBridge/twitter.php b/plugins/TwitterBridge/twitter.php index 40dbb1a8c..2dd815d3c 100644 --- a/plugins/TwitterBridge/twitter.php +++ b/plugins/TwitterBridge/twitter.php @@ -28,15 +28,11 @@ require_once INSTALLDIR . '/plugins/TwitterBridge/twitteroauthclient.php'; function add_twitter_user($twitter_id, $screen_name) { - $new_uri = 'http://twitter.com/' . $screen_name; - // Clear out any bad old foreign_users with the new user's legit URL // This can happen when users move around or fakester accounts get // repoed, and things like that. - $luser = new Foreign_user(); - $luser->id = $twitter_id; - $luser->service = TWITTER_SERVICE; + $luser = Foreign_user::getForeignUser($twitter_id, TWITTER_SERVICE); $result = $luser->delete(); if ($result != false) { @@ -44,11 +40,6 @@ function add_twitter_user($twitter_id, $screen_name) "Twitter bridge - removed old Twitter user: $screen_name ($twitter_id)."); } - $luser->free(); - unset($luser); - - // Otherwise, create a new Twitter user - $fuser = new Foreign_user(); $fuser->nickname = $screen_name; -- cgit v1.2.3-54-g00ecf From d4f6235d7b8a40bd1b51370e7eb405cdb14e61fb Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Tue, 16 Feb 2010 06:12:08 +0000 Subject: Upgrade Twitter bridge to use OAuth 1.0a. It's more secure, and allows us to automatically send in a callback url instead of having to manually configure one for each StatusNet instance. --- lib/oauthclient.php | 88 +++++++++++++++++++------- plugins/TwitterBridge/twitterauthorization.php | 10 +-- plugins/TwitterBridge/twitteroauthclient.php | 28 ++++++++ 3 files changed, 98 insertions(+), 28 deletions(-) diff --git a/lib/oauthclient.php b/lib/oauthclient.php index b22fd7897..bc7587183 100644 --- a/lib/oauthclient.php +++ b/lib/oauthclient.php @@ -90,20 +90,47 @@ class OAuthClient /** * Gets a request token from the given url * - * @param string $url OAuth endpoint for grabbing request tokens + * @param string $url OAuth endpoint for grabbing request tokens + * @param string $callback authorized request token callback * * @return OAuthToken $token the request token */ - function getRequestToken($url) + function getRequestToken($url, $callback = null) { - $response = $this->oAuthGet($url); + $params = null; + + if (!is_null($callback)) { + $params['oauth_callback'] = $callback; + } + + $response = $this->oAuthGet($url, $params); + $arr = array(); parse_str($response, $arr); - if (isset($arr['oauth_token']) && isset($arr['oauth_token_secret'])) { - $token = new OAuthToken($arr['oauth_token'], @$arr['oauth_token_secret']); + + $token = $arr['oauth_token']; + $secret = $arr['oauth_token_secret']; + $confirm = $arr['oauth_callback_confirmed']; + + if (isset($token) && isset($secret)) { + + $token = new OAuthToken($token, $secret); + + if (isset($confirm)) { + if ($confirm == 'true') { + common_debug('Twitter bridge - callback confirmed.'); + return $token; + } else { + throw new OAuthClientException( + 'Callback was not confirmed by Twitter.' + ); + } + } return $token; } else { - throw new OAuthClientException(); + throw new OAuthClientException( + 'Could not get a request token from Twitter.' + ); } } @@ -113,49 +140,64 @@ class OAuthClient * * @param string $url endpoint for authorizing request tokens * @param OAuthToken $request_token the request token to be authorized - * @param string $oauth_callback optional callback url * * @return string $authorize_url the url to redirect to */ - function getAuthorizeLink($url, $request_token, $oauth_callback = null) + function getAuthorizeLink($url, $request_token) { $authorize_url = $url . '?oauth_token=' . $request_token->key; - if (isset($oauth_callback)) { - $authorize_url .= '&oauth_callback=' . urlencode($oauth_callback); - } - return $authorize_url; } /** * Fetches an access token * - * @param string $url OAuth endpoint for exchanging authorized request tokens - * for access tokens + * @param string $url OAuth endpoint for exchanging authorized request tokens + * for access tokens + * @param string $verifier 1.0a verifier * * @return OAuthToken $token the access token */ - function getAccessToken($url) + function getAccessToken($url, $verifier = null) { - $response = $this->oAuthPost($url); - parse_str($response); - $token = new OAuthToken($oauth_token, $oauth_token_secret); - return $token; + $params = array(); + + if (!is_null($verifier)) { + $params['oauth_verifier'] = $verifier; + } + + $response = $this->oAuthPost($url, $params); + + $arr = array(); + parse_str($response, $arr); + + $token = $arr['oauth_token']; + $secret = $arr['oauth_token_secret']; + + if (isset($token) && isset($secret)) { + $token = new OAuthToken($token, $secret); + return $token; + } else { + throw new OAuthClientException( + 'Could not get a access token from Twitter.' + ); + } } /** - * Use HTTP GET to make a signed OAuth request + * Use HTTP GET to make a signed OAuth requesta * - * @param string $url OAuth endpoint + * @param string $url OAuth request token endpoint + * @param array $params additional parameters * * @return mixed the request */ - function oAuthGet($url) + function oAuthGet($url, $params = null) { $request = OAuthRequest::from_consumer_and_token($this->consumer, - $this->token, 'GET', $url, null); + $this->token, 'GET', $url, $params); $request->sign_request($this->sha1_method, $this->consumer, $this->token); diff --git a/plugins/TwitterBridge/twitterauthorization.php b/plugins/TwitterBridge/twitterauthorization.php index 6822d33dd..c154932bb 100644 --- a/plugins/TwitterBridge/twitterauthorization.php +++ b/plugins/TwitterBridge/twitterauthorization.php @@ -56,6 +56,7 @@ class TwitterauthorizationAction extends Action var $tw_fields = null; var $access_token = null; var $signin = null; + var $verifier = null; /** * Initialize class members. Looks for 'oauth_token' parameter. @@ -70,6 +71,7 @@ class TwitterauthorizationAction extends Action $this->signin = $this->boolean('signin'); $this->oauth_token = $this->arg('oauth_token'); + $this->verifier = $this->arg('oauth_verifier'); return true; } @@ -160,8 +162,7 @@ class TwitterauthorizationAction extends Action // Get a new request token and authorize it $client = new TwitterOAuthClient(); - $req_tok = - $client->getRequestToken(TwitterOAuthClient::$requestTokenURL); + $req_tok = $client->getRequestToken(); // Sock the request token away in the session temporarily @@ -171,7 +172,7 @@ class TwitterauthorizationAction extends Action $auth_link = $client->getAuthorizeLink($req_tok, $this->signin); } catch (OAuthClientException $e) { - $msg = sprintf('OAuth client cURL error - code: %1s, msg: %2s', + $msg = sprintf('OAuth client error - code: %1s, msg: %2s', $e->getCode(), $e->getMessage()); $this->serverError(_m('Couldn\'t link your Twitter account.')); } @@ -187,7 +188,6 @@ class TwitterauthorizationAction extends Action */ function saveAccessToken() { - // Check to make sure Twitter returned the same request // token we sent them @@ -204,7 +204,7 @@ class TwitterauthorizationAction extends Action // Exchange the request token for an access token - $atok = $client->getAccessToken(TwitterOAuthClient::$accessTokenURL); + $atok = $client->getAccessToken($this->verifier); // Test the access token and get the user's Twitter info diff --git a/plugins/TwitterBridge/twitteroauthclient.php b/plugins/TwitterBridge/twitteroauthclient.php index 277e7ab40..ba45b533d 100644 --- a/plugins/TwitterBridge/twitteroauthclient.php +++ b/plugins/TwitterBridge/twitteroauthclient.php @@ -91,6 +91,19 @@ class TwitterOAuthClient extends OAuthClient } } + /** + * Gets a request token from Twitter + * + * @return OAuthToken $token the request token + */ + function getRequestToken() + { + return parent::getRequestToken( + self::$requestTokenURL, + common_local_url('twitterauthorization') + ); + } + /** * Builds a link to Twitter's endpoint for authorizing a request token * @@ -107,6 +120,21 @@ class TwitterOAuthClient extends OAuthClient common_local_url('twitterauthorization')); } + /** + * Fetches an access token from Twitter + * + * @param string $verifier 1.0a verifier + * + * @return OAuthToken $token the access token + */ + function getAccessToken($verifier = null) + { + return parent::getAccessToken( + self::$accessTokenURL, + $verifier + ); + } + /** * Calls Twitter's /account/verify_credentials API method * -- cgit v1.2.3-54-g00ecf From 389e6d54bfcabd0eb2f6849c914684808aefa53c Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Wed, 17 Feb 2010 10:29:08 -0500 Subject: Fix script references in infinite scroll plugin and autocomplete plugin Add indicator.gif used by autocomplete plugin --- plugins/Autocomplete/AutocompletePlugin.php | 4 ++-- plugins/Autocomplete/jquery-autocomplete/indicator.gif | Bin 0 -> 673 bytes plugins/InfiniteScroll/InfiniteScrollPlugin.php | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) create mode 100644 plugins/Autocomplete/jquery-autocomplete/indicator.gif diff --git a/plugins/Autocomplete/AutocompletePlugin.php b/plugins/Autocomplete/AutocompletePlugin.php index d586631a4..a28c65a29 100644 --- a/plugins/Autocomplete/AutocompletePlugin.php +++ b/plugins/Autocomplete/AutocompletePlugin.php @@ -42,8 +42,8 @@ class AutocompletePlugin extends Plugin function onEndShowScripts($action){ if (common_logged_in()) { - $action->script('plugins/Autocomplete/jquery-autocomplete/jquery.autocomplete.pack.js'); - $action->script('plugins/Autocomplete/Autocomplete.js'); + $action->script(common_path('plugins/Autocomplete/jquery-autocomplete/jquery.autocomplete.pack.js')); + $action->script(common_path('plugins/Autocomplete/Autocomplete.js')); } } diff --git a/plugins/Autocomplete/jquery-autocomplete/indicator.gif b/plugins/Autocomplete/jquery-autocomplete/indicator.gif new file mode 100644 index 000000000..d0bce1542 Binary files /dev/null and b/plugins/Autocomplete/jquery-autocomplete/indicator.gif differ diff --git a/plugins/InfiniteScroll/InfiniteScrollPlugin.php b/plugins/InfiniteScroll/InfiniteScrollPlugin.php index a4d1a5d05..77ad83a51 100644 --- a/plugins/InfiniteScroll/InfiniteScrollPlugin.php +++ b/plugins/InfiniteScroll/InfiniteScrollPlugin.php @@ -40,8 +40,8 @@ class InfiniteScrollPlugin extends Plugin function onEndShowScripts($action) { - $action->script('plugins/InfiniteScroll/jquery.infinitescroll.js'); - $action->script('plugins/InfiniteScroll/infinitescroll.js'); + $action->script(common_path('plugins/InfiniteScroll/jquery.infinitescroll.js')); + $action->script(common_path('plugins/InfiniteScroll/infinitescroll.js')); } function onPluginVersion(&$versions) -- cgit v1.2.3-54-g00ecf From c19300272f0074359b2713c35d2fb46bbd1b42ec Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Wed, 17 Feb 2010 12:02:59 -0500 Subject: parse_url returns an associative array - not an object --- lib/htmloutputter.php | 2 +- plugins/Minify/MinifyPlugin.php | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/lib/htmloutputter.php b/lib/htmloutputter.php index 47e56fc8f..7315fe2ad 100644 --- a/lib/htmloutputter.php +++ b/lib/htmloutputter.php @@ -439,7 +439,7 @@ class HTMLOutputter extends XMLOutputter { if(Event::handle('StartCssLinkElement', array($this,&$src,&$theme,&$media))) { $url = parse_url($src); - if( empty($url->scheme) && empty($url->host) && empty($url->query) && empty($url->fragment)) + if( empty($url['scheme']) && empty($url['host']) && empty($url['query']) && empty($url['fragment'])) { if(file_exists(Theme::file($src,$theme))){ $src = Theme::path($src, $theme); diff --git a/plugins/Minify/MinifyPlugin.php b/plugins/Minify/MinifyPlugin.php index b49b6a4ba..fe1883ded 100644 --- a/plugins/Minify/MinifyPlugin.php +++ b/plugins/Minify/MinifyPlugin.php @@ -96,7 +96,7 @@ class MinifyPlugin extends Plugin && is_null(common_config('theme', 'path')) && is_null(common_config('theme', 'server')); $url = parse_url($src); - if( empty($url->scheme) && empty($url->host) && empty($url->query) && empty($url->fragment)) + if( empty($url['scheme']) && empty($url['host']) && empty($url['query']) && empty($url['fragment'])) { if(!isset($theme)) { $theme = common_config('site', 'theme'); -- cgit v1.2.3-54-g00ecf From 46e9aa13aa87955b441bc63b7cf2f58622b131b0 Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Wed, 17 Feb 2010 12:03:14 -0500 Subject: htmloutputter->script() special cases src's that begin with plugin/ or local/ so that plugins don't need to include common_path() in every call to $action->script() Adjust plugins to not call common_path() when it's not necessary Fix minify plugin --- lib/htmloutputter.php | 55 ++++++++++++++----------- plugins/Autocomplete/AutocompletePlugin.php | 4 +- plugins/Comet/CometPlugin.php | 2 +- plugins/Facebook/FacebookPlugin.php | 2 +- plugins/Facebook/facebookaction.php | 2 +- plugins/InfiniteScroll/InfiniteScrollPlugin.php | 4 +- plugins/Minify/MinifyPlugin.php | 6 ++- plugins/OStatus/OStatusPlugin.php | 4 +- plugins/Orbited/OrbitedPlugin.php | 4 +- plugins/Realtime/RealtimePlugin.php | 4 +- 10 files changed, 49 insertions(+), 38 deletions(-) diff --git a/lib/htmloutputter.php b/lib/htmloutputter.php index 7315fe2ad..7786b5941 100644 --- a/lib/htmloutputter.php +++ b/lib/htmloutputter.php @@ -356,40 +356,47 @@ class HTMLOutputter extends XMLOutputter if( empty($url['scheme']) && empty($url['host']) && empty($url['query']) && empty($url['fragment'])) { - $path = common_config('javascript', 'path'); + if (strpos($src, 'plugins/') === 0 || strpos($src, 'local/') === 0) { - if (empty($path)) { - $path = common_config('site', 'path') . '/js/'; - } + $src = common_path($src) . '?version=' . STATUSNET_VERSION; - if ($path[strlen($path)-1] != '/') { - $path .= '/'; - } + }else{ - if ($path[0] != '/') { - $path = '/'.$path; - } + $path = common_config('javascript', 'path'); - $server = common_config('javascript', 'server'); + if (empty($path)) { + $path = common_config('site', 'path') . '/js/'; + } - if (empty($server)) { - $server = common_config('site', 'server'); - } + if ($path[strlen($path)-1] != '/') { + $path .= '/'; + } - $ssl = common_config('javascript', 'ssl'); + if ($path[0] != '/') { + $path = '/'.$path; + } + + $server = common_config('javascript', 'server'); - if (is_null($ssl)) { // null -> guess - if (common_config('site', 'ssl') == 'always' && - !common_config('javascript', 'server')) { - $ssl = true; - } else { - $ssl = false; + if (empty($server)) { + $server = common_config('site', 'server'); } - } - $protocol = ($ssl) ? 'https' : 'http'; + $ssl = common_config('javascript', 'ssl'); - $src = $protocol.'://'.$server.$path.$src . '?version=' . STATUSNET_VERSION; + if (is_null($ssl)) { // null -> guess + if (common_config('site', 'ssl') == 'always' && + !common_config('javascript', 'server')) { + $ssl = true; + } else { + $ssl = false; + } + } + + $protocol = ($ssl) ? 'https' : 'http'; + + $src = $protocol.'://'.$server.$path.$src . '?version=' . STATUSNET_VERSION; + } } $this->element('script', array('type' => $type, diff --git a/plugins/Autocomplete/AutocompletePlugin.php b/plugins/Autocomplete/AutocompletePlugin.php index a28c65a29..d586631a4 100644 --- a/plugins/Autocomplete/AutocompletePlugin.php +++ b/plugins/Autocomplete/AutocompletePlugin.php @@ -42,8 +42,8 @@ class AutocompletePlugin extends Plugin function onEndShowScripts($action){ if (common_logged_in()) { - $action->script(common_path('plugins/Autocomplete/jquery-autocomplete/jquery.autocomplete.pack.js')); - $action->script(common_path('plugins/Autocomplete/Autocomplete.js')); + $action->script('plugins/Autocomplete/jquery-autocomplete/jquery.autocomplete.pack.js'); + $action->script('plugins/Autocomplete/Autocomplete.js'); } } diff --git a/plugins/Comet/CometPlugin.php b/plugins/Comet/CometPlugin.php index 300d1e9a2..29cb3004b 100644 --- a/plugins/Comet/CometPlugin.php +++ b/plugins/Comet/CometPlugin.php @@ -68,7 +68,7 @@ class CometPlugin extends RealtimePlugin $ours = array('jquery.comet.js', 'cometupdate.js'); foreach ($ours as $script) { - $scripts[] = common_path('plugins/Comet/'.$script); + $scripts[] = 'plugins/Comet/'.$script; } return $scripts; diff --git a/plugins/Facebook/FacebookPlugin.php b/plugins/Facebook/FacebookPlugin.php index 4266b886d..78c9054e1 100644 --- a/plugins/Facebook/FacebookPlugin.php +++ b/plugins/Facebook/FacebookPlugin.php @@ -181,7 +181,7 @@ class FacebookPlugin extends Plugin if ($this->reqFbScripts($action)) { $apikey = common_config('facebook', 'apikey'); - $plugin_path = common_path('plugins/Facebook'); + $plugin_path = 'plugins/Facebook'; $login_url = common_local_url('FBConnectAuth'); $logout_url = common_local_url('logout'); diff --git a/plugins/Facebook/facebookaction.php b/plugins/Facebook/facebookaction.php index 8437a705a..f65b97c86 100644 --- a/plugins/Facebook/facebookaction.php +++ b/plugins/Facebook/facebookaction.php @@ -89,7 +89,7 @@ class FacebookAction extends Action function showScripts() { - $this->script(common_path('plugins/Facebook/facebookapp.js')); + $this->script('plugins/Facebook/facebookapp.js'); } /** diff --git a/plugins/InfiniteScroll/InfiniteScrollPlugin.php b/plugins/InfiniteScroll/InfiniteScrollPlugin.php index 77ad83a51..a4d1a5d05 100644 --- a/plugins/InfiniteScroll/InfiniteScrollPlugin.php +++ b/plugins/InfiniteScroll/InfiniteScrollPlugin.php @@ -40,8 +40,8 @@ class InfiniteScrollPlugin extends Plugin function onEndShowScripts($action) { - $action->script(common_path('plugins/InfiniteScroll/jquery.infinitescroll.js')); - $action->script(common_path('plugins/InfiniteScroll/infinitescroll.js')); + $action->script('plugins/InfiniteScroll/jquery.infinitescroll.js'); + $action->script('plugins/InfiniteScroll/infinitescroll.js'); } function onPluginVersion(&$versions) diff --git a/plugins/Minify/MinifyPlugin.php b/plugins/Minify/MinifyPlugin.php index fe1883ded..69def6064 100644 --- a/plugins/Minify/MinifyPlugin.php +++ b/plugins/Minify/MinifyPlugin.php @@ -86,7 +86,11 @@ class MinifyPlugin extends Plugin $url = parse_url($src); if( empty($url['scheme']) && empty($url['host']) && empty($url['query']) && empty($url['fragment'])) { - $src = $this->minifyUrl($src); + if (strpos($src, 'plugins/') === 0 || strpos($src, 'local/') === 0) { + $src = $this->minifyUrl($src); + } else { + $src = $this->minifyUrl('js/'.$src); + } } } diff --git a/plugins/OStatus/OStatusPlugin.php b/plugins/OStatus/OStatusPlugin.php index 3b1329d6c..a30f68cb3 100644 --- a/plugins/OStatus/OStatusPlugin.php +++ b/plugins/OStatus/OStatusPlugin.php @@ -281,12 +281,12 @@ class OStatusPlugin extends Plugin } function onEndShowStatusNetStyles($action) { - $action->cssLink(common_path('plugins/OStatus/theme/base/css/ostatus.css')); + $action->cssLink('plugins/OStatus/theme/base/css/ostatus.css'); return true; } function onEndShowStatusNetScripts($action) { - $action->script(common_path('plugins/OStatus/js/ostatus.js')); + $action->script('plugins/OStatus/js/ostatus.js'); return true; } } diff --git a/plugins/Orbited/OrbitedPlugin.php b/plugins/Orbited/OrbitedPlugin.php index ba87b266a..8af71af74 100644 --- a/plugins/Orbited/OrbitedPlugin.php +++ b/plugins/Orbited/OrbitedPlugin.php @@ -77,9 +77,9 @@ class OrbitedPlugin extends RealtimePlugin $root = 'http://'.$server.(($port == 80) ? '':':'.$port); $scripts[] = $root.'/static/Orbited.js'; - $scripts[] = common_path('plugins/Orbited/orbitedextra.js'); + $scripts[] = 'plugins/Orbited/orbitedextra.js'; $scripts[] = $root.'/static/protocols/stomp/stomp.js'; - $scripts[] = common_path('plugins/Orbited/orbitedupdater.js'); + $scripts[] = 'plugins/Orbited/orbitedupdater.js'; return $scripts; } diff --git a/plugins/Realtime/RealtimePlugin.php b/plugins/Realtime/RealtimePlugin.php index 6c212453e..e8c44a743 100644 --- a/plugins/Realtime/RealtimePlugin.php +++ b/plugins/Realtime/RealtimePlugin.php @@ -117,7 +117,7 @@ class RealtimePlugin extends Plugin function onEndShowStatusNetStyles($action) { - $action->cssLink(common_path('plugins/Realtime/realtimeupdate.css'), + $action->cssLink('plugins/Realtime/realtimeupdate.css', null, 'screen, projection, tv'); return true; } @@ -307,7 +307,7 @@ class RealtimePlugin extends Plugin function _getScripts() { - return array(common_path('plugins/Realtime/realtimeupdate.js')); + return array('plugins/Realtime/realtimeupdate.js'); } function _updateInitialize($timeline, $user_id) -- cgit v1.2.3-54-g00ecf From 4d97f83740401ca98f4cd6d6d285dba0000d34dd Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Wed, 17 Feb 2010 19:24:38 +0000 Subject: Better logging for Twitter bridge account linking process --- plugins/TwitterBridge/twitterauthorization.php | 31 ++++++++++++++++++-------- 1 file changed, 22 insertions(+), 9 deletions(-) diff --git a/plugins/TwitterBridge/twitterauthorization.php b/plugins/TwitterBridge/twitterauthorization.php index c154932bb..8bfdacee9 100644 --- a/plugins/TwitterBridge/twitterauthorization.php +++ b/plugins/TwitterBridge/twitterauthorization.php @@ -131,8 +131,7 @@ class TwitterauthorizationAction extends Action } else if ($this->arg('connect')) { $this->connectNewUser(); } else { - common_debug('Twitter Connect Plugin - ' . - print_r($this->args, true)); + common_debug('Twitter bridge - ' . print_r($this->args, true)); $this->showForm(_('Something weird happened.'), $this->trimmed('newname')); } @@ -172,9 +171,15 @@ class TwitterauthorizationAction extends Action $auth_link = $client->getAuthorizeLink($req_tok, $this->signin); } catch (OAuthClientException $e) { - $msg = sprintf('OAuth client error - code: %1s, msg: %2s', - $e->getCode(), $e->getMessage()); - $this->serverError(_m('Couldn\'t link your Twitter account.')); + $msg = sprintf( + 'OAuth client error - code: %1s, msg: %2s', + $e->getCode(), + $e->getMessage() + ); + common_log(LOG_INFO, 'Twitter bridge - ' . $msg); + $this->serverError( + _m('Couldn\'t link your Twitter account: ') . $e->getMessage() + ); } common_redirect($auth_link); @@ -192,7 +197,9 @@ class TwitterauthorizationAction extends Action // token we sent them if ($_SESSION['twitter_request_token'] != $this->oauth_token) { - $this->serverError(_m('Couldn\'t link your Twitter account.')); + $this->serverError( + _m('Couldn\'t link your Twitter account: oauth_token mismatch.') + ); } $twitter_user = null; @@ -212,9 +219,15 @@ class TwitterauthorizationAction extends Action $twitter_user = $client->verifyCredentials(); } catch (OAuthClientException $e) { - $msg = sprintf('OAuth client error - code: %1$s, msg: %2$s', - $e->getCode(), $e->getMessage()); - $this->serverError(_m('Couldn\'t link your Twitter account.')); + $msg = sprintf( + 'OAuth client error - code: %1$s, msg: %2$s', + $e->getCode(), + $e->getMessage() + ); + common_log(LOG_INFO, 'Twitter bridge - ' . $msg); + $this->serverError( + _m('Couldn\'t link your Twitter account: ') . $e-getMessage() + ); } if (common_logged_in()) { -- cgit v1.2.3-54-g00ecf From a80fdf3142d05bdae77874acc7413cbbd70fad3d Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Wed, 17 Feb 2010 20:53:16 +0000 Subject: Twitter bridge - fix for Ticket #2192 --- plugins/TwitterBridge/twitter.php | 12 ++++++++---- plugins/TwitterBridge/twitterauthorization.php | 6 +++--- 2 files changed, 11 insertions(+), 7 deletions(-) diff --git a/plugins/TwitterBridge/twitter.php b/plugins/TwitterBridge/twitter.php index 2dd815d3c..13e499d65 100644 --- a/plugins/TwitterBridge/twitter.php +++ b/plugins/TwitterBridge/twitter.php @@ -33,11 +33,15 @@ function add_twitter_user($twitter_id, $screen_name) // repoed, and things like that. $luser = Foreign_user::getForeignUser($twitter_id, TWITTER_SERVICE); - $result = $luser->delete(); - if ($result != false) { - common_log(LOG_INFO, - "Twitter bridge - removed old Twitter user: $screen_name ($twitter_id)."); + if (!empty($luser)) { + $result = $luser->delete(); + if ($result != false) { + common_log( + LOG_INFO, + "Twitter bridge - removed old Twitter user: $screen_name ($twitter_id)." + ); + } } $fuser = new Foreign_user(); diff --git a/plugins/TwitterBridge/twitterauthorization.php b/plugins/TwitterBridge/twitterauthorization.php index 8bfdacee9..cabf69d7a 100644 --- a/plugins/TwitterBridge/twitterauthorization.php +++ b/plugins/TwitterBridge/twitterauthorization.php @@ -178,7 +178,7 @@ class TwitterauthorizationAction extends Action ); common_log(LOG_INFO, 'Twitter bridge - ' . $msg); $this->serverError( - _m('Couldn\'t link your Twitter account: ') . $e->getMessage() + _m('Couldn\'t link your Twitter account.') ); } @@ -226,7 +226,7 @@ class TwitterauthorizationAction extends Action ); common_log(LOG_INFO, 'Twitter bridge - ' . $msg); $this->serverError( - _m('Couldn\'t link your Twitter account: ') . $e-getMessage() + _m('Couldn\'t link your Twitter account.') ); } @@ -292,7 +292,7 @@ class TwitterauthorizationAction extends Action if (empty($flink_id)) { common_log_db_error($flink, 'INSERT', __FILE__); - $this->serverError(_('Couldn\'t link your Twitter account.')); + $this->serverError(_('Couldn\'t link your Twitter account.')); } return $flink_id; -- cgit v1.2.3-54-g00ecf From 5e60bf2ca65f5e862fa1741e42d35e2ae7bb5559 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Thu, 18 Feb 2010 01:47:44 +0000 Subject: Fix for cross site OMB posting problem --- lib/omb.php | 8 +++----- 1 file changed, 3 insertions(+), 5 deletions(-) diff --git a/lib/omb.php b/lib/omb.php index 0f38a4936..17132a594 100644 --- a/lib/omb.php +++ b/lib/omb.php @@ -29,11 +29,9 @@ require_once 'Auth/Yadis/Yadis.php'; function omb_oauth_consumer() { - static $con = null; - if (is_null($con)) { - $con = new OAuthConsumer(common_root_url(), ''); - } - return $con; + // Don't try to make this static. Leads to issues in + // multi-site setups - Z + return new OAuthConsumer(common_root_url(), ''); } function omb_oauth_server() -- cgit v1.2.3-54-g00ecf From 0b5308dea97bae5211ede91e9821cf0834e078a3 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Fri, 19 Feb 2010 00:00:05 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans Signed-off-by: Siebrand Mazeland --- locale/ar/LC_MESSAGES/statusnet.po | 156 ++++++++--------- locale/arz/LC_MESSAGES/statusnet.po | 186 ++++++++++---------- locale/bg/LC_MESSAGES/statusnet.po | 232 ++++++++++++------------- locale/ca/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/cs/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/de/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/el/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/en_GB/LC_MESSAGES/statusnet.po | 156 ++++++++--------- locale/es/LC_MESSAGES/statusnet.po | 316 ++++++++++++++++------------------ locale/fa/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/fi/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/fr/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/ga/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/he/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/hsb/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/ia/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/is/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/it/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/ja/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/ko/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/mk/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/nb/LC_MESSAGES/statusnet.po | 280 +++++++++++++++--------------- locale/nl/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/nn/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/pl/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/pt/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/pt_BR/LC_MESSAGES/statusnet.po | 163 +++++++++--------- locale/ru/LC_MESSAGES/statusnet.po | 156 ++++++++--------- locale/statusnet.po | 152 ++++++++-------- locale/sv/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/te/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/tr/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/uk/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/vi/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/zh_CN/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- locale/zh_TW/LC_MESSAGES/statusnet.po | 204 +++++++++++----------- 36 files changed, 3636 insertions(+), 3669 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index c7276b56f..3d3fca98c 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-14 20:05+0000\n" -"PO-Revision-Date: 2010-02-14 20:05:58+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:55:38+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62476); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" @@ -185,11 +185,11 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:182 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:194 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 msgid "API method not found." msgstr "لم يتم العثور على وسيلة API." @@ -543,7 +543,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "الحساب" @@ -738,7 +738,7 @@ msgid "Preview" msgstr "عاين" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "احذÙ" @@ -918,7 +918,7 @@ msgstr "أنت لست مالك هذا التطبيق." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "" @@ -976,7 +976,7 @@ msgstr "أمتأكد من أنك تريد حذ٠هذا الإشعار؟" msgid "Do not delete this notice" msgstr "لا تحذ٠هذا الإشعار" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "احذ٠هذا الإشعار" @@ -1638,7 +1638,7 @@ msgstr "%1$s أعضاء المجموعة, الصÙحة %2$d" msgid "A list of the users in this group." msgstr "قائمة بمستخدمي هذه المجموعة." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "إداري" @@ -1968,7 +1968,7 @@ msgstr "اسم المستخدم أو كلمة السر غير صحيحان." msgid "Error setting user. You are probably not authorized." msgstr "خطأ أثناء ضبط المستخدم. لست Ù…Ùصرحًا على الأرجح." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Ù„Ùج" @@ -2212,7 +2212,7 @@ msgid "Only " msgstr "" #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "ليس نسق بيانات مدعوم." @@ -2896,7 +2896,7 @@ msgstr "عذرا، رمز دعوة غير صالح." msgid "Registration successful" msgstr "نجح التسجيل" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "سجّل" @@ -3020,7 +3020,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "اشترك" @@ -3056,7 +3056,7 @@ msgstr "لا يمكنك تكرار ملاحظتك الشخصية." msgid "You already repeated that notice." msgstr "أنت كررت هذه الملاحظة بالÙعل." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 msgid "Repeated" msgstr "مكرر" @@ -4148,7 +4148,7 @@ msgstr "" msgid "Plugins" msgstr "ملحقات" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 msgid "Version" msgstr "النسخة" @@ -4230,21 +4230,21 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "مشكلة أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:788 +#: classes/Notice.php:790 #, fuzzy msgid "Problem saving group inbox." msgstr "مشكلة أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1271 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تي @%1$s %2$s" @@ -4299,124 +4299,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "صÙحة غير Ù…Ùعنونة" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "الرئيسية" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "المل٠الشخصي ومسار الأصدقاء الزمني" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "اتصل" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect to services" msgstr "" -#: lib/action.php:448 +#: lib/action.php:449 msgid "Change site configuration" msgstr "غيّر ضبط الموقع" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "ادعÙ" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "اخرج" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "اخرج من الموقع" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "أنشئ حسابًا" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "Ù„Ùج إلى الموقع" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "مساعدة" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "ساعدني!" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "ابحث" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "ابحث عن أشخاص أو نص" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "إشعار الموقع" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "المشاهدات المحلية" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "إشعار الصÙحة" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "عن" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "الأسئلة المكررة" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "الشروط" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "خصوصية" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "المصدر" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "اتصل" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "رخصة برنامج StatusNet" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4425,12 +4425,12 @@ msgstr "" "**%%site.name%%** خدمة تدوين مصغر يقدمها لك [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4441,41 +4441,41 @@ msgstr "" "المتوÙر تحت [رخصة غنو Ø£Ùيرو العمومية](http://www.fsf.org/licensing/licenses/" "agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "رخصة محتوى الموقع" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "" -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "الرخصة." -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "بعد" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "قبل" @@ -5329,7 +5329,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "من" @@ -5449,48 +5449,48 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "Ø´" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "ج" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "ر" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "غ" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "ÙÙŠ" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "ÙÙŠ السياق" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 msgid "Repeated by" msgstr "مكرر بواسطة" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "رÙد على هذا الإشعار" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "رÙد" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 msgid "Notice repeated" msgstr "الإشعار مكرر" @@ -5780,23 +5780,23 @@ msgstr "عدّل الأÙتار" msgid "User actions" msgstr "تصرÙات المستخدم" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "عدّل إعدادات المل٠الشخصي" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "عدّل" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "أرسل رسالة مباشرة إلى هذا المستخدم" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "رسالة" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "" diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index 2940486d8..2163be1b4 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-14 20:05+0000\n" -"PO-Revision-Date: 2010-02-14 20:06:01+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:55:41+0000\n" "Language-Team: Egyptian Spoken Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62476); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: out-statusnet\n" @@ -189,13 +189,13 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:182 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:194 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 msgid "API method not found." -msgstr "لم يتم العثور على وسيله API." +msgstr "الـ API method مش موجوده." #: actions/apiaccountupdatedeliverydevice.php:85 #: actions/apiaccountupdateprofile.php:89 @@ -263,7 +263,7 @@ msgstr "تعذّر تحديث تصميمك." #: actions/apiblockcreate.php:105 msgid "You cannot block yourself!" -msgstr "لا يمكنك منع Ù†Ùسك!" +msgstr "ما ينÙعش تمنع Ù†Ùسك!" #: actions/apiblockcreate.php:126 msgid "Block user failed." @@ -547,7 +547,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "الحساب" @@ -591,11 +591,11 @@ msgstr "لا إشعار كهذا." #: actions/apistatusesretweet.php:83 msgid "Cannot repeat your own notice." -msgstr "لا يمكنك تكرار ملحوظتك الخاصه." +msgstr "مش ناÙعه تتكرر الملاحظتك بتاعتك." #: actions/apistatusesretweet.php:91 msgid "Already repeated that notice." -msgstr "كرر بالÙعل هذه الملاحظه." +msgstr "الملاحظه اتكررت Ùعلا." #: actions/apistatusesshow.php:138 msgid "Status deleted." @@ -742,7 +742,7 @@ msgid "Preview" msgstr "عاين" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "احذÙ" @@ -922,7 +922,7 @@ msgstr "انت مش بتملك الapplication دى." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "" @@ -980,7 +980,7 @@ msgstr "أمتأكد من أنك تريد حذ٠هذا الإشعار؟" msgid "Do not delete this notice" msgstr "لا تحذ٠هذا الإشعار" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "احذ٠هذا الإشعار" @@ -1468,11 +1468,11 @@ msgstr "اختيار لبعض المستخدمين المتميزين على %s" #: actions/file.php:34 msgid "No notice ID." -msgstr "لا رقم ملاحظه." +msgstr "ما Ùيش ملاحظة ID." #: actions/file.php:38 msgid "No notice." -msgstr "لا ملاحظه." +msgstr "ما Ùيش ملاحظه." #: actions/file.php:42 msgid "No attachments." @@ -1480,7 +1480,7 @@ msgstr "لا مرÙقات." #: actions/file.php:51 msgid "No uploaded attachments." -msgstr "لا مرÙقات مرÙوعه." +msgstr "ما Ùيش Ùايلات اتعمللها upload." #: actions/finishremotesubscribe.php:69 msgid "Not expecting this response!" @@ -1642,7 +1642,7 @@ msgstr "%1$s اعضاء الجروپ, صÙحه %2$d" msgid "A list of the users in this group." msgstr "قائمه بمستخدمى هذه المجموعه." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "إداري" @@ -1972,7 +1972,7 @@ msgstr "اسم المستخدم أو كلمه السر غير صحيحان." msgid "Error setting user. You are probably not authorized." msgstr "خطأ أثناء ضبط المستخدم. لست Ù…Ùصرحًا على الأرجح." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Ù„Ùج" @@ -2214,7 +2214,7 @@ msgid "Only " msgstr "" #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr " مش نظام بيانات مدعوم." @@ -2897,7 +2897,7 @@ msgstr "عذرا، رمز دعوه غير صالح." msgid "Registration successful" msgstr "نجح التسجيل" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "سجّل" @@ -3021,7 +3021,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "اشترك" @@ -3047,17 +3047,17 @@ msgstr "" #: actions/repeat.php:64 actions/repeat.php:71 msgid "No notice specified." -msgstr "لا ملاحظه محدده." +msgstr "ما Ùيش ملاحظه متحدده." #: actions/repeat.php:76 msgid "You can't repeat your own notice." -msgstr "لا يمكنك تكرار ملاحظتك الشخصيه." +msgstr "ما ينÙعش تكرر الملاحظه بتاعتك." #: actions/repeat.php:90 msgid "You already repeated that notice." -msgstr "أنت كررت هذه الملاحظه بالÙعل." +msgstr "انت عيدت الملاحظه دى Ùعلا." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 msgid "Repeated" msgstr "مكرر" @@ -3858,7 +3858,7 @@ msgstr "صورة" #: actions/tagother.php:141 msgid "Tag user" -msgstr "اوسم المستخدم" +msgstr "اعمل tag لليوزر" #: actions/tagother.php:151 msgid "" @@ -3893,7 +3893,7 @@ msgstr "لم تمنع هذا المستخدم." #: actions/unsandbox.php:72 msgid "User is not sandboxed." -msgstr "المستخدم ليس ÙÙ‰ صندوق الرمل." +msgstr "اليوزر مش ÙÙ‰ السبوره." #: actions/unsilence.php:72 msgid "User is not silenced." @@ -4149,7 +4149,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 msgid "Version" msgstr "النسخه" @@ -4189,7 +4189,7 @@ msgstr "الخروج من الجروپ Ùشل." #: classes/Login_token.php:76 #, php-format msgid "Could not create login token for %s" -msgstr "لم يمكن إنشاء توكن الولوج Ù„%s" +msgstr "ما Ù†Ùعش يتعمل امارة تسجيل دخول لـ %s" #: classes/Message.php:45 msgid "You are banned from sending direct messages." @@ -4231,21 +4231,21 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "مشكله أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:788 +#: classes/Notice.php:790 #, fuzzy msgid "Problem saving group inbox." msgstr "مشكله أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1271 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تى @%1$s %2$s" @@ -4300,124 +4300,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "صÙحه غير Ù…Ùعنونة" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "الرئيسية" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "المل٠الشخصى ومسار الأصدقاء الزمني" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "اتصل" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect to services" msgstr "" -#: lib/action.php:448 +#: lib/action.php:449 msgid "Change site configuration" msgstr "غيّر ضبط الموقع" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "ادعÙ" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "اخرج" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "اخرج من الموقع" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "أنشئ حسابًا" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "Ù„Ùج إلى الموقع" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "مساعدة" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "ساعدني!" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "ابحث" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "ابحث عن أشخاص أو نص" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "إشعار الموقع" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "المشاهدات المحلية" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "إشعار الصÙحة" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "عن" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "الأسئله المكررة" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "الشروط" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "خصوصية" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "المصدر" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "اتصل" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4426,12 +4426,12 @@ msgstr "" "**%%site.name%%** خدمه تدوين مصغر يقدمها لك [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4442,41 +4442,41 @@ msgstr "" "المتوÙر تحت [رخصه غنو Ø£Ùيرو العمومية](http://www.fsf.org/licensing/licenses/" "agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "رخصه محتوى الموقع" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "" -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "الرخصه." -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "بعد" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "قبل" @@ -5320,7 +5320,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "من" @@ -5440,48 +5440,48 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "Ø´" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "ج" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "ر" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "غ" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "ÙÙŠ" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "ÙÙ‰ السياق" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 msgid "Repeated by" -msgstr "مكرر بواسطة" +msgstr "متكرر من" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "رÙد على هذا الإشعار" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "رÙد" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 msgid "Notice repeated" msgstr "الإشعار مكرر" @@ -5715,7 +5715,7 @@ msgstr "غير مشترك!" #: lib/subs.php:142 msgid "Couldn't delete self-subscription." -msgstr "لم يمكن حذ٠اشتراك ذاتى." +msgstr "ما Ù†Ùعش يمسح الاشتراك الشخصى." #: lib/subs.php:158 msgid "Couldn't delete subscription." @@ -5771,23 +5771,23 @@ msgstr "عدّل الأÙتار" msgid "User actions" msgstr "تصرÙات المستخدم" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "عدّل إعدادات المل٠الشخصي" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "عدّل" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "أرسل رساله مباشره إلى هذا المستخدم" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "رسالة" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "" diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index efe49b56a..973f57496 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:14:17+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:55:44+0000\n" "Language-Team: Bulgarian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: out-statusnet\n" @@ -25,9 +25,8 @@ msgid "Access" msgstr "ДоÑтъп" #: actions/accessadminpanel.php:65 -#, fuzzy msgid "Site access settings" -msgstr "Запазване наÑтройките на Ñайта" +msgstr "ÐаÑтройки за доÑтъп до Ñайта" #: actions/accessadminpanel.php:158 msgid "Registration" @@ -70,9 +69,8 @@ msgid "Save" msgstr "Запазване" #: actions/accessadminpanel.php:189 -#, fuzzy msgid "Save access settings" -msgstr "Запазване наÑтройките на Ñайта" +msgstr "Запазване наÑтройките за доÑтъп" #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 @@ -163,8 +161,8 @@ msgstr "" msgid "You and friends" msgstr "Вие и приÑтелите" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "Бележки от %1$s и приÑтели в %2$s." @@ -185,12 +183,12 @@ msgstr "Бележки от %1$s и приÑтели в %2$s." #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 msgid "API method not found." msgstr "Ðе е открит методът в API." @@ -555,7 +553,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "Сметка" @@ -638,7 +636,7 @@ msgstr "Ðеподдържан формат." msgid "%1$s / Favorites from %2$s" msgstr "%s / ОтбелÑзани като любими от %s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, fuzzy, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s бележки отбелÑзани като любими от %s / %s." @@ -649,7 +647,7 @@ msgstr "%s бележки отбелÑзани като любими от %s / % msgid "%s timeline" msgstr "Поток на %s" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -665,12 +663,12 @@ msgstr "%1$s / Реплики на %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s реплики на ÑÑŠÐ¾Ð±Ñ‰ÐµÐ½Ð¸Ñ Ð¾Ñ‚ %2$s / %3$s." -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "Общ поток на %s" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "" @@ -680,7 +678,7 @@ msgstr "" msgid "Repeated to %s" msgstr "Повторено за %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "ÐŸÐ¾Ð²Ñ‚Ð¾Ñ€ÐµÐ½Ð¸Ñ Ð½Ð° %s" @@ -690,7 +688,7 @@ msgstr "ÐŸÐ¾Ð²Ñ‚Ð¾Ñ€ÐµÐ½Ð¸Ñ Ð½Ð° %s" msgid "Notices tagged with %s" msgstr "Бележки Ñ ÐµÑ‚Ð¸ÐºÐµÑ‚ %s" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Бележки от %1$s в %2$s." @@ -753,7 +751,7 @@ msgid "Preview" msgstr "Преглед" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "Изтриване" @@ -936,7 +934,7 @@ msgstr "Ðе членувате в тази група." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "Имаше проблем ÑÑŠÑ ÑеÑиÑта ви в Ñайта." @@ -994,7 +992,7 @@ msgstr "ÐаиÑтина ли иÑкате да изтриете тази бел msgid "Do not delete this notice" msgstr "Да не Ñе изтрива бележката" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "Изтриване на бележката" @@ -1248,7 +1246,7 @@ msgstr "ОпиÑанието е твърде дълго (до %d Ñимвола) msgid "Could not update group." msgstr "Грешка при обновÑване на групата." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 #, fuzzy msgid "Could not create aliases." msgstr "Грешка при отбелÑзване като любима." @@ -1258,7 +1256,6 @@ msgid "Options saved." msgstr "ÐаÑтройките Ñа запазени." #: actions/emailsettings.php:60 -#, fuzzy msgid "Email settings" msgstr "ÐаÑтройки на е-поща" @@ -1297,9 +1294,8 @@ msgid "Cancel" msgstr "Отказ" #: actions/emailsettings.php:121 -#, fuzzy msgid "Email address" -msgstr "ÐдреÑи на е-поща" +msgstr "ÐÐ´Ñ€ÐµÑ Ð½Ð° е-поща" #: actions/emailsettings.php:123 msgid "Email address, like \"UserName@example.org\"" @@ -1695,7 +1691,7 @@ msgstr "Членове на групата %s, Ñтраница %d" msgid "A list of the users in this group." msgstr "СпиÑък Ñ Ð¿Ð¾Ñ‚Ñ€ÐµÐ±Ð¸Ñ‚ÐµÐ»Ð¸Ñ‚Ðµ в тази група." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "ÐаÑтройки" @@ -2072,14 +2068,14 @@ msgstr "Грешно име или парола." msgid "Error setting user. You are probably not authorized." msgstr "Забранено." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Вход" #: actions/login.php:227 msgid "Login to site" -msgstr "" +msgstr "Вход в Ñайта" #: actions/login.php:236 actions/register.php:478 msgid "Remember me" @@ -2328,7 +2324,7 @@ msgid "Only " msgstr "Само " #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "Ðеподдържан формат на данните" @@ -3021,7 +3017,7 @@ msgstr "Грешка в кода за потвърждение." msgid "Registration successful" msgstr "ЗапиÑването е уÑпешно." -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "РегиÑтриране" @@ -3168,7 +3164,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "ÐÐ´Ñ€ÐµÑ Ð½Ð° профила ви в друга, ÑъвмеÑтима уÑлуга за микроблогване" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "Ðбониране" @@ -3206,7 +3202,7 @@ msgstr "Ðе можете да повтарÑте ÑобÑтвена бележ msgid "You already repeated that notice." msgstr "Вече Ñте повторили тази бележка." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 msgid "Repeated" msgstr "Повторено" @@ -3267,9 +3263,8 @@ msgid "Replies to %1$s on %2$s!" msgstr "Отговори до %1$s в %2$s!" #: actions/rsd.php:146 actions/version.php:157 -#, fuzzy msgid "StatusNet" -msgstr "Бележката е изтрита." +msgstr "StatusNet" #: actions/sandbox.php:65 actions/unsandbox.php:65 #, fuzzy @@ -3564,9 +3559,9 @@ msgid " tagged %s" msgstr "Бележки Ñ ÐµÑ‚Ð¸ÐºÐµÑ‚ %s" #: actions/showstream.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s, page %2$d" -msgstr "Блокирани за %s, Ñтраница %d" +msgstr "%1$s, Ñтраница %2$d" #: actions/showstream.php:122 #, fuzzy, php-format @@ -3785,7 +3780,6 @@ msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" #: actions/smssettings.php:58 -#, fuzzy msgid "SMS settings" msgstr "ÐаÑтройки за SMS" @@ -3816,7 +3810,6 @@ msgid "Enter the code you received on your phone." msgstr "Въведете кода, който получихте по телефона." #: actions/smssettings.php:138 -#, fuzzy msgid "SMS phone number" msgstr "Телефонен номер за SMS" @@ -4279,9 +4272,8 @@ msgid "%1$s groups, page %2$d" msgstr "Членове на групата %s, Ñтраница %d" #: actions/usergroups.php:130 -#, fuzzy msgid "Search for more groups" -msgstr "ТърÑене за хора или бележки" +msgstr "ТърÑене на още групи" #: actions/usergroups.php:153 #, php-format @@ -4336,7 +4328,7 @@ msgstr "" msgid "Plugins" msgstr "ПриÑтавки" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 msgid "Version" msgstr "ВерÑиÑ" @@ -4428,21 +4420,21 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "Забранено ви е да публикувате бележки в този Ñайт." -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "Проблем при запиÑване на бележката." -#: classes/Notice.php:788 +#: classes/Notice.php:790 #, fuzzy msgid "Problem saving group inbox." msgstr "Проблем при запиÑване на бележката." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Грешка в базата от данни — отговор при вмъкването: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4452,11 +4444,11 @@ msgstr "RT @%1$s %2$s" msgid "Welcome to %1$s, @%2$s!" msgstr "Добре дошли в %1$s, @%2$s!" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "Грешка при Ñъздаване на групата." -#: classes/User_group.php:409 +#: classes/User_group.php:442 #, fuzzy msgid "Could not set group membership." msgstr "Грешка при Ñъздаване на нов абонамент." @@ -4491,136 +4483,136 @@ msgid "Other options" msgstr "Други наÑтройки" #: lib/action.php:144 -#, fuzzy, php-format +#, php-format msgid "%1$s - %2$s" -msgstr "%1$s (%2$s)" +msgstr "%1$s - %2$s" #: lib/action.php:159 msgid "Untitled page" msgstr "Ðеозаглавена Ñтраница" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "Ðачало" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "ПромÑна на поща, аватар, парола, профил" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "Свързване" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect to services" msgstr "Свързване към уÑлуги" -#: lib/action.php:448 +#: lib/action.php:449 msgid "Change site configuration" msgstr "ПромÑна наÑтройките на Ñайта" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "Покани" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Поканете приÑтели и колеги да Ñе приÑъединÑÑ‚ към Ð²Ð°Ñ Ð² %s" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Изход" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "Излизане от Ñайта" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "Създаване на нова Ñметка" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "Влизане в Ñайта" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Помощ" -#: lib/action.php:469 +#: lib/action.php:470 #, fuzzy msgid "Help me!" msgstr "Помощ" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "ТърÑене" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "ТърÑене за хора или бележки" -#: lib/action.php:493 +#: lib/action.php:494 #, fuzzy msgid "Site notice" msgstr "Ðова бележка" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "" -#: lib/action.php:625 +#: lib/action.php:626 #, fuzzy msgid "Page notice" msgstr "Ðова бележка" -#: lib/action.php:727 +#: lib/action.php:728 #, fuzzy msgid "Secondary site navigation" msgstr "Ðбонаменти" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "ОтноÑно" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "ВъпроÑи" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "УÑловиÑ" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "ПоверителноÑÑ‚" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "Изходен код" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Контакт" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "Табелка" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "Лиценз на програмата StatusNet" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4629,12 +4621,12 @@ msgstr "" "**%%site.name%%** е уÑлуга за микроблогване, предоÑтавена ви от [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** е уÑлуга за микроблогване. " -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4645,41 +4637,41 @@ msgstr "" "доÑтъпна под [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "Лиценз на Ñъдържанието" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "Ð’Ñички " -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "лиценз." -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "Страниране" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "След" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "Преди" @@ -5542,7 +5534,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "от" @@ -5665,48 +5657,48 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "С" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "Ю" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "И" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "З" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "в контекÑÑ‚" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 msgid "Repeated by" msgstr "Повторено от" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "ОтговарÑне на тази бележка" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "Отговор" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 msgid "Notice repeated" msgstr "Бележката е повторена." @@ -6009,67 +6001,67 @@ msgstr "Редактиране на аватара" msgid "User actions" msgstr "ПотребителÑки дейÑтвиÑ" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "Редактиране на профила" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "Редактиране" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "Изпращате на прÑко Ñъобщение до този потребител." -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "Съобщение" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "преди нÑколко Ñекунди" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "преди около минута" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "преди около %d минути" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "преди около чаÑ" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "преди около %d чаÑа" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "преди около ден" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "преди около %d дни" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "преди около меÑец" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "преди около %d меÑеца" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "преди около година" diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index d0b228c08..e141f0a0d 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:14:20+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:55:48+0000\n" "Language-Team: Catalan\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: out-statusnet\n" @@ -169,8 +169,8 @@ msgstr "" msgid "You and friends" msgstr "Un mateix i amics" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "Actualitzacions de %1$s i amics a %2$s!" @@ -191,12 +191,12 @@ msgstr "Actualitzacions de %1$s i amics a %2$s!" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "No s'ha trobat el mètode API!" @@ -569,7 +569,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "Compte" @@ -655,7 +655,7 @@ msgstr "El format no està implementat." msgid "%1$s / Favorites from %2$s" msgstr "%s / Preferits de %s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, fuzzy, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s actualitzacions favorites per %s / %s." @@ -666,7 +666,7 @@ msgstr "%s actualitzacions favorites per %s / %s." msgid "%s timeline" msgstr "%s línia temporal" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -682,12 +682,12 @@ msgstr "%1$s / Notificacions contestant a %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s notificacions que responen a notificacions de %2$s / %3$s." -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s línia temporal pública" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s notificacions de tots!" @@ -697,7 +697,7 @@ msgstr "%s notificacions de tots!" msgid "Repeated to %s" msgstr "Respostes a %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "Repeticions de %s" @@ -707,7 +707,7 @@ msgstr "Repeticions de %s" msgid "Notices tagged with %s" msgstr "Aviso etiquetats amb %s" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Actualitzacions etiquetades amb %1$s el %2$s!" @@ -769,7 +769,7 @@ msgid "Preview" msgstr "Vista prèvia" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "Suprimeix" @@ -954,7 +954,7 @@ msgstr "No sou un membre del grup." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "Ha ocorregut algun problema amb la teva sessió." @@ -1016,7 +1016,7 @@ msgstr "N'estàs segur que vols eliminar aquesta notificació?" msgid "Do not delete this notice" msgstr "No es pot esborrar la notificació." -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "Eliminar aquesta nota" @@ -1266,7 +1266,7 @@ msgstr "la descripció és massa llarga (màx. %d caràcters)." msgid "Could not update group." msgstr "No s'ha pogut actualitzar el grup." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "No s'han pogut crear els àlies." @@ -1711,7 +1711,7 @@ msgstr "%s membre/s en el grup, pàgina %d" msgid "A list of the users in this group." msgstr "La llista dels usuaris d'aquest grup." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" @@ -2091,7 +2091,7 @@ msgstr "Nom d'usuari o contrasenya incorrectes." msgid "Error setting user. You are probably not authorized." msgstr "No autoritzat." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Inici de sessió" @@ -2351,7 +2351,7 @@ msgid "Only " msgstr "Només " #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "Format de data no suportat." @@ -3061,7 +3061,7 @@ msgstr "El codi d'invitació no és vàlid." msgid "Registration successful" msgstr "Registre satisfactori" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registre" @@ -3210,7 +3210,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL del teu perfil en un altre servei de microblogging compatible" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "Subscriure's" @@ -3253,7 +3253,7 @@ msgstr "No pots registrar-te si no estàs d'acord amb la llicència." msgid "You already repeated that notice." msgstr "Ja heu blocat l'usuari." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 msgid "Repeated" msgstr "Repetit" @@ -4396,7 +4396,7 @@ msgstr "" msgid "Plugins" msgstr "Connectors" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 #, fuzzy msgid "Version" msgstr "Sessions" @@ -4489,21 +4489,21 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "Ha estat bandejat de publicar notificacions en aquest lloc." -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "Problema en guardar l'avís." -#: classes/Notice.php:788 +#: classes/Notice.php:790 #, fuzzy msgid "Problem saving group inbox." msgstr "Problema en guardar l'avís." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Error de BD en inserir resposta: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4513,11 +4513,11 @@ msgstr "%1$s (%2$s)" msgid "Welcome to %1$s, @%2$s!" msgstr "Us donem la benvinguda a %1$s, @%2$s!" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "No s'ha pogut crear el grup." -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "No s'ha pogut establir la pertinença d'aquest grup." @@ -4559,125 +4559,125 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Pàgina sense titol" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "Navegació primària del lloc" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "Inici" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "Perfil personal i línia temporal dels amics" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "Canviar correu electrònic, avatar, contrasenya, perfil" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "Connexió" -#: lib/action.php:444 +#: lib/action.php:445 #, fuzzy msgid "Connect to services" msgstr "No s'ha pogut redirigir al servidor: %s" -#: lib/action.php:448 +#: lib/action.php:449 msgid "Change site configuration" msgstr "Canvia la configuració del lloc" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "Convida" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Convidar amics i companys perquè participin a %s" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Finalitza la sessió" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "Finalitza la sessió del lloc" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "Crea un compte" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "Inicia una sessió al lloc" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Ajuda" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "Ajuda'm" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "Cerca" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "Cerca gent o text" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "Avís del lloc" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "Vistes locals" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "Notificació pàgina" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "Navegació del lloc secundària" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "Quant a" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "Preguntes més freqüents" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "Privadesa" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "Font" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Contacte" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "Insígnia" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "Llicència del programari StatusNet" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4686,12 +4686,12 @@ msgstr "" "**%%site.name%%** és un servei de microblogging de [%%site.broughtby%%**](%%" "site.broughtbyurl%%)." -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** és un servei de microblogging." -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4702,41 +4702,41 @@ msgstr "" "%s, disponible sota la [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "Llicència de contingut del lloc" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "Tot " -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "llicència." -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "Paginació" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "Posteriors" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "Anteriors" @@ -5600,7 +5600,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "de" @@ -5723,49 +5723,49 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 #, fuzzy msgid "N" msgstr "No" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "en context" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 msgid "Repeated by" msgstr "Repetit per" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "respondre a aquesta nota" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "Respon" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 #, fuzzy msgid "Notice repeated" msgstr "Notificació publicada" @@ -6065,67 +6065,67 @@ msgstr "Edita l'avatar" msgid "User actions" msgstr "Accions de l'usuari" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "Edita la configuració del perfil" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "Edita" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "Enviar un missatge directe a aquest usuari" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "Missatge" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "Modera" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "fa pocs segons" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "fa un minut" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "fa %d minuts" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "fa una hora" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "fa %d hores" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "fa un dia" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "fa %d dies" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "fa un mes" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "fa %d mesos" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "fa un any" diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index a5d6db600..192a6572e 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:14:23+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:55:51+0000\n" "Language-Team: Czech\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: out-statusnet\n" @@ -169,8 +169,8 @@ msgstr "" msgid "You and friends" msgstr "%s a přátelé" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "" @@ -191,12 +191,12 @@ msgstr "" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Potvrzující kód nebyl nalezen" @@ -564,7 +564,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 #, fuzzy msgid "Account" msgstr "O nás" @@ -652,7 +652,7 @@ msgstr "Nepodporovaný formát obrázku." msgid "%1$s / Favorites from %2$s" msgstr "%1 statusů na %2" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, fuzzy, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "Mikroblog od %s" @@ -663,7 +663,7 @@ msgstr "Mikroblog od %s" msgid "%s timeline" msgstr "" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -679,12 +679,12 @@ msgstr "%1 statusů na %2" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "" @@ -694,7 +694,7 @@ msgstr "" msgid "Repeated to %s" msgstr "OdpovÄ›di na %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, fuzzy, php-format msgid "Repeats of %s" msgstr "OdpovÄ›di na %s" @@ -704,7 +704,7 @@ msgstr "OdpovÄ›di na %s" msgid "Notices tagged with %s" msgstr "" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Mikroblog od %s" @@ -768,7 +768,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "Odstranit" @@ -957,7 +957,7 @@ msgstr "Neodeslal jste nám profil" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "" @@ -1016,7 +1016,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "Žádné takové oznámení." -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "Odstranit toto oznámení" @@ -1270,7 +1270,7 @@ msgstr "Text je příliÅ¡ dlouhý (maximální délka je 140 zanků)" msgid "Could not update group." msgstr "Nelze aktualizovat uživatele" -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 #, fuzzy msgid "Could not create aliases." msgstr "Nelze uložin informace o obrázku" @@ -1719,7 +1719,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -2069,7 +2069,7 @@ msgstr "Neplatné jméno nebo heslo" msgid "Error setting user. You are probably not authorized." msgstr "Neautorizován." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "PÅ™ihlásit" @@ -2320,7 +2320,7 @@ msgid "Only " msgstr "" #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "" @@ -3030,7 +3030,7 @@ msgstr "Chyba v ověřovacím kódu" msgid "Registration successful" msgstr "Registrace úspěšná" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registrovat" @@ -3161,7 +3161,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "Adresa profilu na jiných kompatibilních mikroblozích." #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "Odebírat" @@ -3202,7 +3202,7 @@ msgstr "Nemůžete se registrovat, pokud nesouhlasíte s licencí." msgid "You already repeated that notice." msgstr "Již jste pÅ™ihlášen" -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 #, fuzzy msgid "Repeated" msgstr "VytvoÅ™it" @@ -4342,7 +4342,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 #, fuzzy msgid "Version" msgstr "Osobní" @@ -4430,21 +4430,21 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:788 +#: classes/Notice.php:790 #, fuzzy msgid "Problem saving group inbox." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Chyba v DB pÅ™i vkládání odpovÄ›di: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4454,12 +4454,12 @@ msgstr "" msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:380 +#: classes/User_group.php:413 #, fuzzy msgid "Could not create group." msgstr "Nelze uložin informace o obrázku" -#: classes/User_group.php:409 +#: classes/User_group.php:442 #, fuzzy msgid "Could not set group membership." msgstr "Nelze vytvoÅ™it odebírat" @@ -4503,130 +4503,130 @@ msgstr "%1 statusů na %2" msgid "Untitled page" msgstr "" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "Domů" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "PÅ™ipojit" -#: lib/action.php:444 +#: lib/action.php:445 #, fuzzy msgid "Connect to services" msgstr "Nelze pÅ™esmÄ›rovat na server: %s" -#: lib/action.php:448 +#: lib/action.php:449 #, fuzzy msgid "Change site configuration" msgstr "OdbÄ›ry" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Odhlásit" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "" -#: lib/action.php:463 +#: lib/action.php:464 #, fuzzy msgid "Create an account" msgstr "VytvoÅ™it nový úÄet" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "NápovÄ›da" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "Pomoci mi!" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "Hledat" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "" -#: lib/action.php:493 +#: lib/action.php:494 #, fuzzy msgid "Site notice" msgstr "Nové sdÄ›lení" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "" -#: lib/action.php:625 +#: lib/action.php:626 #, fuzzy msgid "Page notice" msgstr "Nové sdÄ›lení" -#: lib/action.php:727 +#: lib/action.php:728 #, fuzzy msgid "Secondary site navigation" msgstr "OdbÄ›ry" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "O nás" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "Soukromí" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "Zdroj" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4635,12 +4635,12 @@ msgstr "" "**%%site.name%%** je služba microblogů, kterou pro vás poskytuje [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** je služba mikroblogů." -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4651,43 +4651,43 @@ msgstr "" "dostupná pod [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:802 #, fuzzy msgid "Site content license" msgstr "Nové sdÄ›lení" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "" -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "" -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "" -#: lib/action.php:1139 +#: lib/action.php:1142 #, fuzzy msgid "After" msgstr "« NovÄ›jší" -#: lib/action.php:1147 +#: lib/action.php:1150 #, fuzzy msgid "Before" msgstr "Starší »" @@ -5559,7 +5559,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 #, fuzzy msgid "from" msgstr " od " @@ -5685,51 +5685,51 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 #, fuzzy msgid "in context" msgstr "Žádný obsah!" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 #, fuzzy msgid "Repeated by" msgstr "VytvoÅ™it" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 #, fuzzy msgid "Reply" msgstr "odpovÄ›Ä" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 #, fuzzy msgid "Notice repeated" msgstr "SdÄ›lení" @@ -6035,68 +6035,68 @@ msgstr "Upravit avatar" msgid "User actions" msgstr "Akce uživatele" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 #, fuzzy msgid "Edit profile settings" msgstr "Nastavené Profilu" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "Zpráva" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "pÅ™ed pár sekundami" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "asi pÅ™ed minutou" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "asi pÅ™ed %d minutami" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "asi pÅ™ed hodinou" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "asi pÅ™ed %d hodinami" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "asi pÅ™ede dnem" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "pÅ™ed %d dny" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "asi pÅ™ed mÄ›sícem" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "asi pÅ™ed %d mesíci" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "asi pÅ™ed rokem" diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index b9e53e254..6578c2f5c 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -13,12 +13,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:14:26+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:55:55+0000\n" "Language-Team: German\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: out-statusnet\n" @@ -181,8 +181,8 @@ msgstr "" msgid "You and friends" msgstr "Du und Freunde" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "Aktualisierungen von %1$s und Freunden auf %2$s!" @@ -203,12 +203,12 @@ msgstr "Aktualisierungen von %1$s und Freunden auf %2$s!" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 msgid "API method not found." msgstr "API-Methode nicht gefunden." @@ -568,7 +568,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "Konto" @@ -654,7 +654,7 @@ msgstr "Bildformat wird nicht unterstützt." msgid "%1$s / Favorites from %2$s" msgstr "%s / Favoriten von %s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, fuzzy, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s Aktualisierung in den Favoriten von %s / %s." @@ -665,7 +665,7 @@ msgstr "%s Aktualisierung in den Favoriten von %s / %s." msgid "%s timeline" msgstr "%s Zeitleiste" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -681,12 +681,12 @@ msgstr "%1$s / Aktualisierungen erwähnen %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "Nachrichten von %1$, die auf Nachrichten von %2$ / %3$ antworten." -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s öffentliche Zeitleiste" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s Nachrichten von allen!" @@ -696,7 +696,7 @@ msgstr "%s Nachrichten von allen!" msgid "Repeated to %s" msgstr "Antworten an %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, fuzzy, php-format msgid "Repeats of %s" msgstr "Antworten an %s" @@ -706,7 +706,7 @@ msgstr "Antworten an %s" msgid "Notices tagged with %s" msgstr "Nachrichten, die mit %s getagt sind" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Aktualisierungen mit %1$s getagt auf %2$s!" @@ -768,7 +768,7 @@ msgid "Preview" msgstr "Vorschau" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "Löschen" @@ -951,7 +951,7 @@ msgstr "Du bist kein Mitglied dieser Gruppe." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "Es gab ein Problem mit deinem Sessiontoken." @@ -1011,7 +1011,7 @@ msgstr "Bist du sicher, dass du diese Nachricht löschen möchtest?" msgid "Do not delete this notice" msgstr "Diese Nachricht nicht löschen" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "Nachricht löschen" @@ -1263,7 +1263,7 @@ msgstr "Die Beschreibung ist zu lang (max. %d Zeichen)." msgid "Could not update group." msgstr "Konnte Gruppe nicht aktualisieren." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "Konnte keinen Favoriten erstellen." @@ -1702,7 +1702,7 @@ msgstr "%s Gruppen-Mitglieder, Seite %d" msgid "A list of the users in this group." msgstr "Liste der Benutzer in dieser Gruppe." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" @@ -2090,7 +2090,7 @@ msgid "Error setting user. You are probably not authorized." msgstr "" "Fehler beim setzen des Benutzers. Du bist vermutlich nicht autorisiert." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Anmelden" @@ -2348,7 +2348,7 @@ msgid "Only " msgstr "" #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "Kein unterstütztes Datenformat." @@ -3048,7 +3048,7 @@ msgstr "Entschuldigung, ungültiger Bestätigungscode." msgid "Registration successful" msgstr "Registrierung erfolgreich" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registrieren" @@ -3200,7 +3200,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "Profil-URL bei einem anderen kompatiblen Microbloggingdienst" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "Abonnieren" @@ -3238,7 +3238,7 @@ msgstr "Du kannst deine eigene Nachricht nicht wiederholen." msgid "You already repeated that notice." msgstr "Du hast diesen Benutzer bereits blockiert." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 #, fuzzy msgid "Repeated" msgstr "Erstellt" @@ -4403,7 +4403,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 #, fuzzy msgid "Version" msgstr "Eigene" @@ -4497,21 +4497,21 @@ msgid "You are banned from posting notices on this site." msgstr "" "Du wurdest für das Schreiben von Nachrichten auf dieser Seite gesperrt." -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "Problem bei Speichern der Nachricht." -#: classes/Notice.php:788 +#: classes/Notice.php:790 #, fuzzy msgid "Problem saving group inbox." msgstr "Problem bei Speichern der Nachricht." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Datenbankfehler beim Einfügen der Antwort: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4521,11 +4521,11 @@ msgstr "%1$s (%2$s)" msgid "Welcome to %1$s, @%2$s!" msgstr "Herzlich willkommen bei %1$s, @%2$s!" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "Konnte Gruppe nicht erstellen." -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "Konnte Gruppenmitgliedschaft nicht setzen." @@ -4567,127 +4567,127 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Seite ohne Titel" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "Hauptnavigation" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "Startseite" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "Persönliches Profil und Freundes-Zeitleiste" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "Ändere deine E-Mail, dein Avatar, Passwort, Profil" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "Verbinden" -#: lib/action.php:444 +#: lib/action.php:445 #, fuzzy msgid "Connect to services" msgstr "Konnte nicht zum Server umleiten: %s" -#: lib/action.php:448 +#: lib/action.php:449 #, fuzzy msgid "Change site configuration" msgstr "Hauptnavigation" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "Einladen" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Lade Freunde und Kollegen ein dir auf %s zu folgen" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Abmelden" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "Von der Seite abmelden" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "Neues Konto erstellen" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "Auf der Seite anmelden" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Hilfe" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "Hilf mir!" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "Suchen" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "Suche nach Leuten oder Text" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "Seitennachricht" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "Lokale Ansichten" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "Neue Nachricht" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "Unternavigation" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "Ãœber" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "AGB" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "Privatsphäre" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "Quellcode" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:751 +#: lib/action.php:752 #, fuzzy msgid "Badge" msgstr "Stups" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "StatusNet-Software-Lizenz" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4696,12 +4696,12 @@ msgstr "" "**%%site.name%%** ist ein Microbloggingdienst von [%%site.broughtby%%](%%" "site.broughtbyurl%%)." -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** ist ein Microbloggingdienst." -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4712,42 +4712,42 @@ msgstr "" "(Version %s) betrieben, die unter der [GNU Affero General Public License]" "(http://www.fsf.org/licensing/licenses/agpl-3.0.html) erhältlich ist." -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "StatusNet-Software-Lizenz" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 #, fuzzy msgid "All " msgstr "Alle " -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "Lizenz." -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "Seitenerstellung" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "Später" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "Vorher" @@ -5665,7 +5665,7 @@ msgstr "" "schicken, um sie in eine Konversation zu verwickeln. Andere Leute können Dir " "Nachrichten schicken, die nur Du sehen kannst." -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 #, fuzzy msgid "from" msgstr "von" @@ -5792,50 +5792,50 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 #, fuzzy msgid "N" msgstr "Nein" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "im Zusammenhang" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 #, fuzzy msgid "Repeated by" msgstr "Erstellt" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "Auf diese Nachricht antworten" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "Antworten" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 #, fuzzy msgid "Notice repeated" msgstr "Nachricht gelöscht." @@ -6141,67 +6141,67 @@ msgstr "Avatar bearbeiten" msgid "User actions" msgstr "Benutzeraktionen" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "Profil Einstellungen ändern" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "Direkte Nachricht an Benutzer verschickt" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "Nachricht" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "vor wenigen Sekunden" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "vor einer Minute" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "vor %d Minuten" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "vor einer Stunde" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "vor %d Stunden" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "vor einem Tag" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "vor %d Tagen" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "vor einem Monat" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "vor %d Monaten" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "vor einem Jahr" diff --git a/locale/el/LC_MESSAGES/statusnet.po b/locale/el/LC_MESSAGES/statusnet.po index 20365e04a..f28a6623d 100644 --- a/locale/el/LC_MESSAGES/statusnet.po +++ b/locale/el/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:14:30+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:55:58+0000\n" "Language-Team: Greek\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: el\n" "X-Message-Group: out-statusnet\n" @@ -164,8 +164,8 @@ msgstr "" msgid "You and friends" msgstr "Εσείς και οι φίλοι σας" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "" @@ -186,12 +186,12 @@ msgstr "" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Η μέθοδος του ΑΡΙ δε βÏέθηκε!" @@ -554,7 +554,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "ΛογαÏιασμός" @@ -638,7 +638,7 @@ msgstr "" msgid "%1$s / Favorites from %2$s" msgstr "" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "" @@ -649,7 +649,7 @@ msgstr "" msgid "%s timeline" msgstr "χÏονοδιάγÏαμμα του χÏήστη %s" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -665,12 +665,12 @@ msgstr "" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "" @@ -680,7 +680,7 @@ msgstr "" msgid "Repeated to %s" msgstr "" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "" @@ -690,7 +690,7 @@ msgstr "" msgid "Notices tagged with %s" msgstr "" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "" @@ -751,7 +751,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "ΔιαγÏαφή" @@ -937,7 +937,7 @@ msgstr "Ομάδες με τα πεÏισσότεÏα μέλη" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "" @@ -997,7 +997,7 @@ msgstr "Είσαι σίγουÏος ότι θες να διαγÏάψεις αυ msgid "Do not delete this notice" msgstr "Αδυναμία διαγÏαφής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… μηνÏματος." -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "" @@ -1247,7 +1247,7 @@ msgstr "Το βιογÏαφικό είναι Ï€Î¿Î»Ï Î¼ÎµÎ³Î¬Î»Î¿ (μέγιστ msgid "Could not update group." msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 #, fuzzy msgid "Could not create aliases." msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." @@ -1688,7 +1688,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "ΔιαχειÏιστής" @@ -2028,7 +2028,7 @@ msgstr "Λάθος όνομα χÏήστη ή κωδικός" msgid "Error setting user. You are probably not authorized." msgstr "" -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "ΣÏνδεση" @@ -2278,7 +2278,7 @@ msgid "Only " msgstr "" #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "" @@ -2978,7 +2978,7 @@ msgstr "" msgid "Registration successful" msgstr "" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "" @@ -3123,7 +3123,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "" @@ -3162,7 +3162,7 @@ msgstr "" msgid "You already repeated that notice." msgstr "Αδυναμία διαγÏαφής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… μηνÏματος." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 #, fuzzy msgid "Repeated" msgstr "ΔημιουÏγία" @@ -4273,7 +4273,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 #, fuzzy msgid "Version" msgstr "ΠÏοσωπικά" @@ -4359,20 +4359,20 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:788 +#: classes/Notice.php:790 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Σφάλμα βάσης δεδομένων κατά την εισαγωγή απάντησης: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4382,11 +4382,11 @@ msgstr "" msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "Δεν ήταν δυνατή η δημιουÏγία ομάδας." -#: classes/User_group.php:409 +#: classes/User_group.php:442 #, fuzzy msgid "Could not set group membership." msgstr "ΑδÏνατη η αποθήκευση των νέων πληÏοφοÏιών του Ï€Ïοφίλ" @@ -4428,125 +4428,125 @@ msgstr "" msgid "Untitled page" msgstr "" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "ΑÏχή" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "ΣÏνδεση" -#: lib/action.php:444 +#: lib/action.php:445 #, fuzzy msgid "Connect to services" msgstr "Αδυναμία ανακατεÏθηνσης στο διακομιστή: %s" -#: lib/action.php:448 +#: lib/action.php:449 msgid "Change site configuration" msgstr "" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "ΠÏοσκάλεσε φίλους και συναδέλφους σου να γίνουν μέλη στο %s" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "ΑποσÏνδεση" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "ΔημιουÏγία ενός λογαÏιασμοÏ" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Βοήθεια" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "Βοηθήστε με!" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "ΠεÏί" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "Συχνές εÏωτήσεις" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Επικοινωνία" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "" -#: lib/action.php:782 +#: lib/action.php:783 #, fuzzy, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4555,13 +4555,13 @@ msgstr "" "To **%%site.name%%** είναι μία υπηÏεσία microblogging (μικÏο-ιστολογίου) που " "έφεÏε κοντά σας το [%%site.broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:785 #, fuzzy, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" "Το **%%site.name%%** είναι μία υπηÏεσία microblogging (μικÏο-ιστολογίου). " -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4569,41 +4569,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "" -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "" -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "" @@ -5449,7 +5449,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "από" @@ -5572,48 +5572,48 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 msgid "Repeated by" msgstr "Επαναλαμβάνεται από" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 #, fuzzy msgid "Notice repeated" msgstr "Ρυθμίσεις OpenID" @@ -5913,67 +5913,67 @@ msgstr "" msgid "User actions" msgstr "" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "ΕπεξεÏγασία Ïυθμίσεων Ï€Ïοφίλ" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "ΕπεξεÏγασία" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "Μήνυμα" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "" diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index 0e7acedc0..50431ddfa 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-14 20:05+0000\n" -"PO-Revision-Date: 2010-02-14 20:06:20+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:56:01+0000\n" "Language-Team: British English\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62476); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: out-statusnet\n" @@ -192,11 +192,11 @@ msgstr "Updates from %1$s and friends on %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:182 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:194 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 msgid "API method not found." msgstr "API method not found." @@ -558,7 +558,7 @@ msgstr "" "the ability to %3$s your %4$s account data. You should only " "give access to your %4$s account to third parties you trust." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "Account" @@ -753,7 +753,7 @@ msgid "Preview" msgstr "Preview" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "Delete" @@ -934,7 +934,7 @@ msgstr "You are not the owner of this application." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "There was a problem with your session token." @@ -994,7 +994,7 @@ msgstr "Are you sure you want to delete this notice?" msgid "Do not delete this notice" msgstr "Do not delete this notice" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "Delete this notice" @@ -1685,7 +1685,7 @@ msgstr "%s group members, page %d" msgid "A list of the users in this group." msgstr "A list of the users in this group." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" @@ -2065,7 +2065,7 @@ msgstr "Incorrect username or password." msgid "Error setting user. You are probably not authorized." msgstr "Error setting user. You are probably not authorised." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Login" @@ -2324,7 +2324,7 @@ msgid "Only " msgstr "" #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "Not a supported data format." @@ -3035,7 +3035,7 @@ msgstr "Error with confirmation code." msgid "Registration successful" msgstr "Registration successful" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Register" @@ -3182,7 +3182,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL of your profile on another compatible microblogging service" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "Subscribe" @@ -3224,7 +3224,7 @@ msgstr "You can't repeat your own notice." msgid "You already repeated that notice." msgstr "You have already blocked this user." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 #, fuzzy msgid "Repeated" msgstr "Created" @@ -4396,7 +4396,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 #, fuzzy msgid "Version" msgstr "Personal" @@ -4487,21 +4487,21 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "You are banned from posting notices on this site." -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "Problem saving notice." -#: classes/Notice.php:788 +#: classes/Notice.php:790 #, fuzzy msgid "Problem saving group inbox." msgstr "Problem saving notice." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "DB error inserting reply: %s" -#: classes/Notice.php:1271 +#: classes/Notice.php:1274 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4556,126 +4556,126 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Untitled page" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "Primary site navigation" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "Home" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "Personal profile and friends timeline" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "Change your e-mail, avatar, password, profile" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "Connect" -#: lib/action.php:444 +#: lib/action.php:445 #, fuzzy msgid "Connect to services" msgstr "Could not redirect to server: %s" -#: lib/action.php:448 +#: lib/action.php:449 #, fuzzy msgid "Change site configuration" msgstr "Primary site navigation" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "Invite" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Invite friends and colleagues to join you on %s" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Logout" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "Logout from the site" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "Create an account" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "Login to the site" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Help" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "Help me!" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "Search" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "Search for people or text" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "Site notice" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "Local views" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "Page notice" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "Secondary site navigation" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "About" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "F.A.Q." -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "Privacy" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "Source" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Contact" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "Badge" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "StatusNet software licence" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4684,12 +4684,12 @@ msgstr "" "**%%site.name%%** is a microblogging service brought to you by [%%site." "broughtby%%](%%site.broughtbyurl%%)." -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** is a microblogging service." -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4700,41 +4700,41 @@ msgstr "" "s, available under the [GNU Affero General Public Licence](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "Site content license" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "All " -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "licence." -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "Pagination" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "After" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "Before" @@ -5606,7 +5606,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 #, fuzzy msgid "from" msgstr "from" @@ -5730,50 +5730,50 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 #, fuzzy msgid "N" msgstr "No" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "in context" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 #, fuzzy msgid "Repeated by" msgstr "Created" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "Reply to this notice" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "Reply" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 #, fuzzy msgid "Notice repeated" msgstr "Notice deleted." @@ -6071,23 +6071,23 @@ msgstr "Edit Avatar" msgid "User actions" msgstr "User actions" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "Edit profile settings" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "Send a direct message to this user" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "Message" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "" diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index 0d7c9384a..06c3ee045 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-14 20:05+0000\n" -"PO-Revision-Date: 2010-02-14 20:06:23+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:56:07+0000\n" "Language-Team: Spanish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62476); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: out-statusnet\n" @@ -195,11 +195,11 @@ msgstr "¡Actualizaciones de %1$s y amigos en %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:182 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:194 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 msgid "API method not found." msgstr "Método de API no encontrado." @@ -564,7 +564,7 @@ msgstr "" "permiso para %3$s la información de tu cuenta %4$s. Sólo " "debes dar acceso a tu cuenta %4$s a terceras partes en las que confíes." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "Cuenta" @@ -761,7 +761,7 @@ msgid "Preview" msgstr "Vista previa" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "Borrar" @@ -943,7 +943,7 @@ msgstr "No eres el propietario de esta aplicación." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "Hubo problemas con tu clave de sesión." @@ -1003,7 +1003,7 @@ msgstr "¿Estás seguro de que quieres eliminar este aviso?" msgid "Do not delete this notice" msgstr "No eliminar este mensaje" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "Borrar este aviso" @@ -1691,7 +1691,7 @@ msgstr "%1$s miembros de grupo, página %2$d" msgid "A list of the users in this group." msgstr "Lista de los usuarios en este grupo." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" @@ -2075,7 +2075,7 @@ msgstr "Nombre de usuario o contraseña incorrectos." msgid "Error setting user. You are probably not authorized." msgstr "Error al configurar el usuario. Posiblemente no tengas autorización." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Inicio de sesión" @@ -2335,7 +2335,7 @@ msgid "Only " msgstr "Sólo " #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "No es un formato de dato soportado" @@ -2624,7 +2624,7 @@ msgstr "Servidor SSL" #: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" -msgstr "" +msgstr "Servidor hacia el cual dirigir las solicitudes SSL" #: actions/pathsadminpanel.php:352 #, fuzzy @@ -2724,7 +2724,7 @@ msgstr "Dónde estás, por ejemplo \"Ciudad, Estado (o Región), País\"" #: actions/profilesettings.php:138 msgid "Share my current location when posting notices" -msgstr "" +msgstr "Compartir mi ubicación actual al publicar los mensajes" #: actions/profilesettings.php:145 actions/tagother.php:149 #: actions/tagother.php:209 lib/subscriptionlist.php:106 @@ -2893,6 +2893,8 @@ msgid "" "Why not [register an account](%%action.register%%) and be the first to post " "one!" msgstr "" +"¿Por qué no [registras una cuenta](%%action.register%%) y te conviertes en " +"la primera persona en publicar uno?" #: actions/publictagcloud.php:134 msgid "Tag cloud" @@ -3031,15 +3033,14 @@ msgid "Sorry, only invited people can register." msgstr "Disculpa, sólo personas invitadas pueden registrarse." #: actions/register.php:92 -#, fuzzy msgid "Sorry, invalid invitation code." -msgstr "Error con el código de confirmación." +msgstr "El código de invitación no es válido." #: actions/register.php:112 msgid "Registration successful" msgstr "Registro exitoso." -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registrarse" @@ -3111,7 +3112,7 @@ msgstr "" "electrónico, dirección de mensajería instantánea y número de teléfono." #: actions/register.php:538 -#, fuzzy, php-format +#, php-format msgid "" "Congratulations, %1$s! And welcome to %%%%site.name%%%%. From here, you may " "want to...\n" @@ -3128,20 +3129,20 @@ msgid "" "\n" "Thanks for signing up and we hope you enjoy using this service." msgstr "" -"¡Felicitaciones, %s! Y bienvenido a %%%%site.name%%%%. Desde aquí, " -"puedes...\n" +"¡Felicitaciones, %1$s! Te damos la bienvenida a %%%%site.name%%%%. Desde " +"este momento, puede que quieras...\n" "\n" -"* Ir a [tu perfil](%s) y enviar tu primer mensaje.\n" -"* Agregar una [cuenta Jabber/Gtalk](%%%%action.imsettings%%%%) para enviar " -"avisos por mensajes instantáneos.\n" -"* [Buscar personas](%%%%action.peoplesearch%%%%) que podrías conoces o que " -"comparte tus intereses.\n" -"* Actualizar tus [opciones de perfil](%%%%action.profilesettings%%%%) para " -"contar más sobre tí.\n" -"* Leer la [documentación en línea](%%%%doc.help%%%%) para encontrar " -"características pasadas por alto.\n" +"* Ir a [tu perfil](%2$s) y publicar tu primer mensaje.\n" +"* Añadir una [dirección Jabber/GTalk](%%%%action.imsettings%%%%) para poder " +"enviar mensajes a través de mensajería instantanea.\n" +"* [Buscar personas](%%%%action.peoplesearch%%%%) que conozcas o que " +"compartan tus intereses. \n" +"* Actualizar tu [configuración de perfil](%%%%action.profilesettings%%%%) " +"para contarle a otros más sobre tí. \n" +"* Leer los [documentos en línea](%%%%doc.help%%%%) para encontrar " +"características que te hayas podido perder. \n" "\n" -"Gracias por suscribirte y esperamos que disfrutes el uso de este servicio." +"¡Gracias por apuntarte! Esperamos que disfrutes usando este servicio." #: actions/register.php:562 msgid "" @@ -3188,7 +3189,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "El URL de tu perfil en otro servicio de microblogueo compatible" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "Suscribirse" @@ -3226,7 +3227,7 @@ msgstr "No puedes repetir tus propios mensajes." msgid "You already repeated that notice." msgstr "Ya has repetido este mensaje." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 msgid "Repeated" msgstr "Repetido" @@ -3327,9 +3328,8 @@ msgstr "" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 #: actions/useradminpanel.php:293 -#, fuzzy msgid "Save site settings" -msgstr "Configuración de Avatar" +msgstr "Guardar la configuración del sitio" #: actions/showapplication.php:82 #, fuzzy @@ -3390,11 +3390,11 @@ msgstr "" #: actions/showapplication.php:273 msgid "Request token URL" -msgstr "" +msgstr "URL del token de solicitud" #: actions/showapplication.php:278 msgid "Access token URL" -msgstr "" +msgstr "URL del token de acceso" #: actions/showapplication.php:283 msgid "Authorize URL" @@ -3641,19 +3641,20 @@ msgid "" msgstr "" #: actions/showstream.php:248 -#, fuzzy, php-format +#, php-format msgid "" "**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." "wikipedia.org/wiki/Micro-blogging) service based on the Free Software " "[StatusNet](http://status.net/) tool. " msgstr "" -"**%s** tiene una cuenta en %%%%site.name%%%%, un servicio [micro-blogging]" -"(http://en.wikipedia.org/wiki/Micro-blogging) " +"**% s ** tiene una cuenta en %%%%site.name%%%%, un servicio de " +"[microblogueo] (http://en.wikipedia.org/wiki/Micro-blogging), basado en la " +"herramienta de software libre [StatusNet] (http://status.net/). " #: actions/showstream.php:305 -#, fuzzy, php-format +#, php-format msgid "Repeat of %s" -msgstr "Respuestas a %s" +msgstr "Repetición de %s" #: actions/silence.php:65 actions/unsilence.php:65 #, fuzzy @@ -3693,7 +3694,7 @@ msgstr "" #: actions/siteadminpanel.php:177 msgid "Snapshot frequency must be a number." -msgstr "" +msgstr "La frecuencia de captura debe ser un número." #: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." @@ -3750,13 +3751,12 @@ msgid "Default timezone for the site; usually UTC." msgstr "Zona horaria predeterminada del sitio; generalmente UTC." #: actions/siteadminpanel.php:281 -#, fuzzy msgid "Default site language" -msgstr "Lenguaje de preferencia" +msgstr "Idioma predeterminado del sitio" #: actions/siteadminpanel.php:289 msgid "Snapshots" -msgstr "" +msgstr "Capturas" #: actions/siteadminpanel.php:292 msgid "Randomly during Web hit" @@ -3764,11 +3764,11 @@ msgstr "" #: actions/siteadminpanel.php:293 msgid "In a scheduled job" -msgstr "" +msgstr "En un trabajo programado" #: actions/siteadminpanel.php:295 msgid "Data snapshots" -msgstr "" +msgstr "Capturas de datos" #: actions/siteadminpanel.php:296 msgid "When to send statistical data to status.net servers" @@ -3776,7 +3776,7 @@ msgstr "" #: actions/siteadminpanel.php:301 msgid "Frequency" -msgstr "" +msgstr "Frecuencia" #: actions/siteadminpanel.php:302 msgid "Snapshots will be sent once every N web hits" @@ -3808,7 +3808,7 @@ msgstr "" #: actions/siteadminpanel.php:322 msgid "How long users must wait (in seconds) to post the same thing again." -msgstr "" +msgstr "Cuántos segundos es necesario esperar para publicar lo mismo de nuevo." #: actions/smssettings.php:58 msgid "SMS settings" @@ -3913,14 +3913,12 @@ msgid "No code entered" msgstr "No ingresó código" #: actions/subedit.php:70 -#, fuzzy msgid "You are not subscribed to that profile." -msgstr "No estás suscrito a ese perfil." +msgstr "No te has suscrito a ese perfil." #: actions/subedit.php:83 -#, fuzzy msgid "Could not save subscription." -msgstr "No se pudo guardar suscripción." +msgstr "No se ha podido guardar la suscripción." #: actions/subscribe.php:55 #, fuzzy @@ -3932,9 +3930,9 @@ msgid "Subscribed" msgstr "Suscrito" #: actions/subscribers.php:50 -#, fuzzy, php-format +#, php-format msgid "%s subscribers" -msgstr "Suscriptores %s" +msgstr "%s suscriptores" #: actions/subscribers.php:52 #, fuzzy, php-format @@ -3998,14 +3996,13 @@ msgid "" msgstr "" #: actions/subscriptions.php:123 actions/subscriptions.php:127 -#, fuzzy, php-format +#, php-format msgid "%s is not listening to anyone." -msgstr "%1$s ahora está escuchando " +msgstr "%s no está escuchando a nadie." #: actions/subscriptions.php:194 -#, fuzzy msgid "Jabber" -msgstr "Jabber " +msgstr "Jabber" #: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 msgid "SMS" @@ -4100,9 +4097,8 @@ msgid "User is not silenced." msgstr "El usuario no tiene un perfil." #: actions/unsubscribe.php:77 -#, fuzzy msgid "No profile id in request." -msgstr "Ningún perfil de Id en solicitud." +msgstr "No hay id de perfil solicitado." #: actions/unsubscribe.php:98 msgid "Unsubscribed" @@ -4121,20 +4117,20 @@ msgstr "Usuario" #: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site." -msgstr "" +msgstr "Configuración de usuarios en este sitio StatusNet." #: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." -msgstr "" +msgstr "Límite para la bio inválido: Debe ser numérico." #: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." -msgstr "" +msgstr "Texto de bienvenida inválido. La longitud máx. es de 255 caracteres." #: actions/useradminpanel.php:164 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." -msgstr "" +msgstr "Suscripción predeterminada inválida : '%1$s' no es un usuario" #: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 @@ -4143,11 +4139,11 @@ msgstr "Perfil" #: actions/useradminpanel.php:221 msgid "Bio Limit" -msgstr "" +msgstr "Límite de la bio" #: actions/useradminpanel.php:222 msgid "Maximum length of a profile bio in characters." -msgstr "" +msgstr "Longitud máxima de bio de perfil en caracteres." #: actions/useradminpanel.php:230 msgid "New users" @@ -4159,27 +4155,23 @@ msgstr "Bienvenida a nuevos usuarios" #: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." -msgstr "" +msgstr "Texto de bienvenida para nuevos usuarios (máx. 255 caracteres)." #: actions/useradminpanel.php:240 msgid "Default subscription" msgstr "Suscripción predeterminada" #: actions/useradminpanel.php:241 -#, fuzzy msgid "Automatically subscribe new users to this user." -msgstr "" -"Suscribirse automáticamente a quien quiera que se suscriba a mí (es mejor " -"para no-humanos)" +msgstr "Suscribir automáticamente nuevos usuarios a este usuario." #: actions/useradminpanel.php:250 msgid "Invitations" msgstr "Invitaciones" #: actions/useradminpanel.php:255 -#, fuzzy msgid "Invitations enabled" -msgstr "Invitacion(es) enviada(s)" +msgstr "Invitaciones habilitadas" #: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." @@ -4209,7 +4201,6 @@ msgstr "Aceptar" #: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 -#, fuzzy msgid "Subscribe to this user" msgstr "Suscribirse a este usuario" @@ -4368,7 +4359,7 @@ msgstr "" msgid "Plugins" msgstr "Complementos" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 #, fuzzy msgid "Version" msgstr "Sesiones" @@ -4414,9 +4405,8 @@ msgid "Could not create login token for %s" msgstr "No se pudo crear favorito." #: classes/Message.php:45 -#, fuzzy msgid "You are banned from sending direct messages." -msgstr "Error al enviar mensaje directo." +msgstr "Se te ha inhabilitado para enviar mensajes directos." #: classes/Message.php:61 msgid "Could not insert message." @@ -4459,21 +4449,21 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "Tienes prohibido publicar avisos en este sitio." -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "Hubo un problema al guardar el aviso." -#: classes/Notice.php:788 +#: classes/Notice.php:790 #, fuzzy msgid "Problem saving group inbox." msgstr "Hubo un problema al guardar el aviso." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Error de BD al insertar respuesta: %s" -#: classes/Notice.php:1271 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4529,124 +4519,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Página sin título" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "Navegación de sitio primario" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "Inicio" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "Perfil personal y línea de tiempo de amigos" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "Cambia tu correo electrónico, avatar, contraseña, perfil" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "Conectarse" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect to services" msgstr "Conectar a los servicios" -#: lib/action.php:448 +#: lib/action.php:449 msgid "Change site configuration" msgstr "Cambiar la configuración del sitio" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "Invitar" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Invita a amigos y colegas a unirse a %s" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Salir" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "Salir de sitio" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "Crear una cuenta" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "Ingresar a sitio" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Ayuda" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "Ayúdame!" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "Buscar" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "Buscar personas o texto" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "Aviso de sitio" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "Vistas locales" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "Aviso de página" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "Navegación de sitio secundario" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "Acerca de" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "Preguntas Frecuentes" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "Privacidad" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "Fuente" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Ponerse en contacto" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "Insignia" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "Licencia de software de StatusNet" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4655,12 +4645,12 @@ msgstr "" "**%%site.name%%** es un servicio de microblogueo de [%%site.broughtby%%**](%%" "site.broughtbyurl%%)." -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** es un servicio de microblogueo." -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4671,43 +4661,43 @@ msgstr "" "disponible bajo la [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "Licencia de contenido del sitio" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Derechos de autor de contenido y datos por los colaboradores. Todos los " "derechos reservados." -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "Todo" -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "Licencia." -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "Paginación" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "Después" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "Antes" @@ -4736,19 +4726,16 @@ msgid "Unable to delete design setting." msgstr "¡No se pudo guardar tu configuración de Twitter!" #: lib/adminpanelaction.php:312 -#, fuzzy msgid "Basic site configuration" -msgstr "Confirmación de correo electrónico" +msgstr "Configuración básica del sitio" #: lib/adminpanelaction.php:317 -#, fuzzy msgid "Design configuration" -msgstr "SMS confirmación" +msgstr "Configuración del diseño" #: lib/adminpanelaction.php:322 -#, fuzzy msgid "User configuration" -msgstr "SMS confirmación" +msgstr "Configuración de usuario" #: lib/adminpanelaction.php:327 msgid "Access configuration" @@ -4774,7 +4761,7 @@ msgstr "" #: lib/applicationeditform.php:136 msgid "Edit application" -msgstr "" +msgstr "Editar aplicación" #: lib/applicationeditform.php:184 msgid "Icon for this application" @@ -4791,9 +4778,8 @@ msgid "Describe your application" msgstr "Describir al grupo o tema" #: lib/applicationeditform.php:216 -#, fuzzy msgid "Source URL" -msgstr "Fuente" +msgstr "La URL de origen" #: lib/applicationeditform.php:218 #, fuzzy @@ -4802,7 +4788,7 @@ msgstr "El URL de página de inicio o blog del grupo or tema" #: lib/applicationeditform.php:224 msgid "Organization responsible for this application" -msgstr "" +msgstr "Organización responsable de esta aplicación" #: lib/applicationeditform.php:230 #, fuzzy @@ -4815,15 +4801,15 @@ msgstr "" #: lib/applicationeditform.php:258 msgid "Browser" -msgstr "" +msgstr "Navegador" #: lib/applicationeditform.php:274 msgid "Desktop" -msgstr "" +msgstr "Escritorio" #: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" -msgstr "" +msgstr "Tipo de aplicación, de navegador o de escritorio" #: lib/applicationeditform.php:297 msgid "Read-only" @@ -4838,9 +4824,8 @@ msgid "Default access for this application: read-only, or read-write" msgstr "" #: lib/applicationlist.php:154 -#, fuzzy msgid "Revoke" -msgstr "Eliminar" +msgstr "Revocar" #: lib/attachmentlist.php:87 msgid "Attachments" @@ -4848,7 +4833,7 @@ msgstr "" #: lib/attachmentlist.php:265 msgid "Author" -msgstr "" +msgstr "Autor" #: lib/attachmentlist.php:278 msgid "Provider" @@ -4856,16 +4841,15 @@ msgstr "Proveedor" #: lib/attachmentnoticesection.php:67 msgid "Notices where this attachment appears" -msgstr "" +msgstr "Mensajes donde aparece este adjunto" #: lib/attachmenttagcloudsection.php:48 msgid "Tags for this attachment" -msgstr "" +msgstr "Etiquetas de este archivo adjunto" #: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 -#, fuzzy msgid "Password changing failed" -msgstr "Cambio de contraseña " +msgstr "El cambio de contraseña ha fallado" #: lib/authenticationplugin.php:233 #, fuzzy @@ -4889,10 +4873,9 @@ msgid "Sorry, this command is not yet implemented." msgstr "Disculpa, todavía no se implementa este comando." #: lib/command.php:88 -#, fuzzy, php-format +#, php-format msgid "Could not find a user with nickname %s" -msgstr "" -"No se pudo actualizar el usuario con la dirección de correo confirmada." +msgstr "No se pudo encontrar a nadie con el nombre de usuario %s" #: lib/command.php:92 msgid "It does not make a lot of sense to nudge yourself!" @@ -4912,9 +4895,8 @@ msgid "" msgstr "" #: lib/command.php:152 lib/command.php:390 lib/command.php:451 -#, fuzzy msgid "Notice with that id does not exist" -msgstr "Ningún perfil con ese ID." +msgstr "No existe ningún mensaje con ese id" #: lib/command.php:168 lib/command.php:406 lib/command.php:467 #: lib/command.php:523 @@ -5207,11 +5189,11 @@ msgstr "Aceptar" #: lib/feed.php:85 msgid "RSS 1.0" -msgstr "" +msgstr "RSS 1.0" #: lib/feed.php:87 msgid "RSS 2.0" -msgstr "" +msgstr "RSS 2.0" #: lib/feed.php:89 msgid "Atom" @@ -5577,7 +5559,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "desde" @@ -5702,49 +5684,49 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "N" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "S" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "E" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "en" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "en contexto" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 #, fuzzy msgid "Repeated by" msgstr "Crear" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "Responder este aviso." -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "Responder" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 #, fuzzy msgid "Notice repeated" msgstr "Aviso borrado" @@ -6049,23 +6031,23 @@ msgstr "editar avatar" msgid "User actions" msgstr "Acciones de usuario" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "Editar configuración del perfil" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "Editar" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "Enviar un mensaje directo a este usuario" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "Mensaje" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "Moderar" diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index c749a4161..1d328d4f1 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:14:41+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:56:13+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian\n" "MIME-Version: 1.0\n" @@ -20,7 +20,7 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" #: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 @@ -173,8 +173,8 @@ msgstr "" msgid "You and friends" msgstr "شما Ùˆ دوستان" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "به روز رسانی از %1$ Ùˆ دوستان در %2$" @@ -195,12 +195,12 @@ msgstr "به روز رسانی از %1$ Ùˆ دوستان در %2$" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 msgid "API method not found." msgstr "رابط مورد نظر پیدا نشد." @@ -557,7 +557,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "حساب کاربری" @@ -641,7 +641,7 @@ msgstr "قالب پشتیبانی نشده." msgid "%1$s / Favorites from %2$s" msgstr "%s / دوست داشتنی از %s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, fuzzy, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s به روز رسانی های دوست داشتنی %s / %s" @@ -652,7 +652,7 @@ msgstr "%s به روز رسانی های دوست داشتنی %s / %s" msgid "%s timeline" msgstr "خط زمانی %s" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -668,12 +668,12 @@ msgstr "%$1s / به روز رسانی های شامل %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s به روز رسانی هایی Ú©Ù‡ در پاسخ به $2$s / %3$s" -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s خط‌زمانی عمومی" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s به روز رسانی های عموم" @@ -683,7 +683,7 @@ msgstr "%s به روز رسانی های عموم" msgid "Repeated to %s" msgstr "" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "تکرار %s" @@ -693,7 +693,7 @@ msgstr "تکرار %s" msgid "Notices tagged with %s" msgstr "پیام‌هایی Ú©Ù‡ با %s نشانه گزاری شده اند." -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "پیام‌های نشانه گزاری شده با %1$s در %2$s" @@ -755,7 +755,7 @@ msgid "Preview" msgstr "پیش‌نمایش" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "حذÙ" @@ -941,7 +941,7 @@ msgstr "شما یک عضو این گروه نیستید." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "" @@ -1004,7 +1004,7 @@ msgstr "آیا اطمینان دارید Ú©Ù‡ می‌خواهید این پیا msgid "Do not delete this notice" msgstr "این پیام را پاک Ù†Ú©Ù†" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "این پیام را پاک Ú©Ù†" @@ -1255,7 +1255,7 @@ msgstr "توصی٠بسیار زیاد است (حداکثر %d حرÙ)." msgid "Could not update group." msgstr "نمی‌توان گروه را به‌هنگام‌سازی کرد." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "نمی‌توان نام‌های مستعار را ساخت." @@ -1689,7 +1689,7 @@ msgstr "اعضای گروه %sØŒ صÙحهٔ %d" msgid "A list of the users in this group." msgstr "یک Ùهرست از کاربران در این گروه" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "مدیر" @@ -2042,7 +2042,7 @@ msgstr "نام کاربری یا رمز عبور نادرست." msgid "Error setting user. You are probably not authorized." msgstr "خطا در تنظیم کاربر. شما احتمالا اجازه ÛŒ این کار را ندارید." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "ورود" @@ -2302,7 +2302,7 @@ msgid "Only " msgstr " Ùقط" #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "یک قالب دادهٔ پشتیبانی‌شده نیست." @@ -2995,7 +2995,7 @@ msgstr "با عرض تاسÙØŒ کد دعوت نا معتبر است." msgid "Registration successful" msgstr "ثبت نام با موÙقیت انجام شد." -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "ثبت نام" @@ -3123,7 +3123,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "" @@ -3159,7 +3159,7 @@ msgstr "شما نمی توانید Ø¢Ú¯Ù‡ÛŒ خودتان را تکرار Ú©Ù†ÛŒ msgid "You already repeated that notice." msgstr "شما قبلا آن Ø¢Ú¯Ù‡ÛŒ را تکرار کردید." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 msgid "Repeated" msgstr "" @@ -4266,7 +4266,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 #, fuzzy msgid "Version" msgstr "شخصی" @@ -4355,21 +4355,21 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "شما از Ùرستادن پست در این سایت مردود شدید ." -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "مشکل در ذخیره کردن Ø¢Ú¯Ù‡ÛŒ." -#: classes/Notice.php:788 +#: classes/Notice.php:790 #, fuzzy msgid "Problem saving group inbox." msgstr "مشکل در ذخیره کردن Ø¢Ú¯Ù‡ÛŒ." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4379,11 +4379,11 @@ msgstr "" msgid "Welcome to %1$s, @%2$s!" msgstr "خوش امدید به %1$s , @%2$s!" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "نمیتوان گروه را تشکیل داد" -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "" @@ -4424,136 +4424,136 @@ msgstr "%s گروه %s را ترک کرد." msgid "Untitled page" msgstr "صÙحه ÛŒ بدون عنوان" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "خانه" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "آدرس ایمیل، آواتار، کلمه ÛŒ عبور، پروÙایل خود را تغییر دهید" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "وصل‌شدن" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect to services" msgstr "متصل شدن به خدمات" -#: lib/action.php:448 +#: lib/action.php:449 msgid "Change site configuration" msgstr "تغییر پیکربندی سایت" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "دعوت‌کردن" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr " به شما ملحق شوند %s دوستان Ùˆ همکاران را دعوت کنید تا در" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "خروج" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "خارج شدن از سایت ." -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "یک حساب کاربری بسازید" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "ورود به وب‌گاه" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Ú©Ù…Ú©" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "به من Ú©Ù…Ú© کنید!" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "جست‌وجو" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "جستجو برای شخص با متن" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "خبر سایت" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "دید محلی" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "خبر صÙحه" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "دربارهٔ" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "سوال‌های رایج" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "خصوصی" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "منبع" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "تماس" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "StatusNet مجوز نرم اÙزار" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." "broughtby%%](%%site.broughtbyurl%%). " msgstr "" -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4561,41 +4561,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "مجوز محتویات سایت" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "همه " -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "مجوز." -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "صÙحه بندى" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "بعد از" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "قبل از" @@ -5441,7 +5441,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "از" @@ -5565,48 +5565,48 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "در" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "در زمینه" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 msgid "Repeated by" msgstr "تکرار از" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "به این Ø¢Ú¯Ù‡ÛŒ جواب دهید" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "جواب دادن" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 msgid "Notice repeated" msgstr "Ø¢Ú¯Ù‡ÛŒ تکرار شد" @@ -5897,67 +5897,67 @@ msgstr "ویرایش اواتور" msgid "User actions" msgstr "" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "ویرایش تنظیمات پروÙيل" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "ویرایش" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "پیام مستقیم به این کاربر بÙرستید" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "پیام" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "چند ثانیه پیش" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "حدود یک دقیقه پیش" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "حدود %d دقیقه پیش" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "حدود یک ساعت پیش" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "حدود %d ساعت پیش" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "حدود یک روز پیش" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "حدود %d روز پیش" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "حدود یک ماه پیش" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "حدود %d ماه پیش" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "حدود یک سال پیش" diff --git a/locale/fi/LC_MESSAGES/statusnet.po b/locale/fi/LC_MESSAGES/statusnet.po index 80a85e1d1..f37da7b0f 100644 --- a/locale/fi/LC_MESSAGES/statusnet.po +++ b/locale/fi/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:14:39+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:56:10+0000\n" "Language-Team: Finnish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: out-statusnet\n" @@ -175,8 +175,8 @@ msgstr "" msgid "You and friends" msgstr "Sinä ja kaverit" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "Käyttäjän %1$s ja kavereiden päivitykset palvelussa %2$s!" @@ -197,12 +197,12 @@ msgstr "Käyttäjän %1$s ja kavereiden päivitykset palvelussa %2$s!" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "API-metodia ei löytynyt!" @@ -573,7 +573,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "Käyttäjätili" @@ -659,7 +659,7 @@ msgstr "Formaattia ei ole tuettu." msgid "%1$s / Favorites from %2$s" msgstr "%s / Käyttäjän %s suosikit" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, fuzzy, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr " Palvelun %s päivitykset, jotka %s / %s on merkinnyt suosikikseen." @@ -670,7 +670,7 @@ msgstr " Palvelun %s päivitykset, jotka %s / %s on merkinnyt suosikikseen." msgid "%s timeline" msgstr "%s aikajana" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -687,12 +687,12 @@ msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" "%1$s -päivitykset, jotka on vastauksia käyttäjän %2$s / %3$s päivityksiin." -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s julkinen aikajana" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s päivitykset kaikilta!" @@ -702,7 +702,7 @@ msgstr "%s päivitykset kaikilta!" msgid "Repeated to %s" msgstr "Vastaukset käyttäjälle %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, fuzzy, php-format msgid "Repeats of %s" msgstr "Vastaukset käyttäjälle %s" @@ -712,7 +712,7 @@ msgstr "Vastaukset käyttäjälle %s" msgid "Notices tagged with %s" msgstr "Päivitykset joilla on tagi %s" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Käyttäjän %1$s päivitykset palvelussa %2$s!" @@ -773,7 +773,7 @@ msgid "Preview" msgstr "Esikatselu" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "Poista" @@ -958,7 +958,7 @@ msgstr "Sinä et kuulu tähän ryhmään." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "Istuntoavaimesi kanssa oli ongelma." @@ -1018,7 +1018,7 @@ msgstr "Oletko varma että haluat poistaa tämän päivityksen?" msgid "Do not delete this notice" msgstr "Älä poista tätä päivitystä" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "Poista tämä päivitys" @@ -1277,7 +1277,7 @@ msgstr "kuvaus on liian pitkä (max %d merkkiä)." msgid "Could not update group." msgstr "Ei voitu päivittää ryhmää." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "Ei voitu lisätä aliasta." @@ -1722,7 +1722,7 @@ msgstr "Ryhmän %s jäsenet, sivu %d" msgid "A list of the users in this group." msgstr "Lista ryhmän käyttäjistä." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "Ylläpito" @@ -2103,7 +2103,7 @@ msgstr "Väärä käyttäjätunnus tai salasana" msgid "Error setting user. You are probably not authorized." msgstr "Sinulla ei ole valtuutusta tähän." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Kirjaudu sisään" @@ -2366,7 +2366,7 @@ msgid "Only " msgstr "Vain " #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "Tuo ei ole tuettu tietomuoto." @@ -3083,7 +3083,7 @@ msgstr "Virheellinen kutsukoodin." msgid "Registration successful" msgstr "Rekisteröityminen onnistui" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Rekisteröidy" @@ -3235,7 +3235,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "Profiilisi URL-osoite toisessa yhteensopivassa mikroblogauspalvelussa" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "Tilaa" @@ -3279,7 +3279,7 @@ msgstr "Et voi rekisteröityä, jos et hyväksy lisenssiehtoja." msgid "You already repeated that notice." msgstr "Sinä olet jo estänyt tämän käyttäjän." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 #, fuzzy msgid "Repeated" msgstr "Luotu" @@ -4436,7 +4436,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 #, fuzzy msgid "Version" msgstr "Omat" @@ -4528,21 +4528,21 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "Päivityksesi tähän palveluun on estetty." -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "Ongelma päivityksen tallentamisessa." -#: classes/Notice.php:788 +#: classes/Notice.php:790 #, fuzzy msgid "Problem saving group inbox." msgstr "Ongelma päivityksen tallentamisessa." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Tietokantavirhe tallennettaessa vastausta: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4552,11 +4552,11 @@ msgstr "%1$s (%2$s)" msgid "Welcome to %1$s, @%2$s!" msgstr "Viesti käyttäjälle %1$s, %2$s" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "Ryhmän luonti ei onnistunut." -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "Ryhmän jäsenyystietoja ei voitu asettaa." @@ -4598,127 +4598,127 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Nimetön sivu" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "Ensisijainen sivunavigointi" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "Koti" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "Henkilökohtainen profiili ja kavereiden aikajana" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "Muuta sähköpostiosoitettasi, kuvaasi, salasanaasi, profiiliasi" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "Yhdistä" -#: lib/action.php:444 +#: lib/action.php:445 #, fuzzy msgid "Connect to services" msgstr "Ei voitu uudelleenohjata palvelimelle: %s" -#: lib/action.php:448 +#: lib/action.php:449 #, fuzzy msgid "Change site configuration" msgstr "Ensisijainen sivunavigointi" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "Kutsu" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Kutsu kavereita ja työkavereita liittymään palveluun %s" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Kirjaudu ulos" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "Kirjaudu ulos palvelusta" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "Luo uusi käyttäjätili" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "Kirjaudu sisään palveluun" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Ohjeet" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "Auta minua!" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "Haku" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "Hae ihmisiä tai tekstiä" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "Palvelun ilmoitus" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "Paikalliset näkymät" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "Sivuilmoitus" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "Toissijainen sivunavigointi" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "Tietoa" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "UKK" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "Yksityisyys" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "Lähdekoodi" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Ota yhteyttä" -#: lib/action.php:751 +#: lib/action.php:752 #, fuzzy msgid "Badge" msgstr "Tönäise" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "StatusNet-ohjelmiston lisenssi" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4727,12 +4727,12 @@ msgstr "" "**%%site.name%%** on mikroblogipalvelu, jonka tarjoaa [%%site.broughtby%%](%%" "site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** on mikroblogipalvelu. " -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4743,42 +4743,42 @@ msgstr "" "versio %s, saatavilla lisenssillä [GNU Affero General Public License](http://" "www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:802 #, fuzzy msgid "Site content license" msgstr "StatusNet-ohjelmiston lisenssi" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "Kaikki " -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "lisenssi." -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "Sivutus" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "Myöhemmin" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "Aiemmin" @@ -5661,7 +5661,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 #, fuzzy msgid "from" msgstr " lähteestä " @@ -5785,51 +5785,51 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 #, fuzzy msgid "N" msgstr "Ei" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 #, fuzzy msgid "in context" msgstr "Ei sisältöä!" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 #, fuzzy msgid "Repeated by" msgstr "Luotu" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "Vastaa tähän päivitykseen" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "Vastaus" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 #, fuzzy msgid "Notice repeated" msgstr "Päivitys on poistettu." @@ -6138,68 +6138,68 @@ msgstr "Kuva" msgid "User actions" msgstr "Käyttäjän toiminnot" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 #, fuzzy msgid "Edit profile settings" msgstr "Profiiliasetukset" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "Lähetä suora viesti tälle käyttäjälle" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "Viesti" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "muutama sekunti sitten" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "noin minuutti sitten" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "noin %d minuuttia sitten" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "noin tunti sitten" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "noin %d tuntia sitten" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "noin päivä sitten" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "noin %d päivää sitten" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "noin kuukausi sitten" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "noin %d kuukautta sitten" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "noin vuosi sitten" diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index 9fb5e88b2..ad0ae7fc5 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -14,12 +14,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:14:44+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:56:16+0000\n" "Language-Team: French\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: out-statusnet\n" @@ -175,8 +175,8 @@ msgstr "" msgid "You and friends" msgstr "Vous et vos amis" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "Statuts de %1$s et ses amis dans %2$s!" @@ -197,12 +197,12 @@ msgstr "Statuts de %1$s et ses amis dans %2$s!" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 msgid "API method not found." msgstr "Méthode API non trouvée !" @@ -573,7 +573,7 @@ msgstr "" "devriez donner l’accès à votre compte %4$s qu’aux tiers à qui vous faites " "confiance." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "Compte" @@ -657,7 +657,7 @@ msgstr "Format non supporté." msgid "%1$s / Favorites from %2$s" msgstr "%1$s / Favoris de %2$s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s statuts favoris de %2$s / %2$s." @@ -668,7 +668,7 @@ msgstr "%1$s statuts favoris de %2$s / %2$s." msgid "%s timeline" msgstr "Activité de %s" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -684,12 +684,12 @@ msgstr "%1$s / Mises à jour mentionnant %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s statuts en réponses aux statuts de %2$s / %3$s." -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "Activité publique %s" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s statuts de tout le monde !" @@ -699,7 +699,7 @@ msgstr "%s statuts de tout le monde !" msgid "Repeated to %s" msgstr "Repris pour %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "Reprises de %s" @@ -709,7 +709,7 @@ msgstr "Reprises de %s" msgid "Notices tagged with %s" msgstr "Avis marqués avec %s" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Mises à jour marquées avec %1$s dans %2$s !" @@ -772,7 +772,7 @@ msgid "Preview" msgstr "Aperçu" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "Supprimer" @@ -953,7 +953,7 @@ msgstr "Vous n’êtes pas le propriétaire de cette application." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "Un problème est survenu avec votre jeton de session." @@ -1013,7 +1013,7 @@ msgstr "Voulez-vous vraiment supprimer cet avis ?" msgid "Do not delete this notice" msgstr "Ne pas supprimer cet avis" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "Supprimer cet avis" @@ -1254,7 +1254,7 @@ msgstr "la description est trop longue (%d caractères maximum)." msgid "Could not update group." msgstr "Impossible de mettre à jour le groupe." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "Impossible de créer les alias." @@ -1698,7 +1698,7 @@ msgstr "Membres du groupe %1$s - page %2$d" msgid "A list of the users in this group." msgstr "Liste des utilisateurs inscrits à ce groupe." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "Administrer" @@ -2093,7 +2093,7 @@ msgstr "" "Erreur lors de la mise en place de l’utilisateur. Vous n’y êtes probablement " "pas autorisé." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Ouvrir une session" @@ -2357,7 +2357,7 @@ msgid "Only " msgstr "Seulement " #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "Format de données non supporté." @@ -3068,7 +3068,7 @@ msgstr "Désolé, code d’invitation invalide." msgid "Registration successful" msgstr "Compte créé avec succès" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Créer un compte" @@ -3220,7 +3220,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL de votre profil sur un autre service de micro-blogging compatible" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "S’abonner" @@ -3257,7 +3257,7 @@ msgstr "Vous ne pouvez pas reprendre votre propre avis." msgid "You already repeated that notice." msgstr "Vous avez déjà repris cet avis." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 msgid "Repeated" msgstr "Repris" @@ -4445,7 +4445,7 @@ msgstr "" msgid "Plugins" msgstr "Extensions" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 msgid "Version" msgstr "Version" @@ -4533,20 +4533,20 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "Il vous est interdit de poster des avis sur ce site." -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "Problème lors de l’enregistrement de l’avis." -#: classes/Notice.php:788 +#: classes/Notice.php:790 msgid "Problem saving group inbox." msgstr "Problème lors de l’enregistrement de la boîte de réception du groupe." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Erreur de base de donnée en insérant la réponse :%s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4556,11 +4556,11 @@ msgstr "RT @%1$s %2$s" msgid "Welcome to %1$s, @%2$s!" msgstr "Bienvenue à %1$s, @%2$s !" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "Impossible de créer le groupe." -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "Impossible d’établir l’inscription au groupe." @@ -4601,124 +4601,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Page sans nom" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "Navigation primaire du site" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "Accueil" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "Profil personnel et flux des amis" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "Modifier votre courriel, avatar, mot de passe, profil" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "Connecter" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect to services" msgstr "Se connecter aux services" -#: lib/action.php:448 +#: lib/action.php:449 msgid "Change site configuration" msgstr "Modifier la configuration du site" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "Inviter" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Inviter des amis et collègues à vous rejoindre dans %s" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Fermeture de session" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "Fermer la session" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "Créer un compte" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "Ouvrir une session" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Aide" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "À l’aide !" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "Rechercher" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "Rechercher des personnes ou du texte" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "Notice du site" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "Vues locales" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "Avis de la page" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "Navigation secondaire du site" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "À propos" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "CGU" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "Confidentialité" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "Source" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Contact" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "Insigne" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "Licence du logiciel StatusNet" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4727,12 +4727,12 @@ msgstr "" "**%%site.name%%** est un service de microblogging qui vous est proposé par " "[%%site.broughtby%%](%%site.broughtbyurl%%)." -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** est un service de micro-blogging." -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4743,45 +4743,45 @@ msgstr "" "version %s, disponible sous la licence [GNU Affero General Public License] " "(http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "Licence du contenu du site" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Le contenu et les données de %1$s sont privés et confidentiels." -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "Le contenu et les données sont sous le droit d’auteur de %1$s. Tous droits " "réservés." -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Le contenu et les données sont sous le droit d’auteur du contributeur. Tous " "droits réservés." -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "Tous " -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "licence." -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "Pagination" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "Après" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "Avant" @@ -5754,7 +5754,7 @@ msgstr "" "pour démarrer des conversations avec d’autres utilisateurs. Ceux-ci peuvent " "vous envoyer des messages destinés à vous seul(e)." -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "de" @@ -5880,48 +5880,48 @@ msgstr "" "Désolé, l’obtention de votre localisation prend plus de temps que prévu. " "Veuillez réessayer plus tard." -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "%1$u° %2$u' %3$u\" %4$s %5$u° %6$u' %7$u\" %8$s" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "N" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "S" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "E" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "O" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "chez" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "dans le contexte" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 msgid "Repeated by" msgstr "Repris par" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "Répondre à cet avis" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "Répondre" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 msgid "Notice repeated" msgstr "Avis repris" @@ -6211,67 +6211,67 @@ msgstr "Modifier l’avatar" msgid "User actions" msgstr "Actions de l’utilisateur" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "Modifier les paramètres du profil" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "Modifier" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "Envoyer un message à cet utilisateur" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "Message" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "Modérer" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "il y a quelques secondes" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "il y a 1 minute" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "il y a %d minutes" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "il y a 1 heure" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "il y a %d heures" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "il y a 1 jour" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "il y a %d jours" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "il y a 1 mois" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "il y a %d mois" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "il y a environ 1 an" diff --git a/locale/ga/LC_MESSAGES/statusnet.po b/locale/ga/LC_MESSAGES/statusnet.po index 0358b8ecd..25adc9987 100644 --- a/locale/ga/LC_MESSAGES/statusnet.po +++ b/locale/ga/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:14:47+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:56:19+0000\n" "Language-Team: Irish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ga\n" "X-Message-Group: out-statusnet\n" @@ -170,8 +170,8 @@ msgstr "" msgid "You and friends" msgstr "%s e amigos" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "Actualizacións dende %1$s e amigos en %2$s!" @@ -192,12 +192,12 @@ msgstr "Actualizacións dende %1$s e amigos en %2$s!" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Método da API non atopado" @@ -569,7 +569,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 #, fuzzy msgid "Account" msgstr "Sobre" @@ -658,7 +658,7 @@ msgstr "Formato de ficheiro de imaxe non soportado." msgid "%1$s / Favorites from %2$s" msgstr "%s / Favoritos dende %s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, fuzzy, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s updates favorited by %s / %s." @@ -669,7 +669,7 @@ msgstr "%s updates favorited by %s / %s." msgid "%s timeline" msgstr "Liña de tempo de %s" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -685,12 +685,12 @@ msgstr "%1$s / Chíos que respostan a %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "Hai %1$s chíos en resposta a chíos dende %2$s / %3$s." -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "Liña de tempo pública de %s" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s chíos de calquera!" @@ -700,7 +700,7 @@ msgstr "%s chíos de calquera!" msgid "Repeated to %s" msgstr "Replies to %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, fuzzy, php-format msgid "Repeats of %s" msgstr "Replies to %s" @@ -710,7 +710,7 @@ msgstr "Replies to %s" msgid "Notices tagged with %s" msgstr "Chíos tagueados con %s" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Actualizacións dende %1$s en %2$s!" @@ -773,7 +773,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 #, fuzzy msgid "Delete" msgstr "eliminar" @@ -968,7 +968,7 @@ msgstr "Non estás suscrito a ese perfil" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 #, fuzzy msgid "There was a problem with your session token." msgstr "Houbo un problema co teu token de sesión. Tentao de novo, anda..." @@ -1031,7 +1031,7 @@ msgstr "Estas seguro que queres eliminar este chío?" msgid "Do not delete this notice" msgstr "Non se pode eliminar este chíos." -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 #, fuzzy msgid "Delete this notice" msgstr "Eliminar chío" @@ -1298,7 +1298,7 @@ msgstr "O teu Bio é demasiado longo (max 140 car.)." msgid "Could not update group." msgstr "Non se puido actualizar o usuario." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 #, fuzzy msgid "Could not create aliases." msgstr "Non se puido crear o favorito." @@ -1756,7 +1756,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -2137,7 +2137,7 @@ msgstr "Usuario ou contrasinal incorrectos." msgid "Error setting user. You are probably not authorized." msgstr "Non está autorizado." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Inicio de sesión" @@ -2397,7 +2397,7 @@ msgid "Only " msgstr "" #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "Non é un formato de datos soportado." @@ -3122,7 +3122,7 @@ msgstr "Acounteceu un erro co código de confirmación." msgid "Registration successful" msgstr "Xa estas rexistrado!!" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Rexistrar" @@ -3276,7 +3276,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "Enderezo do teu perfil en outro servizo de microblogaxe compatíbel" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "Subscribir" @@ -3319,7 +3319,7 @@ msgstr "Non podes rexistrarte se non estas de acordo coa licenza." msgid "You already repeated that notice." msgstr "Xa bloqueaches a este usuario." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 #, fuzzy msgid "Repeated" msgstr "Crear" @@ -4492,7 +4492,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 #, fuzzy msgid "Version" msgstr "Persoal" @@ -4585,21 +4585,21 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "Tes restrinxido o envio de chíos neste sitio." -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "Aconteceu un erro ó gardar o chío." -#: classes/Notice.php:788 +#: classes/Notice.php:790 #, fuzzy msgid "Problem saving group inbox." msgstr "Aconteceu un erro ó gardar o chío." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Erro ó inserir a contestación na BD: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4609,12 +4609,12 @@ msgstr "%1$s (%2$s)" msgid "Welcome to %1$s, @%2$s!" msgstr "Mensaxe de %1$s en %2$s" -#: classes/User_group.php:380 +#: classes/User_group.php:413 #, fuzzy msgid "Could not create group." msgstr "Non se puido crear o favorito." -#: classes/User_group.php:409 +#: classes/User_group.php:442 #, fuzzy msgid "Could not set group membership." msgstr "Non se pode gardar a subscrición." @@ -4658,134 +4658,134 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "Persoal" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 +#: lib/action.php:442 #, fuzzy msgid "Change your email, avatar, password, profile" msgstr "Cambiar contrasinal" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "Conectar" -#: lib/action.php:444 +#: lib/action.php:445 #, fuzzy msgid "Connect to services" msgstr "Non se pode redireccionar ao servidor: %s" -#: lib/action.php:448 +#: lib/action.php:449 #, fuzzy msgid "Change site configuration" msgstr "Navegación de subscricións" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "Invitar" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, fuzzy, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" "Emprega este formulario para invitar ós teus amigos e colegas a empregar " "este servizo." -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Sair" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "" -#: lib/action.php:463 +#: lib/action.php:464 #, fuzzy msgid "Create an account" msgstr "Crear nova conta" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Axuda" -#: lib/action.php:469 +#: lib/action.php:470 #, fuzzy msgid "Help me!" msgstr "Axuda" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "Buscar" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "" -#: lib/action.php:493 +#: lib/action.php:494 #, fuzzy msgid "Site notice" msgstr "Novo chío" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "" -#: lib/action.php:625 +#: lib/action.php:626 #, fuzzy msgid "Page notice" msgstr "Novo chío" -#: lib/action.php:727 +#: lib/action.php:728 #, fuzzy msgid "Secondary site navigation" msgstr "Navegación de subscricións" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "Sobre" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "Preguntas frecuentes" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "Privacidade" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "Fonte" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Contacto" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4794,12 +4794,12 @@ msgstr "" "**%%site.name%%** é un servizo de microbloguexo que che proporciona [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** é un servizo de microbloguexo." -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4810,44 +4810,44 @@ msgstr "" "%s, dispoñible baixo licenza [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:802 #, fuzzy msgid "Site content license" msgstr "Atopar no contido dos chíos" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 #, fuzzy msgid "All " msgstr "Todos" -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "" -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "" -#: lib/action.php:1139 +#: lib/action.php:1142 #, fuzzy msgid "After" msgstr "« Despois" -#: lib/action.php:1147 +#: lib/action.php:1150 #, fuzzy msgid "Before" msgstr "Antes »" @@ -5821,7 +5821,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 #, fuzzy msgid "from" msgstr " dende " @@ -5948,53 +5948,53 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 #, fuzzy msgid "N" msgstr "No" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 #, fuzzy msgid "in context" msgstr "Sen contido!" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 #, fuzzy msgid "Repeated by" msgstr "Crear" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 #, fuzzy msgid "Reply to this notice" msgstr "Non se pode eliminar este chíos." -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 #, fuzzy msgid "Reply" msgstr "contestar" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 #, fuzzy msgid "Notice repeated" msgstr "Chío publicado" @@ -6313,70 +6313,70 @@ msgstr "Avatar" msgid "User actions" msgstr "Outras opcions" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 #, fuzzy msgid "Edit profile settings" msgstr "Configuración de perfil" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 #, fuzzy msgid "Send a direct message to this user" msgstr "Non podes enviar mensaxes a este usurio." -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 #, fuzzy msgid "Message" msgstr "Nova mensaxe" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "fai uns segundos" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "fai un minuto" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "fai %d minutos" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "fai unha hora" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "fai %d horas" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "fai un día" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "fai %d días" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "fai un mes" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "fai %d meses" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "fai un ano" diff --git a/locale/he/LC_MESSAGES/statusnet.po b/locale/he/LC_MESSAGES/statusnet.po index fb8f12031..c67c14fc2 100644 --- a/locale/he/LC_MESSAGES/statusnet.po +++ b/locale/he/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:14:50+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:56:22+0000\n" "Language-Team: Hebrew\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: he\n" "X-Message-Group: out-statusnet\n" @@ -167,8 +167,8 @@ msgstr "" msgid "You and friends" msgstr "%s וחברי×" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "" @@ -189,12 +189,12 @@ msgstr "" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "קוד ×”×ישור ×œ× × ×ž×¦×." @@ -562,7 +562,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 #, fuzzy msgid "Account" msgstr "×ודות" @@ -649,7 +649,7 @@ msgstr "פורמט התמונה ×ינו נתמך." msgid "%1$s / Favorites from %2$s" msgstr "הסטטוס של %1$s ב-%2$s " -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, fuzzy, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "מיקרובלוג מ×ת %s" @@ -660,7 +660,7 @@ msgstr "מיקרובלוג מ×ת %s" msgid "%s timeline" msgstr "" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -676,12 +676,12 @@ msgstr "הסטטוס של %1$s ב-%2$s " msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "" @@ -691,7 +691,7 @@ msgstr "" msgid "Repeated to %s" msgstr "תגובת עבור %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, fuzzy, php-format msgid "Repeats of %s" msgstr "תגובת עבור %s" @@ -701,7 +701,7 @@ msgstr "תגובת עבור %s" msgid "Notices tagged with %s" msgstr "" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "מיקרובלוג מ×ת %s" @@ -765,7 +765,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 #, fuzzy msgid "Delete" msgstr "מחק" @@ -957,7 +957,7 @@ msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "" @@ -1016,7 +1016,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "×ין הודעה כזו." -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "" @@ -1276,7 +1276,7 @@ msgstr "הביוגרפיה ×רוכה מידי (לכל היותר 140 ×ותיו msgid "Could not update group." msgstr "עידכון המשתמש נכשל." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 #, fuzzy msgid "Could not create aliases." msgstr "שמירת מידע התמונה נכשל" @@ -1727,7 +1727,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -2077,7 +2077,7 @@ msgstr "×©× ×ž×©×ª×ž×© ×ו סיסמה ×œ× × ×›×•× ×™×." msgid "Error setting user. You are probably not authorized." msgstr "×œ× ×ž×•×¨×©×”." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "היכנס" @@ -2328,7 +2328,7 @@ msgid "Only " msgstr "" #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "" @@ -3036,7 +3036,7 @@ msgstr "שגי××” ב×ישור הקוד." msgid "Registration successful" msgstr "" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "הירש×" @@ -3164,7 +3164,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "כתובת הפרופיל שלך בשרות ביקרובלוג תו×× ×חר" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "×”×™×¨×©× ×›×ž× ×•×™" @@ -3205,7 +3205,7 @@ msgstr "×œ× × ×™×ª×Ÿ ×œ×”×™×¨×©× ×œ×œ× ×”×¡×›×ž×” לרשיון" msgid "You already repeated that notice." msgstr "כבר נכנסת למערכת!" -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 #, fuzzy msgid "Repeated" msgstr "צור" @@ -4342,7 +4342,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 #, fuzzy msgid "Version" msgstr "×ישי" @@ -4430,21 +4430,21 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:788 +#: classes/Notice.php:790 #, fuzzy msgid "Problem saving group inbox." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "שגי×ת מסד × ×ª×•× ×™× ×‘×”×›× ×¡×ª התגובה: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4454,12 +4454,12 @@ msgstr "" msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:380 +#: classes/User_group.php:413 #, fuzzy msgid "Could not create group." msgstr "שמירת מידע התמונה נכשל" -#: classes/User_group.php:409 +#: classes/User_group.php:442 #, fuzzy msgid "Could not set group membership." msgstr "יצירת המנוי נכשלה." @@ -4503,131 +4503,131 @@ msgstr "הסטטוס של %1$s ב-%2$s " msgid "Untitled page" msgstr "" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "בית" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "התחבר" -#: lib/action.php:444 +#: lib/action.php:445 #, fuzzy msgid "Connect to services" msgstr "נכשלה ההפניה לשרת: %s" -#: lib/action.php:448 +#: lib/action.php:449 #, fuzzy msgid "Change site configuration" msgstr "הרשמות" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "צ×" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "" -#: lib/action.php:463 +#: lib/action.php:464 #, fuzzy msgid "Create an account" msgstr "צור חשבון חדש" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "עזרה" -#: lib/action.php:469 +#: lib/action.php:470 #, fuzzy msgid "Help me!" msgstr "עזרה" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "חיפוש" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "" -#: lib/action.php:493 +#: lib/action.php:494 #, fuzzy msgid "Site notice" msgstr "הודעה חדשה" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "" -#: lib/action.php:625 +#: lib/action.php:626 #, fuzzy msgid "Page notice" msgstr "הודעה חדשה" -#: lib/action.php:727 +#: lib/action.php:728 #, fuzzy msgid "Secondary site navigation" msgstr "הרשמות" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "×ודות" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "רשימת ש×לות נפוצות" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "פרטיות" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "מקור" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "צור קשר" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4636,12 +4636,12 @@ msgstr "" "**%%site.name%%** ×”×•× ×©×¨×•×ª ביקרובלוג הניתן על ידי [%%site.broughtby%%](%%" "site.broughtbyurl%%)." -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** ×”×•× ×©×¨×•×ª ביקרובלוג." -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4652,43 +4652,43 @@ msgstr "" "s, המופצת תחת רשיון [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)" -#: lib/action.php:801 +#: lib/action.php:802 #, fuzzy msgid "Site content license" msgstr "הודעה חדשה" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "" -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "" -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "" -#: lib/action.php:1139 +#: lib/action.php:1142 #, fuzzy msgid "After" msgstr "<< ×חרי" -#: lib/action.php:1147 +#: lib/action.php:1150 #, fuzzy msgid "Before" msgstr "לפני >>" @@ -5558,7 +5558,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "" @@ -5683,52 +5683,52 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 #, fuzzy msgid "N" msgstr "ל×" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 #, fuzzy msgid "in context" msgstr "×ין תוכן!" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 #, fuzzy msgid "Repeated by" msgstr "צור" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 #, fuzzy msgid "Reply" msgstr "הגב" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 #, fuzzy msgid "Notice repeated" msgstr "הודעות" @@ -6038,69 +6038,69 @@ msgstr "תמונה" msgid "User actions" msgstr "" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 #, fuzzy msgid "Edit profile settings" msgstr "הגדרות הפרופיל" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 #, fuzzy msgid "Message" msgstr "הודעה חדשה" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "לפני מספר שניות" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "לפני כדקה" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "לפני ×›-%d דקות" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "לפני כשעה" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "לפני ×›-%d שעות" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "לפני כיו×" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "לפני ×›-%d ימי×" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "לפני כחודש" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "לפני ×›-%d חודשי×" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "לפני כשנה" diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index daecf17e8..c9ed505a2 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:14:54+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:56:25+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: out-statusnet\n" @@ -165,8 +165,8 @@ msgstr "" msgid "You and friends" msgstr "Ty a pÅ™ećeljo" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "" @@ -187,12 +187,12 @@ msgstr "" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 msgid "API method not found." msgstr "API-metoda njenamakana." @@ -546,7 +546,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "Konto" @@ -628,7 +628,7 @@ msgstr "NjepodpÄ›rany format." msgid "%1$s / Favorites from %2$s" msgstr "" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "" @@ -639,7 +639,7 @@ msgstr "" msgid "%s timeline" msgstr "" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -655,12 +655,12 @@ msgstr "" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "" @@ -670,7 +670,7 @@ msgstr "" msgid "Repeated to %s" msgstr "" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "" @@ -680,7 +680,7 @@ msgstr "" msgid "Notices tagged with %s" msgstr "" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "" @@ -742,7 +742,7 @@ msgid "Preview" msgstr "PÅ™ehlad" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "ZniÄić" @@ -922,7 +922,7 @@ msgstr "Njejsy wobsedźer tuteje aplikacije." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "" @@ -980,7 +980,7 @@ msgstr "ChceÅ¡ woprawdźe tutu zdźělenku wuÅ¡mórnyć?" msgid "Do not delete this notice" msgstr "Tutu zdźělenku njewuÅ¡mórnyć" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "Tutu zdźělenku wuÅ¡mórnyć" @@ -1220,7 +1220,7 @@ msgstr "wopisanje je pÅ™edoÅ‚ho (maks. %d znamjeÅ¡kow)." msgid "Could not update group." msgstr "Skupina njeje so daÅ‚a aktualizować." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "Aliasy njejsu so dali wutworić." @@ -1646,7 +1646,7 @@ msgstr "%1$s skupinskich ÄÅ‚onow, strona %2$d" msgid "A list of the users in this group." msgstr "Lisćina wužiwarjow w tutej skupinje." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" @@ -1978,7 +1978,7 @@ msgstr "WopaÄne wužiwarske mjeno abo hesÅ‚o." msgid "Error setting user. You are probably not authorized." msgstr "Zmylk pÅ™i nastajenju wužiwarja. Snano njejsy awtorizowany." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "PÅ™izjewić" @@ -2220,7 +2220,7 @@ msgid "Only " msgstr "Jenož " #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "Njeje podpÄ›rany datowy format." @@ -2898,7 +2898,7 @@ msgstr "Wodaj, njepÅ‚aćiwy pÅ™eproÅ¡enski kod." msgid "Registration successful" msgstr "Registrowanje wuspěšne" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registrować" @@ -3022,7 +3022,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "Abonować" @@ -3058,7 +3058,7 @@ msgstr "NjemóžeÅ¡ swójsku zdźělenku wospjetować." msgid "You already repeated that notice." msgstr "Sy tutu zdźělenku hižo wospjetowaÅ‚." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 msgid "Repeated" msgstr "Wospjetowany" @@ -4146,7 +4146,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 msgid "Version" msgstr "Wersija" @@ -4228,20 +4228,20 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:788 +#: classes/Notice.php:790 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4251,11 +4251,11 @@ msgstr "" msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "" -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "" @@ -4296,136 +4296,136 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Strona bjez titula" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "Zwjazać" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect to services" msgstr "" -#: lib/action.php:448 +#: lib/action.php:449 msgid "Change site configuration" msgstr "" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "PÅ™eprosyć" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "Konto zaÅ‚ožić" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Pomoc" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "Pomhaj!" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "Pytać" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "Za ludźimi abo tekstom pytać" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "Wo" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "Huste praÅ¡enja" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "Priwatnosć" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "ŽórÅ‚o" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." "broughtby%%](%%site.broughtbyurl%%). " msgstr "" -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4433,41 +4433,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "" -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "" -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "" @@ -5302,7 +5302,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "wot" @@ -5422,48 +5422,48 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "S" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "J" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "W" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "Z" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 msgid "Repeated by" msgstr "Wospjetowany wot" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "Na tutu zdźělenku wotmoÅ‚wić" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "WotmoÅ‚wić" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 msgid "Notice repeated" msgstr "Zdźělenka wospjetowana" @@ -5753,67 +5753,67 @@ msgstr "Awatar wobdźěłać" msgid "User actions" msgstr "Wužiwarske akcije" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "Profilowe nastajenja wobdźěłać" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "Wobdźěłać" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "Tutomu wužiwarja direktnu powÄ›sć pósÅ‚ać" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "PowÄ›sć" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "pÅ™ed něšto sekundami" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "pÅ™ed nÄ›hdźe jednej mjeÅ„Å¡inu" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "pÅ™ed %d mjeÅ„Å¡inami" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "pÅ™ed nÄ›hdźe jednej hodźinu" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "pÅ™ed nÄ›hdźe %d hodźinami" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "pÅ™ed nÄ›hdźe jednym dnjom" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "pÅ™ed nÄ›hdźe %d dnjemi" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "pÅ™ed nÄ›hdźe jednym mÄ›sacom" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "pÅ™ed nÄ›hdźe %d mÄ›sacami" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "pÅ™ed nÄ›hdźe jednym lÄ›tom" diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index 698f779dd..a8d95a851 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:14:57+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:56:28+0000\n" "Language-Team: Interlingua\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: out-statusnet\n" @@ -168,8 +168,8 @@ msgstr "" msgid "You and friends" msgstr "Tu e amicos" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "Actualisationes de %1$s e su amicos in %2$s!" @@ -190,12 +190,12 @@ msgstr "Actualisationes de %1$s e su amicos in %2$s!" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 msgid "API method not found." msgstr "Methodo API non trovate." @@ -558,7 +558,7 @@ msgstr "" "%3$s le datos de tu conto de %4$s. Tu debe solmente dar " "accesso a tu conto de %4$s a tertie personas in le quales tu ha confidentia." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "Conto" @@ -643,7 +643,7 @@ msgstr "Formato non supportate." msgid "%1$s / Favorites from %2$s" msgstr "%1$s / Favorites de %2$s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s actualisationes favoritisate per %2$s / %2$s." @@ -654,7 +654,7 @@ msgstr "%1$s actualisationes favoritisate per %2$s / %2$s." msgid "%s timeline" msgstr "Chronologia de %s" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -671,12 +671,12 @@ msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" "Actualisationes de %1$s que responde al actualisationes de %2$s / %3$s." -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "Chronologia public de %s" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "Actualisationes de totes in %s!" @@ -686,7 +686,7 @@ msgstr "Actualisationes de totes in %s!" msgid "Repeated to %s" msgstr "Repetite a %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "Repetitiones de %s" @@ -696,7 +696,7 @@ msgstr "Repetitiones de %s" msgid "Notices tagged with %s" msgstr "Notas con etiquetta %s" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Actualisationes con etiquetta %1$s in %2$s!" @@ -758,7 +758,7 @@ msgid "Preview" msgstr "Previsualisation" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "Deler" @@ -939,7 +939,7 @@ msgstr "Tu non es le proprietario de iste application." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "Il habeva un problema con tu indicio de session." @@ -999,7 +999,7 @@ msgstr "Es tu secur de voler deler iste nota?" msgid "Do not delete this notice" msgstr "Non deler iste nota" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "Deler iste nota" @@ -1240,7 +1240,7 @@ msgstr "description es troppo longe (max %d chars)." msgid "Could not update group." msgstr "Non poteva actualisar gruppo." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "Non poteva crear aliases." @@ -1682,7 +1682,7 @@ msgstr "Membros del gruppo %1$s, pagina %2$d" msgid "A list of the users in this group." msgstr "Un lista de usatores in iste gruppo." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" @@ -2068,7 +2068,7 @@ msgid "Error setting user. You are probably not authorized." msgstr "" "Error de acceder al conto de usator. Tu probabilemente non es autorisate." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Aperir session" @@ -2328,7 +2328,7 @@ msgid "Only " msgstr "Solmente " #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "Formato de datos non supportate." @@ -3032,7 +3032,7 @@ msgstr "Pardono, le codice de invitation es invalide." msgid "Registration successful" msgstr "Registration succedite" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Crear conto" @@ -3181,7 +3181,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL de tu profilo in un altere servicio de microblogging compatibile" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "Subscriber" @@ -3219,7 +3219,7 @@ msgstr "Tu non pote repeter tu proprie nota." msgid "You already repeated that notice." msgstr "Tu ha ja repetite iste nota." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 msgid "Repeated" msgstr "Repetite" @@ -4392,7 +4392,7 @@ msgstr "" msgid "Plugins" msgstr "Plug-ins" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 msgid "Version" msgstr "Version" @@ -4480,20 +4480,20 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "Il te es prohibite publicar notas in iste sito." -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "Problema salveguardar nota." -#: classes/Notice.php:788 +#: classes/Notice.php:790 msgid "Problem saving group inbox." msgstr "Problema salveguardar le cassa de entrata del gruppo." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Error del base de datos durante le insertion del responsa: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4503,11 +4503,11 @@ msgstr "RT @%1$s %2$s" msgid "Welcome to %1$s, @%2$s!" msgstr "Benvenite a %1$s, @%2$s!" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "Non poteva crear gruppo." -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "Non poteva configurar le membrato del gruppo." @@ -4548,124 +4548,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Pagina sin titulo" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "Navigation primari del sito" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "Initio" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "Profilo personal e chronologia de amicos" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "Cambiar tu e-mail, avatar, contrasigno, profilo" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "Connecter" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect to services" msgstr "Connecter con servicios" -#: lib/action.php:448 +#: lib/action.php:449 msgid "Change site configuration" msgstr "Modificar le configuration del sito" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "Invitar" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Invitar amicos e collegas a accompaniar te in %s" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Clauder session" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "Terminar le session del sito" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "Crear un conto" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "Identificar te a iste sito" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Adjuta" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "Adjuta me!" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "Cercar" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "Cercar personas o texto" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "Aviso del sito" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "Vistas local" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "Aviso de pagina" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "Navigation secundari del sito" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "A proposito" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "CdS" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "Confidentialitate" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "Fonte" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Contacto" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "Insignia" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "Licentia del software StatusNet" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4674,12 +4674,12 @@ msgstr "" "**%%site.name%%** es un servicio de microblog offerite per [%%site.broughtby%" "%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** es un servicio de microblog. " -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4690,42 +4690,42 @@ msgstr "" "net/), version %s, disponibile sub le [GNU Affero General Public License]" "(http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "Licentia del contento del sito" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Le contento e datos de %1$s es private e confidential." -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "Contento e datos sub copyright de %1$s. Tote le derectos reservate." -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Contento e datos sub copyright del contributores. Tote le derectos reservate." -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "Totes " -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "licentia." -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "Pagination" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "Post" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "Ante" @@ -5689,7 +5689,7 @@ msgstr "" "altere usatores in conversation. Altere personas pote inviar te messages que " "solmente tu pote leger." -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "de" @@ -5815,48 +5815,48 @@ msgstr "" "Pardono, le obtention de tu geolocalisation prende plus tempore que " "previste. Per favor reproba plus tarde." -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "N" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "S" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "E" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "W" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "a" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "in contexto" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 msgid "Repeated by" msgstr "Repetite per" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "Responder a iste nota" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "Responder" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 msgid "Notice repeated" msgstr "Nota repetite" @@ -6146,67 +6146,67 @@ msgstr "Modificar avatar" msgid "User actions" msgstr "Actiones de usator" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "Modificar configuration de profilo" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "Modificar" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "Inviar un message directe a iste usator" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "Message" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "Moderar" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "alcun secundas retro" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "circa un minuta retro" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "circa %d minutas retro" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "circa un hora retro" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "circa %d horas retro" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "circa un die retro" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "circa %d dies retro" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "circa un mense retro" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "circa %d menses retro" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "circa un anno retro" diff --git a/locale/is/LC_MESSAGES/statusnet.po b/locale/is/LC_MESSAGES/statusnet.po index e88583025..3c1772861 100644 --- a/locale/is/LC_MESSAGES/statusnet.po +++ b/locale/is/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:15:11+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:56:30+0000\n" "Language-Team: Icelandic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: is\n" "X-Message-Group: out-statusnet\n" @@ -169,8 +169,8 @@ msgstr "" msgid "You and friends" msgstr "" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "Færslur frá %1$s og vinum á %2$s!" @@ -191,12 +191,12 @@ msgstr "Færslur frá %1$s og vinum á %2$s!" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Aðferð í forritsskilum fannst ekki!" @@ -564,7 +564,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "Aðgangur" @@ -650,7 +650,7 @@ msgstr "Skráarsnið myndar ekki stutt." msgid "%1$s / Favorites from %2$s" msgstr "%s / Uppáhaldsbabl frá %s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, fuzzy, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s færslur gerðar að uppáhaldsbabli af %s / %s." @@ -661,7 +661,7 @@ msgstr "%s færslur gerðar að uppáhaldsbabli af %s / %s." msgid "%s timeline" msgstr "Rás %s" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -677,12 +677,12 @@ msgstr "" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s færslur sem svara færslum frá %2$s / %3$s." -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "Almenningsrás %s" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s færslur frá öllum!" @@ -692,7 +692,7 @@ msgstr "%s færslur frá öllum!" msgid "Repeated to %s" msgstr "Svör við %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, fuzzy, php-format msgid "Repeats of %s" msgstr "Svör við %s" @@ -702,7 +702,7 @@ msgstr "Svör við %s" msgid "Notices tagged with %s" msgstr "Babl merkt með %s" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "" @@ -763,7 +763,7 @@ msgid "Preview" msgstr "Forsýn" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "Eyða" @@ -950,7 +950,7 @@ msgstr "Þú ert ekki meðlimur í þessum hópi." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "Það komu upp vandamál varðandi setutókann þinn." @@ -1008,7 +1008,7 @@ msgstr "Ertu viss um að þú viljir eyða þessu babli?" msgid "Do not delete this notice" msgstr "" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "Eyða þessu babli" @@ -1267,7 +1267,7 @@ msgstr "Lýsing er of löng (í mesta lagi 140 tákn)." msgid "Could not update group." msgstr "Gat ekki uppfært hóp." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "" @@ -1709,7 +1709,7 @@ msgstr "Hópmeðlimir %s, síða %d" msgid "A list of the users in this group." msgstr "Listi yfir notendur í þessum hóp." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "Stjórnandi" @@ -2087,7 +2087,7 @@ msgstr "Rangt notendanafn eða lykilorð." msgid "Error setting user. You are probably not authorized." msgstr "Engin heimild." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Innskráning" @@ -2348,7 +2348,7 @@ msgid "Only " msgstr "" #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "Enginn stuðningur við gagnasnið." @@ -3060,7 +3060,7 @@ msgstr "" msgid "Registration successful" msgstr "Nýskráning tókst" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Nýskrá" @@ -3206,7 +3206,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "Veffang persónulegrar síðu á samvirkandi örbloggsþjónustu" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "Gerast áskrifandi" @@ -3251,7 +3251,7 @@ msgstr "Þú getur ekki nýskráð þig nema þú samþykkir leyfið." msgid "You already repeated that notice." msgstr "Þú hefur nú þegar lokað á þennan notanda." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 #, fuzzy msgid "Repeated" msgstr "à sviðsljósinu" @@ -4389,7 +4389,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 #, fuzzy msgid "Version" msgstr "Persónulegt" @@ -4478,21 +4478,21 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "Það hefur verið lagt bann við babli frá þér á þessari síðu." -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "Vandamál komu upp við að vista babl." -#: classes/Notice.php:788 +#: classes/Notice.php:790 #, fuzzy msgid "Problem saving group inbox." msgstr "Vandamál komu upp við að vista babl." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Gagnagrunnsvilla við innsetningu svars: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4502,11 +4502,11 @@ msgstr "%1$s (%2$s)" msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "Gat ekki búið til hóp." -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "Gat ekki skráð hópmeðlimi." @@ -4547,128 +4547,128 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Ónafngreind síða" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "Stikl aðalsíðu" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "Heim" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "Persónuleg síða og vinarás" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "" "Breyttu tölvupóstinum þínum, einkennismyndinni þinni, lykilorðinu þínu, " "persónulegu síðunni þinni" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "Tengjast" -#: lib/action.php:444 +#: lib/action.php:445 #, fuzzy msgid "Connect to services" msgstr "Gat ekki framsent til vefþjóns: %s" -#: lib/action.php:448 +#: lib/action.php:449 #, fuzzy msgid "Change site configuration" msgstr "Stikl aðalsíðu" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "Bjóða" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Bjóða vinum og vandamönnum að slást í hópinn á %s" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Útskráning" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "Skrá þig út af síðunni" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "Búa til aðgang" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "Skrá þig inn á síðuna" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Hjálp" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "Hjálp!" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "Leita" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "Leita að fólki eða texta" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "Babl vefsíðunnar" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "Staðbundin sýn" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "Babl síðunnar" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "Stikl undirsíðu" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "Um" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "Spurt og svarað" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "Friðhelgi" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "Frumþula" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Tengiliður" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "Hugbúnaðarleyfi StatusNet" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4677,12 +4677,12 @@ msgstr "" "**%%site.name%%** er örbloggsþjónusta í boði [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** er örbloggsþjónusta." -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4693,42 +4693,42 @@ msgstr "" "sem er gefinn út undir [GNU Affero almenningsleyfinu](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:802 #, fuzzy msgid "Site content license" msgstr "Hugbúnaðarleyfi StatusNet" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "Allt " -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "leyfi." -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "Uppröðun" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "Eftir" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "Ãður" @@ -5596,7 +5596,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 #, fuzzy msgid "from" msgstr "frá" @@ -5720,50 +5720,50 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 #, fuzzy msgid "N" msgstr "Nei" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 #, fuzzy msgid "Repeated by" msgstr "à sviðsljósinu" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "Svara þessu babli" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "Svara" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 #, fuzzy msgid "Notice repeated" msgstr "Babl sent inn" @@ -6068,67 +6068,67 @@ msgstr "" msgid "User actions" msgstr "Notandaaðgerðir" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "Senda bein skilaboð til þessa notanda" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "Skilaboð" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "fyrir nokkrum sekúndum" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "fyrir um einni mínútu síðan" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "fyrir um %d mínútum síðan" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "fyrir um einum klukkutíma síðan" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "fyrir um %d klukkutímum síðan" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "fyrir um einum degi síðan" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "fyrir um %d dögum síðan" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "fyrir um einum mánuði síðan" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "fyrir um %d mánuðum síðan" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "fyrir um einu ári síðan" diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index 37ac228b2..ec02b5363 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:15:14+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:56:42+0000\n" "Language-Team: Italian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: out-statusnet\n" @@ -172,8 +172,8 @@ msgstr "" msgid "You and friends" msgstr "Tu e i tuoi amici" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "Messaggi da %1$s e amici su %2$s!" @@ -194,12 +194,12 @@ msgstr "Messaggi da %1$s e amici su %2$s!" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 msgid "API method not found." msgstr "Metodo delle API non trovato." @@ -562,7 +562,7 @@ msgstr "" "%3$s ai dati del tuo account %4$s. È consigliato fornire " "accesso al proprio account %4$s solo ad applicazioni di cui ci si può fidare." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "Account" @@ -645,7 +645,7 @@ msgstr "Formato non supportato." msgid "%1$s / Favorites from %2$s" msgstr "%1$s / Preferiti da %2$s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s aggiornamenti preferiti da %2$s / %3$s" @@ -656,7 +656,7 @@ msgstr "%1$s aggiornamenti preferiti da %2$s / %3$s" msgid "%s timeline" msgstr "Attività di %s" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -672,12 +672,12 @@ msgstr "%1$s / Messaggi che citano %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s messaggi in risposta a quelli da %2$s / %3$s" -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "Attività pubblica di %s" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "Aggiornamenti di %s da tutti!" @@ -687,7 +687,7 @@ msgstr "Aggiornamenti di %s da tutti!" msgid "Repeated to %s" msgstr "Ripetuto a %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "Ripetizioni di %s" @@ -697,7 +697,7 @@ msgstr "Ripetizioni di %s" msgid "Notices tagged with %s" msgstr "Messaggi etichettati con %s" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Messaggi etichettati con %1$s su %2$s!" @@ -759,7 +759,7 @@ msgid "Preview" msgstr "Anteprima" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "Elimina" @@ -940,7 +940,7 @@ msgstr "Questa applicazione non è di tua proprietà." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "Si è verificato un problema con il tuo token di sessione." @@ -999,7 +999,7 @@ msgstr "Vuoi eliminare questo messaggio?" msgid "Do not delete this notice" msgstr "Non eliminare il messaggio" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "Elimina questo messaggio" @@ -1240,7 +1240,7 @@ msgstr "La descrizione è troppo lunga (max %d caratteri)." msgid "Could not update group." msgstr "Impossibile aggiornare il gruppo." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "Impossibile creare gli alias." @@ -1686,7 +1686,7 @@ msgstr "Membri del gruppo %1$s, pagina %2$d" msgid "A list of the users in this group." msgstr "Un elenco degli utenti in questo gruppo." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "Amministra" @@ -2070,7 +2070,7 @@ msgstr "Nome utente o password non corretto." msgid "Error setting user. You are probably not authorized." msgstr "Errore nell'impostare l'utente. Forse non hai l'autorizzazione." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Accedi" @@ -2326,7 +2326,7 @@ msgid "Only " msgstr "Solo " #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "Non è un formato di dati supportato." @@ -3030,7 +3030,7 @@ msgstr "Codice di invito non valido." msgid "Registration successful" msgstr "Registrazione riuscita" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registra" @@ -3181,7 +3181,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL del tuo profilo su un altro servizio di microblog compatibile" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "Abbonati" @@ -3219,7 +3219,7 @@ msgstr "Non puoi ripetere i tuoi stessi messaggi." msgid "You already repeated that notice." msgstr "Hai già ripetuto quel messaggio." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 msgid "Repeated" msgstr "Ripetuti" @@ -4390,7 +4390,7 @@ msgstr "" msgid "Plugins" msgstr "Plugin" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 msgid "Version" msgstr "Versione" @@ -4480,20 +4480,20 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "Ti è proibito inviare messaggi su questo sito." -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "Problema nel salvare il messaggio." -#: classes/Notice.php:788 +#: classes/Notice.php:790 msgid "Problem saving group inbox." msgstr "Problema nel salvare la casella della posta del gruppo." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Errore del DB nell'inserire la risposta: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4503,11 +4503,11 @@ msgstr "RT @%1$s %2$s" msgid "Welcome to %1$s, @%2$s!" msgstr "Benvenuti su %1$s, @%2$s!" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "Impossibile creare il gruppo." -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "Impossibile impostare la membership al gruppo." @@ -4548,124 +4548,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Pagina senza nome" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "Esplorazione sito primaria" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "Home" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "Profilo personale e attività degli amici" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "Modifica la tua email, immagine, password o il tuo profilo" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "Connetti" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect to services" msgstr "Connettiti con altri servizi" -#: lib/action.php:448 +#: lib/action.php:449 msgid "Change site configuration" msgstr "Modifica la configurazione del sito" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "Invita" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Invita amici e colleghi a seguirti su %s" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Esci" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "Termina la tua sessione sul sito" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "Crea un account" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "Accedi al sito" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Aiuto" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "Aiutami!" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "Cerca" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "Cerca persone o del testo" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "Messaggio del sito" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "Viste locali" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "Pagina messaggio" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "Esplorazione secondaria del sito" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "Informazioni" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "TOS" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "Privacy" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "Sorgenti" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Contatti" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "Badge" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "Licenza del software StatusNet" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4674,12 +4674,12 @@ msgstr "" "**%%site.name%%** è un servizio di microblog offerto da [%%site.broughtby%%]" "(%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** è un servizio di microblog. " -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4690,44 +4690,44 @@ msgstr "" "s, disponibile nei termini della licenza [GNU Affero General Public License]" "(http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "Licenza del contenuto del sito" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "I contenuti e i dati di %1$s sono privati e confidenziali." -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "I contenuti e i dati sono copyright di %1$s. Tutti i diritti riservati." -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "I contenuti e i dati sono forniti dai collaboratori. Tutti i diritti " "riservati." -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "Tutti " -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "licenza." -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "Paginazione" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "Successivi" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "Precedenti" @@ -5693,7 +5693,7 @@ msgstr "" "iniziare una conversazione con altri utenti. Altre persone possono mandare " "messaggi riservati solamente a te." -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "via" @@ -5818,48 +5818,48 @@ msgstr "" "Il recupero della tua posizione geografica sta impiegando più tempo del " "previsto. Riprova più tardi." -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "N" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "S" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "E" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "O" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "presso" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "in una discussione" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 msgid "Repeated by" msgstr "Ripetuto da" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "Rispondi a questo messaggio" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "Rispondi" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 msgid "Notice repeated" msgstr "Messaggio ripetuto" @@ -6149,67 +6149,67 @@ msgstr "Modifica immagine" msgid "User actions" msgstr "Azioni utente" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "Modifica impostazioni del profilo" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "Modifica" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "Invia un messaggio diretto a questo utente" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "Messaggio" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "Modera" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "pochi secondi fa" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "circa un minuto fa" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "circa %d minuti fa" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "circa un'ora fa" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "circa %d ore fa" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "circa un giorno fa" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "circa %d giorni fa" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "circa un mese fa" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "circa %d mesi fa" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "circa un anno fa" diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index 3063f9538..ba52e7bfb 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:15:17+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:56:45+0000\n" "Language-Team: Japanese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: out-statusnet\n" @@ -169,8 +169,8 @@ msgstr "" msgid "You and friends" msgstr "ã‚ãªãŸã¨å‹äºº" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "%2$s ã« %1$s ã¨å‹äººã‹ã‚‰ã®æ›´æ–°ãŒã‚ã‚Šã¾ã™ï¼" @@ -191,12 +191,12 @@ msgstr "%2$s ã« %1$s ã¨å‹äººã‹ã‚‰ã®æ›´æ–°ãŒã‚ã‚Šã¾ã™ï¼" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 msgid "API method not found." msgstr "API メソッドãŒè¦‹ã¤ã‹ã‚Šã¾ã›ã‚“。" @@ -556,7 +556,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "アカウント" @@ -638,7 +638,7 @@ msgstr "サãƒãƒ¼ãƒˆå¤–ã®å½¢å¼ã§ã™ã€‚" msgid "%1$s / Favorites from %2$s" msgstr "%1$s / %2$s ã‹ã‚‰ã®ãŠæ°—ã«å…¥ã‚Š" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s 㯠%2$s ã§ãŠæ°—ã«å…¥ã‚Šã‚’æ›´æ–°ã—ã¾ã—㟠/ %2$s。" @@ -649,7 +649,7 @@ msgstr "%1$s 㯠%2$s ã§ãŠæ°—ã«å…¥ã‚Šã‚’æ›´æ–°ã—ã¾ã—㟠/ %2$s。" msgid "%s timeline" msgstr "%s ã®ã‚¿ã‚¤ãƒ ãƒ©ã‚¤ãƒ³" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -665,12 +665,12 @@ msgstr "%1$s / %2$s ã«ã¤ã„ã¦æ›´æ–°" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%2$s ã‹ã‚‰ã‚¢ãƒƒãƒ—デートã«ç­”ãˆã‚‹ %1$s アップデート" -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s ã®ãƒ‘ブリックタイムライン" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "皆ã‹ã‚‰ã® %s アップデート!" @@ -680,7 +680,7 @@ msgstr "皆ã‹ã‚‰ã® %s アップデート!" msgid "Repeated to %s" msgstr "%s ã¸ã®è¿”ä¿¡" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "%s ã®è¿”ä¿¡" @@ -690,7 +690,7 @@ msgstr "%s ã®è¿”ä¿¡" msgid "Notices tagged with %s" msgstr "%s ã¨ã‚¿ã‚°ä»˜ã‘ã•ã‚ŒãŸã¤ã¶ã‚„ã" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "%2$s ã« %1$s ã«ã‚ˆã‚‹æ›´æ–°ãŒã‚ã‚Šã¾ã™ï¼" @@ -751,7 +751,7 @@ msgid "Preview" msgstr "プレビュー" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "削除" @@ -933,7 +933,7 @@ msgstr "ã“ã®ã‚¢ãƒ—リケーションã®ã‚ªãƒ¼ãƒŠãƒ¼ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "ã‚ãªãŸã®ã‚»ãƒƒã‚·ãƒ§ãƒ³ãƒˆãƒ¼ã‚¯ãƒ³ã«é–¢ã™ã‚‹å•é¡ŒãŒã‚ã‚Šã¾ã—ãŸã€‚" @@ -993,7 +993,7 @@ msgstr "本当ã«ã“ã®ã¤ã¶ã‚„ãを削除ã—ã¾ã™ã‹ï¼Ÿ" msgid "Do not delete this notice" msgstr "ã“ã®ã¤ã¶ã‚„ãを削除ã§ãã¾ã›ã‚“。" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "ã“ã®ã¤ã¶ã‚„ãを削除" @@ -1234,7 +1234,7 @@ msgstr "記述ãŒé•·ã™ãŽã¾ã™ã€‚(最長 %d 字)" msgid "Could not update group." msgstr "グループを更新ã§ãã¾ã›ã‚“。" -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "別åを作æˆã§ãã¾ã›ã‚“。" @@ -1679,7 +1679,7 @@ msgstr "%1$s グループメンãƒãƒ¼ã€ãƒšãƒ¼ã‚¸ %2$d" msgid "A list of the users in this group." msgstr "ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¦ãƒ¼ã‚¶ã®ãƒªã‚¹ãƒˆã€‚" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "管ç†è€…" @@ -2062,7 +2062,7 @@ msgstr "ユーザåã¾ãŸã¯ãƒ‘スワードãŒé–“é•ã£ã¦ã„ã¾ã™ã€‚" msgid "Error setting user. You are probably not authorized." msgstr "ユーザ設定エラー。 ã‚ãªãŸã¯ãŸã¶ã‚“承èªã•ã‚Œã¦ã„ã¾ã›ã‚“。" -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "ログイン" @@ -2317,7 +2317,7 @@ msgid "Only " msgstr "ã ã‘ " #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "サãƒãƒ¼ãƒˆã•ã‚Œã¦ã„ãªã„データ形å¼ã€‚" @@ -3020,7 +3020,7 @@ msgstr "ã™ã¿ã¾ã›ã‚“ã€ä¸æ­£ãªæ‹›å¾…コード。" msgid "Registration successful" msgstr "登録æˆåŠŸ" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "登録" @@ -3167,7 +3167,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "プロファイルサービスã¾ãŸã¯ãƒžã‚¤ã‚¯ãƒ­ãƒ–ロギングサービスã®URL" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "フォロー" @@ -3206,7 +3206,7 @@ msgstr "自分ã®ã¤ã¶ã‚„ãã¯ç¹°ã‚Šè¿”ã›ã¾ã›ã‚“。" msgid "You already repeated that notice." msgstr "ã™ã§ã«ãã®ã¤ã¶ã‚„ãã‚’ç¹°ã‚Šè¿”ã—ã¦ã„ã¾ã™ã€‚" -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 msgid "Repeated" msgstr "ç¹°ã‚Šè¿”ã•ã‚ŒãŸ" @@ -4371,7 +4371,7 @@ msgstr "" msgid "Plugins" msgstr "プラグイン" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 msgid "Version" msgstr "ãƒãƒ¼ã‚¸ãƒ§ãƒ³" @@ -4461,20 +4461,20 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "ã‚ãªãŸã¯ã“ã®ã‚µã‚¤ãƒˆã§ã¤ã¶ã‚„ãを投稿ã™ã‚‹ã®ãŒç¦æ­¢ã•ã‚Œã¦ã„ã¾ã™ã€‚" -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚" -#: classes/Notice.php:788 +#: classes/Notice.php:790 msgid "Problem saving group inbox." msgstr "グループå—信箱をä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚" -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "返信を追加ã™ã‚‹éš›ã«ãƒ‡ãƒ¼ã‚¿ãƒ™ãƒ¼ã‚¹ã‚¨ãƒ©ãƒ¼ : %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4484,11 +4484,11 @@ msgstr "" msgid "Welcome to %1$s, @%2$s!" msgstr "よã†ã“ã %1$sã€@%2$s!" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "グループを作æˆã§ãã¾ã›ã‚“。" -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "グループメンãƒãƒ¼ã‚·ãƒƒãƒ—をセットã§ãã¾ã›ã‚“。" @@ -4529,124 +4529,124 @@ msgstr "" msgid "Untitled page" msgstr "å称未設定ページ" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "プライマリサイトナビゲーション" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "ホーム" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "パーソナルプロファイルã¨å‹äººã®ã‚¿ã‚¤ãƒ ãƒ©ã‚¤ãƒ³" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "メールアドレスã€ã‚¢ãƒã‚¿ãƒ¼ã€ãƒ‘スワードã€ãƒ—ロパティã®å¤‰æ›´" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "接続" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect to services" msgstr "サービスã¸æŽ¥ç¶š" -#: lib/action.php:448 +#: lib/action.php:449 msgid "Change site configuration" msgstr "サイト設定ã®å¤‰æ›´" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "招待" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "å‹äººã‚„åŒåƒšãŒ %s ã§åŠ ã‚るよã†èª˜ã£ã¦ãã ã•ã„。" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "ログアウト" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "サイトã‹ã‚‰ãƒ­ã‚°ã‚¢ã‚¦ãƒˆ" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "アカウントを作æˆ" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "サイトã¸ãƒ­ã‚°ã‚¤ãƒ³" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "ヘルプ" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "助ã‘ã¦ï¼" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "検索" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "人々ã‹ãƒ†ã‚­ã‚¹ãƒˆã‚’検索" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "サイトã¤ã¶ã‚„ã" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "ローカルビュー" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "ページã¤ã¶ã‚„ã" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "セカンダリサイトナビゲーション" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "About" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "よãã‚る質å•" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "プライãƒã‚·ãƒ¼" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "ソース" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "連絡先" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "ãƒãƒƒã‚¸" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "StatusNet ソフトウェアライセンス" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4655,12 +4655,12 @@ msgstr "" "**%%site.name%%** 㯠[%%site.broughtby%%](%%site.broughtbyurl%%) ãŒæä¾›ã™ã‚‹ãƒž" "イクロブログサービスã§ã™ã€‚ " -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** ã¯ãƒžã‚¤ã‚¯ãƒ­ãƒ–ログサービスã§ã™ã€‚ " -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4671,41 +4671,41 @@ msgstr "" "ã„ã¦ã„ã¾ã™ã€‚ ライセンス [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)。" -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "サイト内容ライセンス" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "全㦠" -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "ライセンス。" -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "ページ化" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "<<後" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "å‰>>" @@ -5624,7 +5624,7 @@ msgstr "" "ã«å¼•ã込むプライベートメッセージをé€ã‚‹ã“ã¨ãŒã§ãã¾ã™ã€‚人々ã¯ã‚ãªãŸã ã‘ã¸ã®" "メッセージをé€ã‚‹ã“ã¨ãŒã§ãã¾ã™ã€‚" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "from" @@ -5752,52 +5752,52 @@ msgstr "" "ã™ã¿ã¾ã›ã‚“ã€ã‚ãªãŸã®ä½ç½®ã‚’検索ã™ã‚‹ã®ãŒäºˆæƒ³ã‚ˆã‚Šé•·ãã‹ã‹ã£ã¦ã„ã¾ã™ã€å¾Œã§ã‚‚ã†ä¸€" "度試ã¿ã¦ãã ã•ã„" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 #, fuzzy msgid "N" msgstr "北" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 #, fuzzy msgid "S" msgstr "å—" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 #, fuzzy msgid "E" msgstr "æ±" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 #, fuzzy msgid "W" msgstr "西" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "at" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 msgid "Repeated by" msgstr "" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "ã“ã®ã¤ã¶ã‚„ãã¸è¿”ä¿¡" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "返信" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 msgid "Notice repeated" msgstr "ã¤ã¶ã‚„ãã‚’ç¹°ã‚Šè¿”ã—ã¾ã—ãŸ" @@ -6087,68 +6087,68 @@ msgstr "ã‚¢ãƒã‚¿ãƒ¼ã‚’編集ã™ã‚‹" msgid "User actions" msgstr "利用者アクション" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "プロファイル設定編集" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "編集" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "ã“ã®åˆ©ç”¨è€…ã«ãƒ€ã‚¤ãƒ¬ã‚¯ãƒˆãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ã‚’é€ã‚‹" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "メッセージ" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 #, fuzzy msgid "Moderate" msgstr "管ç†" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "数秒å‰" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "ç´„ 1 分å‰" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "ç´„ %d 分å‰" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "ç´„ 1 時間å‰" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "ç´„ %d 時間å‰" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "ç´„ 1 æ—¥å‰" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "ç´„ %d æ—¥å‰" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "ç´„ 1 ヵ月å‰" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "ç´„ %d ヵ月å‰" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "ç´„ 1 å¹´å‰" diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index 7be2acfca..dd89d1047 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:15:20+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:56:48+0000\n" "Language-Team: Korean\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: out-statusnet\n" @@ -168,8 +168,8 @@ msgstr "" msgid "You and friends" msgstr "%s ë° ì¹œêµ¬ë“¤" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "%1$s ë° %2$sì— ìžˆëŠ” ì¹œêµ¬ë“¤ì˜ ì—…ë°ì´íŠ¸!" @@ -190,12 +190,12 @@ msgstr "%1$s ë° %2$sì— ìžˆëŠ” ì¹œêµ¬ë“¤ì˜ ì—…ë°ì´íŠ¸!" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "API 메서드를 ì°¾ì„ ìˆ˜ 없습니다." @@ -567,7 +567,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "계정" @@ -654,7 +654,7 @@ msgstr "지ì›í•˜ì§€ 않는 그림 íŒŒì¼ í˜•ì‹ìž…니다." msgid "%1$s / Favorites from %2$s" msgstr "%s / %sì˜ ì¢‹ì•„í•˜ëŠ” 글들" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, fuzzy, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s 좋아하는 ê¸€ì´ ì—…ë°ì´íŠ¸ ë습니다. %Sì— ì˜í•´ / %s." @@ -665,7 +665,7 @@ msgstr "%s 좋아하는 ê¸€ì´ ì—…ë°ì´íŠ¸ ë습니다. %Sì— ì˜í•´ / %s." msgid "%s timeline" msgstr "%s 타임ë¼ì¸" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -681,12 +681,12 @@ msgstr "%1$s / %2$sì—게 답신 ì—…ë°ì´íŠ¸" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$së‹˜ì´ %2$s/%3$sì˜ ì—…ë°ì´íŠ¸ì— 답변했습니다." -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s 공개 타임ë¼ì¸" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "모ë‘ë¡œë¶€í„°ì˜ ì—…ë°ì´íŠ¸ %sê°œ!" @@ -696,7 +696,7 @@ msgstr "모ë‘ë¡œë¶€í„°ì˜ ì—…ë°ì´íŠ¸ %sê°œ!" msgid "Repeated to %s" msgstr "%sì— ë‹µì‹ " -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, fuzzy, php-format msgid "Repeats of %s" msgstr "%sì— ë‹µì‹ " @@ -706,7 +706,7 @@ msgstr "%sì— ë‹µì‹ " msgid "Notices tagged with %s" msgstr "%s íƒœê·¸ëœ í†µì§€" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "%2$sì— ìžˆëŠ” %1$sì˜ ì—…ë°ì´íŠ¸!" @@ -768,7 +768,7 @@ msgid "Preview" msgstr "미리보기" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "ì‚­ì œ" @@ -957,7 +957,7 @@ msgstr "ë‹¹ì‹ ì€ í•´ë‹¹ ê·¸ë£¹ì˜ ë©¤ë²„ê°€ 아닙니다." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "ë‹¹ì‹ ì˜ ì„¸ì…˜í† í°ê´€ë ¨ 문제가 있습니다." @@ -1018,7 +1018,7 @@ msgstr "ì •ë§ë¡œ 통지를 삭제하시겠습니까?" msgid "Do not delete this notice" msgstr "ì´ í†µì§€ë¥¼ 지울 수 없습니다." -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "ì´ ê²Œì‹œê¸€ 삭제하기" @@ -1281,7 +1281,7 @@ msgstr "ì„¤ëª…ì´ ë„ˆë¬´ 길어요. (최대 140글ìž)" msgid "Could not update group." msgstr "ê·¸ë£¹ì„ ì—…ë°ì´íŠ¸ í•  수 없습니다." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 #, fuzzy msgid "Could not create aliases." msgstr "좋아하는 ê²Œì‹œê¸€ì„ ìƒì„±í•  수 없습니다." @@ -1736,7 +1736,7 @@ msgstr "%s 그룹 회ì›, %d페ì´ì§€" msgid "A list of the users in this group." msgstr "ì´ ê·¸ë£¹ì˜ íšŒì›ë¦¬ìŠ¤íŠ¸" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "관리ìž" @@ -2108,7 +2108,7 @@ msgstr "틀린 계정 ë˜ëŠ” 비밀 번호" msgid "Error setting user. You are probably not authorized." msgstr "ì¸ì¦ì´ ë˜ì§€ 않았습니다." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "로그ì¸" @@ -2366,7 +2366,7 @@ msgid "Only " msgstr "" #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "지ì›í•˜ëŠ” 형ì‹ì˜ ë°ì´í„°ê°€ 아닙니다." @@ -3075,7 +3075,7 @@ msgstr "í™•ì¸ ì½”ë“œ 오류" msgid "Registration successful" msgstr "íšŒì› ê°€ìž…ì´ ì„±ê³µì ìž…니다." -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "회ì›ê°€ìž…" @@ -3222,7 +3222,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "다른 마ì´í¬ë¡œë¸”로깅 ì„œë¹„ìŠ¤ì˜ ê·€í•˜ì˜ í”„ë¡œí•„ URL" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "구ë…" @@ -3265,7 +3265,7 @@ msgstr "ë¼ì´ì„ ìŠ¤ì— ë™ì˜í•˜ì§€ 않는다면 등ë¡í•  수 없습니다." msgid "You already repeated that notice." msgstr "ë‹¹ì‹ ì€ ì´ë¯¸ ì´ ì‚¬ìš©ìžë¥¼ 차단하고 있습니다." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 #, fuzzy msgid "Repeated" msgstr "ìƒì„±" @@ -4410,7 +4410,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 #, fuzzy msgid "Version" msgstr "ê°œì¸ì ì¸" @@ -4503,21 +4503,21 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "ì´ ì‚¬ì´íŠ¸ì— 게시글 í¬ìŠ¤íŒ…으로부터 ë‹¹ì‹ ì€ ê¸ˆì§€ë˜ì—ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:788 +#: classes/Notice.php:790 #, fuzzy msgid "Problem saving group inbox." msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "ë‹µì‹ ì„ ì¶”ê°€ í•  ë•Œì— ë°ì´íƒ€ë² ì´ìŠ¤ ì—러 : %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4527,11 +4527,11 @@ msgstr "%1$s (%2$s)" msgid "Welcome to %1$s, @%2$s!" msgstr "%2$sì—ì„œ %1$s까지 메시지" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "새 ê·¸ë£¹ì„ ë§Œë“¤ 수 없습니다." -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "그룹 ë§´ë²„ì‹­ì„ ì„¸íŒ…í•  수 없습니다." @@ -4573,127 +4573,127 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "제목없는 페ì´ì§€" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "주 사ì´íŠ¸ 네비게ì´ì…˜" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "홈" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "ê°œì¸ í”„ë¡œí•„ê³¼ 친구 타임ë¼ì¸" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "ë‹¹ì‹ ì˜ ì´ë©”ì¼, 아바타, 비밀 번호, í”„ë¡œí•„ì„ ë³€ê²½í•˜ì„¸ìš”." -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "ì—°ê²°" -#: lib/action.php:444 +#: lib/action.php:445 #, fuzzy msgid "Connect to services" msgstr "ì„œë²„ì— ìž¬ì ‘ì† í•  수 없습니다 : %s" -#: lib/action.php:448 +#: lib/action.php:449 #, fuzzy msgid "Change site configuration" msgstr "주 사ì´íŠ¸ 네비게ì´ì…˜" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "초대" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "%sì— ì¹œêµ¬ë¥¼ 가입시키기 위해 친구와 ë™ë£Œë¥¼ 초대합니다." -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "로그아웃" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "ì´ ì‚¬ì´íŠ¸ë¡œë¶€í„° 로그아웃" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "계정 만들기" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "ì´ ì‚¬ì´íŠ¸ 로그ì¸" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "ë„움ë§" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "ë„ì›€ì´ í•„ìš”í•´!" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "검색" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "프로필ì´ë‚˜ í…스트 검색" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "사ì´íŠ¸ 공지" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "로컬 ë·°" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "페ì´ì§€ 공지" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "ë³´ì¡° 사ì´íŠ¸ 네비게ì´ì…˜" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "ì •ë³´" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "ìžì£¼ 묻는 질문" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "ê°œì¸ì •ë³´ 취급방침" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "소스 코드" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "ì—°ë½í•˜ê¸°" -#: lib/action.php:751 +#: lib/action.php:752 #, fuzzy msgid "Badge" msgstr "찔러 보기" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "ë¼ì½”니카 소프트웨어 ë¼ì´ì„ ìŠ¤" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4702,12 +4702,12 @@ msgstr "" "**%%site.name%%** 는 [%%site.broughtby%%](%%site.broughtbyurl%%)ê°€ 제공하는 " "마ì´í¬ë¡œë¸”로깅서비스입니다." -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** 는 마ì´í¬ë¡œë¸”로깅서비스입니다." -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4718,42 +4718,42 @@ msgstr "" "ì„ ì‚¬ìš©í•©ë‹ˆë‹¤. StatusNet는 [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html) ë¼ì´ì„ ìŠ¤ì— ë”°ë¼ ì‚¬ìš©í•  수 있습니다." -#: lib/action.php:801 +#: lib/action.php:802 #, fuzzy msgid "Site content license" msgstr "ë¼ì½”니카 소프트웨어 ë¼ì´ì„ ìŠ¤" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "모든 것" -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "ë¼ì´ì„ ìŠ¤" -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "페ì´ì§€ìˆ˜" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "ë’· 페ì´ì§€" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "ì•ž 페ì´ì§€" @@ -5619,7 +5619,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 #, fuzzy msgid "from" msgstr "다ìŒì—ì„œ:" @@ -5743,51 +5743,51 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 #, fuzzy msgid "N" msgstr "아니오" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 #, fuzzy msgid "in context" msgstr "ë‚´ìš©ì´ ì—†ìŠµë‹ˆë‹¤!" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 #, fuzzy msgid "Repeated by" msgstr "ìƒì„±" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "ì´ ê²Œì‹œê¸€ì— ëŒ€í•´ 답장하기" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "답장하기" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 #, fuzzy msgid "Notice repeated" msgstr "ê²Œì‹œê¸€ì´ ë“±ë¡ë˜ì—ˆìŠµë‹ˆë‹¤." @@ -6096,68 +6096,68 @@ msgstr "아바타" msgid "User actions" msgstr "ì‚¬ìš©ìž ë™ìž‘" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 #, fuzzy msgid "Edit profile settings" msgstr "프로필 세팅" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "ì´ íšŒì›ì—게 ì§ì ‘ 메시지를 보냅니다." -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "메시지" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "몇 ì´ˆ ì „" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "1분 ì „" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "%d분 ì „" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "1시간 ì „" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "%d시간 ì „" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "하루 ì „" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "%dì¼ ì „" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "1달 ì „" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "%d달 ì „" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "1ë…„ ì „" diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index 92209e72e..5e7aba59f 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:15:23+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:56:51+0000\n" "Language-Team: Macedonian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: out-statusnet\n" @@ -172,8 +172,8 @@ msgstr "" msgid "You and friends" msgstr "Вие и пријателите" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "Подновувања од %1$s и пријатели на %2$s!" @@ -194,12 +194,12 @@ msgstr "Подновувања од %1$s и пријатели на %2$s!" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 msgid "API method not found." msgstr "API методот не е пронајден." @@ -562,7 +562,7 @@ msgstr "" "%3$s податоците за Вашата %4$s Ñметка. Треба да дозволувате " "приÑтап до Вашата %4$s Ñметка Ñамо на трети Ñтрани на кои им верувате." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "Сметка" @@ -646,7 +646,7 @@ msgstr "Ðеподдржан формат." msgid "%1$s / Favorites from %2$s" msgstr "%1$s / Омилени од %2$s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "Подновувања на %1$s омилени на %2$s / %2$s." @@ -657,7 +657,7 @@ msgstr "Подновувања на %1$s омилени на %2$s / %2$s." msgid "%s timeline" msgstr "ИÑторија на %s" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -673,12 +673,12 @@ msgstr "%1$s / Подновувања кои Ñпоменуваат %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s подновувања коишто Ñе одговор на подновувањата од %2$s / %3$s." -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "Јавна иÑторија на %s" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s подновуввања од Ñите!" @@ -688,7 +688,7 @@ msgstr "%s подновуввања од Ñите!" msgid "Repeated to %s" msgstr "Повторено за %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "Повторувања на %s" @@ -698,7 +698,7 @@ msgstr "Повторувања на %s" msgid "Notices tagged with %s" msgstr "Забелешки означени Ñо %s" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Подновувањата Ñе означени Ñо %1$s на %2$s!" @@ -761,7 +761,7 @@ msgid "Preview" msgstr "Преглед" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "Бриши" @@ -943,7 +943,7 @@ msgstr "Ðе Ñте ÑопÑтвеник на овој програм." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "Се појави проблем Ñо Вашиот ÑеÑиÑки жетон." @@ -1003,7 +1003,7 @@ msgstr "Дали Ñте Ñигурни дека Ñакате да ја избр msgid "Do not delete this notice" msgstr "Ðе ја бриши оваа забелешка" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "Бриши ја оваа забелешка" @@ -1244,7 +1244,7 @@ msgstr "опиÑот е предолг (макÑимум %d знаци)" msgid "Could not update group." msgstr "Ðе можев да ја подновам групата." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "Ðе можеше да Ñе Ñоздадат алијаÑи." @@ -1691,7 +1691,7 @@ msgstr "Членови на групата %1$s, ÑÑ‚Ñ€. %2$d" msgid "A list of the users in this group." msgstr "ЛиÑта на кориÑниците на овааг група." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "ÐдминиÑтратор" @@ -2077,7 +2077,7 @@ msgstr "Ðеточно кориÑничко име или лозинка" msgid "Error setting user. You are probably not authorized." msgstr "Грешка при поÑтавувањето на кориÑникот. Веројатно не Ñе заверени." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Ðајава" @@ -2336,7 +2336,7 @@ msgid "Only " msgstr "Само " #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "Ова не е поддржан формат на податотека." @@ -3045,7 +3045,7 @@ msgstr "Жалиме, неважечки код за поканата." msgid "Registration successful" msgstr "РегиÑтрацијата е уÑпешна" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "РегиÑтрирај Ñе" @@ -3196,7 +3196,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL на Вашиот профил на друга компатибилна Ñлужба за микроблогирање." #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "Претплати Ñе" @@ -3234,7 +3234,7 @@ msgstr "Ðе можете да повторувате ÑопÑтвена заб msgid "You already repeated that notice." msgstr "Веќе ја имате повторено таа забелешка." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 msgid "Repeated" msgstr "Повторено" @@ -4413,7 +4413,7 @@ msgstr "" msgid "Plugins" msgstr "Приклучоци" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 msgid "Version" msgstr "Верзија" @@ -4502,20 +4502,20 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "Забрането Ви е да објавувате забелешки на оваа веб-Ñтраница." -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "Проблем во зачувувањето на белешката." -#: classes/Notice.php:788 +#: classes/Notice.php:790 msgid "Problem saving group inbox." msgstr "Проблем при зачувувањето на групното приемно Ñандаче." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Одговор од внеÑот во базата: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4525,11 +4525,11 @@ msgstr "RT @%1$s %2$s" msgid "Welcome to %1$s, @%2$s!" msgstr "Добредојдовте на %1$s, @%2$s!" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "Ðе можев да ја Ñоздадам групата." -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "Ðе можев да назначам членÑтво во групата." @@ -4570,124 +4570,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Страница без наÑлов" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "Главна навигација" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "Дома" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "Личен профил и иÑторија на пријатели" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "Промена на е-пошта, аватар, лозинка, профил" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "Поврзи Ñе" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect to services" msgstr "Поврзи Ñе Ñо уÑлуги" -#: lib/action.php:448 +#: lib/action.php:449 msgid "Change site configuration" msgstr "Промена на конфигурацијата на веб-Ñтраницата" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "Покани" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Поканете пријатели и колеги да Ви Ñе придружат на %s" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Одјави Ñе" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "Одјава" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "Создај Ñметка" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "Ðајава" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Помош" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "Ðапомош!" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "Барај" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "Пребарајте луѓе или текÑÑ‚" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "Ðапомена за веб-Ñтраницата" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "Локални прегледи" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "Ðапомена за Ñтраницата" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "Споредна навигација" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "За" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "ЧПП" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "УÑлови" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "ПриватноÑÑ‚" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "Изворен код" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Контакт" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "Значка" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "Лиценца на програмот StatusNet" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4696,12 +4696,12 @@ msgstr "" "**%%site.name%%** е ÑÐµÑ€Ð²Ð¸Ñ Ð·Ð° микроблогирање што ви го овозможува [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** е ÑÐµÑ€Ð²Ð¸Ñ Ð·Ð° микроблогирање." -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4712,45 +4712,45 @@ msgstr "" "верзија %s, доÑтапен пд [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "Лиценца на Ñодржините на веб-Ñтраницата" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Содржината и податоците на %1$s Ñе лични и доверливи." -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "ÐвторÑките права на Ñодржината и податоците Ñе во ÑопÑтвеноÑÑ‚ на %1$s. Сите " "права задржани." -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "ÐвторÑките права на Ñодржината и податоците им припаѓаат на учеÑниците. Сите " "права задржани." -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "Сите " -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "лиценца." -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "Прелом на Ñтраници" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "По" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "Пред" @@ -5714,7 +5714,7 @@ msgstr "" "впуштите во разговор Ñо други кориÑници. Луѓето можат да ви иÑпраќаат пораки " "што ќе можете да ги видите Ñамо Вие." -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "од" @@ -5842,48 +5842,48 @@ msgstr "" "Жалиме, но добивањето на Вашата меÑтоположба трае подолго од очекуваното. " "Обидете Ñе подоцна." -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "С" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "Ј" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "И" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "З" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "во" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "во контекÑÑ‚" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 msgid "Repeated by" msgstr "Повторено од" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "Одговори на забелешкава" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "Одговор" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 msgid "Notice repeated" msgstr "Забелешката е повторена" @@ -6174,67 +6174,67 @@ msgstr "Уреди аватар" msgid "User actions" msgstr "КориÑнички дејÑтва" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "Уреди нагодувања на профилот" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "Уреди" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "ИÑпрати му директна порака на кориÑников" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "Порака" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "Модерирај" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "пред неколку Ñекунди" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "пред една минута" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "пред %d минути" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "пред еден чаÑ" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "пред %d чаÑа" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "пред еден ден" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "пред %d денови" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "пред еден меÑец" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "пред %d меÑеца" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "пред една година" diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index ab74ad1dc..5e48b8635 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:15:26+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:56:54+0000\n" "Language-Team: Norwegian (bokmÃ¥l)‬\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: out-statusnet\n" @@ -167,8 +167,8 @@ msgstr "" msgid "You and friends" msgstr "Du og venner" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "Oppdateringer fra %1$s og venner pÃ¥ %2$s!" @@ -189,12 +189,12 @@ msgstr "Oppdateringer fra %1$s og venner pÃ¥ %2$s!" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "API-metode ikke funnet!" @@ -552,7 +552,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "Konto" @@ -627,14 +627,14 @@ msgstr "" #: actions/apisubscriptions.php:231 actions/apisubscriptions.php:261 msgid "Unsupported format." -msgstr "" +msgstr "Formatet støttes ikke." #: actions/apitimelinefavorites.php:108 #, php-format msgid "%1$s / Favorites from %2$s" msgstr "%1$s / Favoritter fra %2$s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s oppdateringer markert som favoritt av %2$s / %2$s." @@ -645,7 +645,7 @@ msgstr "%1$s oppdateringer markert som favoritt av %2$s / %2$s." msgid "%s timeline" msgstr "%s tidslinje" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -661,12 +661,12 @@ msgstr "%1$s / Oppdateringer som nevner %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s oppdateringer som svarer pÃ¥ oppdateringer fra %2$s / %3$s." -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s offentlig tidslinje" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s oppdateringer fra alle sammen!" @@ -676,17 +676,17 @@ msgstr "%s oppdateringer fra alle sammen!" msgid "Repeated to %s" msgstr "Gjentatt til %s" -#: actions/apitimelineretweetsofme.php:112 -#, fuzzy, php-format +#: actions/apitimelineretweetsofme.php:114 +#, php-format msgid "Repeats of %s" -msgstr "Svar til %s" +msgstr "Repetisjoner av %s" #: actions/apitimelinetag.php:102 actions/tag.php:66 #, php-format msgid "Notices tagged with %s" msgstr "Notiser merket med %s" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Oppdateringer merket med %1$s pÃ¥ %2$s!" @@ -733,9 +733,8 @@ msgstr "" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 #: actions/grouplogo.php:251 -#, fuzzy msgid "Avatar settings" -msgstr "Innstillinger for IM" +msgstr "Avatarinnstillinger" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 #: actions/grouplogo.php:199 actions/grouplogo.php:259 @@ -748,7 +747,7 @@ msgid "Preview" msgstr "ForhÃ¥ndsvis" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "Slett" @@ -774,12 +773,11 @@ msgstr "Brukerbildet har blitt oppdatert." #: actions/avatarsettings.php:369 msgid "Failed updating avatar." -msgstr "" +msgstr "Oppdatering av avatar mislyktes." #: actions/avatarsettings.php:393 -#, fuzzy msgid "Avatar deleted." -msgstr "Brukerbildet har blitt oppdatert." +msgstr "Avatar slettet." #: actions/block.php:69 msgid "You already blocked that user." @@ -858,11 +856,11 @@ msgstr "" #: actions/bookmarklet.php:50 msgid "Post to " -msgstr "" +msgstr "Post til " #: actions/confirmaddress.php:75 msgid "No confirmation code." -msgstr "" +msgstr "Ingen bekreftelseskode." #: actions/confirmaddress.php:80 msgid "Confirmation code not found." @@ -879,7 +877,7 @@ msgstr "" #: actions/confirmaddress.php:94 msgid "That address has already been confirmed." -msgstr "" +msgstr "Den adressen har allerede blitt bekreftet." #: actions/confirmaddress.php:114 actions/emailsettings.php:296 #: actions/emailsettings.php:427 actions/imsettings.php:258 @@ -892,7 +890,7 @@ msgstr "Klarte ikke Ã¥ oppdatere bruker." #: actions/confirmaddress.php:126 actions/emailsettings.php:391 #: actions/imsettings.php:363 actions/smssettings.php:382 msgid "Couldn't delete email confirmation." -msgstr "" +msgstr "Kunne ikke slette e-postbekreftelse." #: actions/confirmaddress.php:144 msgid "Confirm address" @@ -901,7 +899,7 @@ msgstr "Bekreft adresse" #: actions/confirmaddress.php:159 #, php-format msgid "The address \"%s\" has been confirmed for your account." -msgstr "" +msgstr "Adressen «%s» har blitt bekreftet for din konto." #: actions/conversation.php:99 msgid "Conversation" @@ -913,31 +911,27 @@ msgid "Notices" msgstr "" #: actions/deleteapplication.php:63 -#, fuzzy msgid "You must be logged in to delete an application." -msgstr "Gjør brukeren til en administrator for gruppen" +msgstr "Du mÃ¥ være innlogget for Ã¥ slette et program." #: actions/deleteapplication.php:71 -#, fuzzy msgid "Application not found." -msgstr "Fant ikke bekreftelseskode." +msgstr "Program ikke funnet." #: actions/deleteapplication.php:78 actions/editapplication.php:77 #: actions/showapplication.php:94 -#, fuzzy msgid "You are not the owner of this application." -msgstr "Du er allerede logget inn!" +msgstr "Du er ikke eieren av dette programmet." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "" #: actions/deleteapplication.php:123 actions/deleteapplication.php:147 -#, fuzzy msgid "Delete application" -msgstr "Ingen slik side" +msgstr "Slett program" #: actions/deleteapplication.php:149 msgid "" @@ -945,16 +939,17 @@ msgid "" "about the application from the database, including all existing user " "connections." msgstr "" +"Er du sikker pÃ¥ at du vil slette dette programmet? Dette vil slette alle " +"data om programmet fra databasen, inkludert alle eksisterende " +"brukertilkoblinger." #: actions/deleteapplication.php:156 -#, fuzzy msgid "Do not delete this application" -msgstr "Kan ikke slette notisen." +msgstr "Ikke slett dette programmet" #: actions/deleteapplication.php:160 -#, fuzzy msgid "Delete this application" -msgstr "Beskriv degselv og dine interesser med 140 tegn" +msgstr "Slett dette programmet" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 @@ -975,6 +970,8 @@ msgid "" "You are about to permanently delete a notice. Once this is done, it cannot " "be undone." msgstr "" +"Du er i ferd med Ã¥ slette en notis permanent. NÃ¥r dette er gjort kan det " +"ikke gjøres om." #: actions/deletenotice.php:109 actions/deletenotice.php:141 msgid "Delete notice" @@ -988,7 +985,7 @@ msgstr "Er du sikker pÃ¥ at du vil slette denne notisen?" msgid "Do not delete this notice" msgstr "Ikke slett denne notisen" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "Slett denne notisen" @@ -1009,6 +1006,8 @@ msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" +"Er du sikker pÃ¥ at du vil slette denne brukeren? Dette vil slette alle data " +"om brukeren fra databasen, uten sikkerhetskopi." #: actions/deleteuser.php:148 lib/deleteuserform.php:77 msgid "Delete this user" @@ -1024,9 +1023,8 @@ msgid "Design settings for this StatusNet site." msgstr "" #: actions/designadminpanel.php:275 -#, fuzzy msgid "Invalid logo URL." -msgstr "Ugyldig størrelse" +msgstr "Ugyldig logo-URL." #: actions/designadminpanel.php:279 #, php-format @@ -1126,7 +1124,7 @@ msgstr "" #: actions/disfavor.php:81 msgid "This notice is not a favorite!" -msgstr "" +msgstr "Denne notisen er ikke en favoritt!" #: actions/disfavor.php:94 msgid "Add to favorites" @@ -1135,27 +1133,24 @@ msgstr "Legg til i favoritter" #: actions/doc.php:158 #, php-format msgid "No such document \"%s\"" -msgstr "" +msgstr "Inget slikt dokument «%s»" #: actions/editapplication.php:54 -#, fuzzy msgid "Edit Application" -msgstr "Ingen slik side" +msgstr "Rediger program" #: actions/editapplication.php:66 -#, fuzzy msgid "You must be logged in to edit an application." -msgstr "Gjør brukeren til en administrator for gruppen" +msgstr "Du mÃ¥ være innlogget for Ã¥ redigere et program." #: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 -#, fuzzy msgid "No such application." -msgstr "Ingen slik side" +msgstr "Inget slikt program." #: actions/editapplication.php:161 msgid "Use this form to edit your application." -msgstr "" +msgstr "Bruk dette skjemaet for Ã¥ redigere programmet ditt." #: actions/editapplication.php:177 actions/newapplication.php:159 msgid "Name is required." @@ -1234,7 +1229,7 @@ msgstr "beskrivelse er for lang (maks %d tegn)" msgid "Could not update group." msgstr "Kunne ikke oppdatere gruppe." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "Kunne ikke opprette alias." @@ -1243,9 +1238,8 @@ msgid "Options saved." msgstr "" #: actions/emailsettings.php:60 -#, fuzzy msgid "Email settings" -msgstr "Innstillinger for e-post" +msgstr "E-postinnstillinger" #: actions/emailsettings.php:71 #, php-format @@ -1403,7 +1397,7 @@ msgstr "Det er ikke din e-postadresse." #: actions/emailsettings.php:432 actions/imsettings.php:408 #: actions/smssettings.php:425 msgid "The address was removed." -msgstr "" +msgstr "Adressen ble fjernet." #: actions/emailsettings.php:446 actions/smssettings.php:518 msgid "No incoming email address." @@ -1433,12 +1427,12 @@ msgstr "" #: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" -msgstr "" +msgstr "Populære notiser" #: actions/favorited.php:67 #, php-format msgid "Popular notices, page %d" -msgstr "" +msgstr "Populære notiser, side %d" #: actions/favorited.php:79 msgid "The most popular notices on the site right now." @@ -1669,7 +1663,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "En liste over brukerne i denne gruppen." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" @@ -2027,7 +2021,7 @@ msgstr "Feil brukernavn eller passord" msgid "Error setting user. You are probably not authorized." msgstr "Ikke autorisert." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Logg inn" @@ -2272,7 +2266,7 @@ msgid "Only " msgstr "Bare " #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "" @@ -2965,7 +2959,7 @@ msgstr "" msgid "Registration successful" msgstr "" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "" @@ -3108,7 +3102,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "" @@ -3146,7 +3140,7 @@ msgstr "" msgid "You already repeated that notice." msgstr "Du er allerede logget inn!" -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 msgid "Repeated" msgstr "Gjentatt" @@ -4266,7 +4260,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 #, fuzzy msgid "Version" msgstr "Personlig" @@ -4352,20 +4346,20 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:788 +#: classes/Notice.php:790 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4375,12 +4369,12 @@ msgstr "" msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:380 +#: classes/User_group.php:413 #, fuzzy msgid "Could not create group." msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" -#: classes/User_group.php:409 +#: classes/User_group.php:442 #, fuzzy msgid "Could not set group membership." msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" @@ -4423,126 +4417,126 @@ msgstr "%1$s sin status pÃ¥ %2$s" msgid "Untitled page" msgstr "" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "Hjem" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "Koble til" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect to services" msgstr "" -#: lib/action.php:448 +#: lib/action.php:449 msgid "Change site configuration" msgstr "" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Logg ut" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "" -#: lib/action.php:463 +#: lib/action.php:464 #, fuzzy msgid "Create an account" msgstr "Opprett en ny konto" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Hjelp" -#: lib/action.php:469 +#: lib/action.php:470 #, fuzzy msgid "Help me!" msgstr "Hjelp" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "Søk" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "Om" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "OSS/FAQ" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "Kilde" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4551,12 +4545,12 @@ msgstr "" "**%%site.name%%** er en mikrobloggingtjeneste av [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** er en mikrobloggingtjeneste. " -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4564,41 +4558,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "" -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "" -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "" -#: lib/action.php:1147 +#: lib/action.php:1150 #, fuzzy msgid "Before" msgstr "Tidligere »" @@ -5458,7 +5452,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 #, fuzzy msgid "from" msgstr "fra" @@ -5583,50 +5577,50 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 #, fuzzy msgid "Repeated by" msgstr "Opprett" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 #, fuzzy msgid "Reply" msgstr "svar" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 #, fuzzy msgid "Notice repeated" msgstr "Nytt nick" @@ -5931,68 +5925,68 @@ msgstr "Brukerbilde" msgid "User actions" msgstr "" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 #, fuzzy msgid "Edit profile settings" msgstr "Endre profilinnstillingene dine" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "noen fÃ¥ sekunder siden" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "omtrent ett minutt siden" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "omtrent %d minutter siden" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "omtrent én time siden" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "omtrent %d timer siden" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "omtrent én dag siden" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "omtrent %d dager siden" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "omtrent én mÃ¥ned siden" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "omtrent %d mÃ¥neder siden" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "omtrent ett Ã¥r siden" diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index b1a54d06a..54c042b2f 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:15:32+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:57:00+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: out-statusnet\n" @@ -171,8 +171,8 @@ msgstr "" msgid "You and friends" msgstr "U en vrienden" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "Updates van %1$s en vrienden op %2$s." @@ -193,12 +193,12 @@ msgstr "Updates van %1$s en vrienden op %2$s." #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 msgid "API method not found." msgstr "De API-functie is niet aangetroffen." @@ -572,7 +572,7 @@ msgstr "" "van het type \"%3$s tot uw gebruikersgegevens. Geef alleen " "toegang tot uw gebruiker bij %4$s aan derde partijen die u vertrouwt." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "Gebruiker" @@ -656,7 +656,7 @@ msgstr "Niet-ondersteund bestandsformaat." msgid "%1$s / Favorites from %2$s" msgstr "%1$s / Favorieten van %2$s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s updates op de favorietenlijst geplaatst door %2$s / %3$s" @@ -667,7 +667,7 @@ msgstr "%1$s updates op de favorietenlijst geplaatst door %2$s / %3$s" msgid "%s timeline" msgstr "%s tijdlijn" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -683,12 +683,12 @@ msgstr "%1$s / Updates over %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s updates die een reactie zijn op updates van %2$s / %3$s." -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s publieke tijdlijn" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s updates van iedereen" @@ -698,7 +698,7 @@ msgstr "%s updates van iedereen" msgid "Repeated to %s" msgstr "Herhaald naar %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "Herhaald van %s" @@ -708,7 +708,7 @@ msgstr "Herhaald van %s" msgid "Notices tagged with %s" msgstr "Mededelingen met het label %s" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Updates met het label %1$s op %2$s!" @@ -770,7 +770,7 @@ msgid "Preview" msgstr "Voorvertoning" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "Verwijderen" @@ -952,7 +952,7 @@ msgstr "U bent niet de eigenaar van deze applicatie." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "Er is een probleem met uw sessietoken." @@ -1012,7 +1012,7 @@ msgstr "Weet u zeker dat u deze aankondiging wilt verwijderen?" msgid "Do not delete this notice" msgstr "Deze mededeling niet verwijderen" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "Deze mededeling verwijderen" @@ -1254,7 +1254,7 @@ msgstr "de beschrijving is te lang (maximaal %d tekens)" msgid "Could not update group." msgstr "Het was niet mogelijk de groep bij te werken." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "Het was niet mogelijk de aliassen aan te maken." @@ -1705,7 +1705,7 @@ msgstr "%1$s groeps leden, pagina %2$d" msgid "A list of the users in this group." msgstr "Ledenlijst van deze groep" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "Beheerder" @@ -2095,7 +2095,7 @@ msgstr "" "Er is een fout opgetreden bij het maken van de instellingen. U hebt " "waarschijnlijk niet de juiste rechten." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Aanmelden" @@ -2355,7 +2355,7 @@ msgid "Only " msgstr "Alleen " #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "Geen ondersteund gegevensformaat." @@ -3068,7 +3068,7 @@ msgstr "Sorry. De uitnodigingscode is ongeldig." msgid "Registration successful" msgstr "De registratie is voltooid" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registreren" @@ -3217,7 +3217,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "De URL van uw profiel bij een andere, compatibele microblogdienst" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "Abonneren" @@ -3255,7 +3255,7 @@ msgstr "U kunt uw eigen mededeling niet herhalen." msgid "You already repeated that notice." msgstr "U hent die mededeling al herhaald." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 msgid "Repeated" msgstr "Herhaald" @@ -4440,7 +4440,7 @@ msgstr "" msgid "Plugins" msgstr "Plug-ins" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 msgid "Version" msgstr "Versie" @@ -4535,23 +4535,23 @@ msgid "You are banned from posting notices on this site." msgstr "" "U bent geblokkeerd en mag geen mededelingen meer achterlaten op deze site." -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "Er is een probleem opgetreden bij het opslaan van de mededeling." -#: classes/Notice.php:788 +#: classes/Notice.php:790 msgid "Problem saving group inbox." msgstr "" "Er is een probleem opgetreden bij het opslaan van het Postvak IN van de " "groep." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "" "Er is een databasefout opgetreden bij het invoegen van het antwoord: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4561,11 +4561,11 @@ msgstr "RT @%1$s %2$s" msgid "Welcome to %1$s, @%2$s!" msgstr "Welkom bij %1$s, @%2$s!" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "Het was niet mogelijk de groep aan te maken." -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "Het was niet mogelijk het groepslidmaatschap in te stellen." @@ -4606,124 +4606,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Naamloze pagina" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "Primaire sitenavigatie" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "Start" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "Persoonlijk profiel en tijdlijn van vrienden" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "Uw e-mailadres, avatar, wachtwoord of profiel wijzigen" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "Koppelen" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect to services" msgstr "Met diensten verbinden" -#: lib/action.php:448 +#: lib/action.php:449 msgid "Change site configuration" msgstr "Websiteinstellingen wijzigen" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "Uitnodigen" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Vrienden en collega's uitnodigen om u te vergezellen op %s" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Afmelden" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "Van de site afmelden" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "Gebruiker aanmaken" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "Bij de site aanmelden" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Help" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "Help me!" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "Zoeken" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "Naar gebruikers of tekst zoeken" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "Mededeling van de website" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "Lokale weergaven" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "Mededeling van de pagina" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "Secundaire sitenavigatie" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "Over" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "Veel gestelde vragen" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "Gebruiksvoorwaarden" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "Privacy" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "Broncode" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Contact" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "Widget" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "Licentie van de StatusNet-software" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4732,12 +4732,12 @@ msgstr "" "**%%site.name%%** is een microblogdienst van [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** is een microblogdienst. " -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4748,45 +4748,45 @@ msgstr "" "versie %s, beschikbaar onder de [GNU Affero General Public License](http://" "www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "Licentie voor siteinhoud" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Inhoud en gegevens van %1$s zijn persoonlijk en vertrouwelijk." -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "Auteursrechten op inhoud en gegevens rusten bij %1$s. Alle rechten " "voorbehouden." -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Auteursrechten op inhoud en gegevens rusten bij de respectievelijke " "gebruikers. Alle rechten voorbehouden." -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "Alle " -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "licentie." -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "Paginering" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "Later" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "Eerder" @@ -5757,7 +5757,7 @@ msgstr "" "U hebt geen privéberichten. U kunt privéberichten verzenden aan andere " "gebruikers. Mensen kunnen u privéberichten sturen die alleen u kunt lezen." -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "van" @@ -5885,48 +5885,48 @@ msgstr "" "Het ophalen van uw geolocatie duurt langer dan verwacht. Probeer het later " "nog eens" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "N" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "Z" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "O" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "W" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "op" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "in context" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 msgid "Repeated by" msgstr "Herhaald door" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "Op deze mededeling antwoorden" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "Antwoorden" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 msgid "Notice repeated" msgstr "Mededeling herhaald" @@ -6217,67 +6217,67 @@ msgstr "Avatar bewerken" msgid "User actions" msgstr "Gebruikershandelingen" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "Profielinstellingen bewerken" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "Bewerken" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "Deze gebruiker een direct bericht zenden" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "Bericht" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "Modereren" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "een paar seconden geleden" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "ongeveer een minuut geleden" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "ongeveer %d minuten geleden" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "ongeveer een uur geleden" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "ongeveer %d uur geleden" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "ongeveer een dag geleden" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "ongeveer %d dagen geleden" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "ongeveer een maand geleden" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "ongeveer %d maanden geleden" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "ongeveer een jaar geleden" diff --git a/locale/nn/LC_MESSAGES/statusnet.po b/locale/nn/LC_MESSAGES/statusnet.po index e3e2cf80e..b82d1f96a 100644 --- a/locale/nn/LC_MESSAGES/statusnet.po +++ b/locale/nn/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:15:29+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:56:57+0000\n" "Language-Team: Norwegian Nynorsk\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nn\n" "X-Message-Group: out-statusnet\n" @@ -168,8 +168,8 @@ msgstr "" msgid "You and friends" msgstr "%s med vener" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "Oppdateringar frÃ¥ %1$s og vener pÃ¥ %2$s!" @@ -190,12 +190,12 @@ msgstr "Oppdateringar frÃ¥ %1$s og vener pÃ¥ %2$s!" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Fann ikkje API-metode." @@ -565,7 +565,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "Konto" @@ -652,7 +652,7 @@ msgstr "Støttar ikkje bileteformatet." msgid "%1$s / Favorites from %2$s" msgstr "%s / Favorittar frÃ¥ %s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, fuzzy, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s oppdateringar favorisert av %s / %s." @@ -663,7 +663,7 @@ msgstr "%s oppdateringar favorisert av %s / %s." msgid "%s timeline" msgstr "%s tidsline" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -679,12 +679,12 @@ msgstr "%1$s / Oppdateringar som svarar til %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s oppdateringar som svarar pÃ¥ oppdateringar frÃ¥ %2$s / %3$s." -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s offentleg tidsline" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s oppdateringar frÃ¥ alle saman!" @@ -694,7 +694,7 @@ msgstr "%s oppdateringar frÃ¥ alle saman!" msgid "Repeated to %s" msgstr "Svar til %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, fuzzy, php-format msgid "Repeats of %s" msgstr "Svar til %s" @@ -704,7 +704,7 @@ msgstr "Svar til %s" msgid "Notices tagged with %s" msgstr "Notisar merka med %s" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Oppdateringar frÃ¥ %1$s pÃ¥ %2$s!" @@ -766,7 +766,7 @@ msgid "Preview" msgstr "Forhandsvis" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "Slett" @@ -955,7 +955,7 @@ msgstr "Du er ikkje medlem av den gruppa." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "Det var eit problem med sesjons billetten din." @@ -1017,7 +1017,7 @@ msgstr "Sikker pÃ¥ at du vil sletta notisen?" msgid "Do not delete this notice" msgstr "Kan ikkje sletta notisen." -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "Slett denne notisen" @@ -1280,7 +1280,7 @@ msgstr "skildringa er for lang (maks 140 teikn)." msgid "Could not update group." msgstr "Kann ikkje oppdatera gruppa." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 #, fuzzy msgid "Could not create aliases." msgstr "Kunne ikkje lagre favoritt." @@ -1736,7 +1736,7 @@ msgstr "%s medlemmar i gruppa, side %d" msgid "A list of the users in this group." msgstr "Ei liste over brukarane i denne gruppa." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" @@ -2110,7 +2110,7 @@ msgstr "Feil brukarnamn eller passord" msgid "Error setting user. You are probably not authorized." msgstr "Ikkje autorisert." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Logg inn" @@ -2371,7 +2371,7 @@ msgid "Only " msgstr "" #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "Ikkje eit støtta dataformat." @@ -3085,7 +3085,7 @@ msgstr "Feil med stadfestingskode." msgid "Registration successful" msgstr "Registreringa gikk bra" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registrér" @@ -3235,7 +3235,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL til profilsida di pÃ¥ ei anna kompatibel mikrobloggingteneste." #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "Ting" @@ -3278,7 +3278,7 @@ msgstr "Du kan ikkje registrera deg om du ikkje godtek vilkÃ¥ra i lisensen." msgid "You already repeated that notice." msgstr "Du har allereie blokkert denne brukaren." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 #, fuzzy msgid "Repeated" msgstr "Lag" @@ -4429,7 +4429,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 #, fuzzy msgid "Version" msgstr "Personleg" @@ -4520,21 +4520,21 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "Du kan ikkje lengre legge inn notisar pÃ¥ denne sida." -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "Eit problem oppstod ved lagring av notis." -#: classes/Notice.php:788 +#: classes/Notice.php:790 #, fuzzy msgid "Problem saving group inbox." msgstr "Eit problem oppstod ved lagring av notis." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Databasefeil, kan ikkje lagra svar: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4544,11 +4544,11 @@ msgstr "%1$s (%2$s)" msgid "Welcome to %1$s, @%2$s!" msgstr "Melding til %1$s pÃ¥ %2$s" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "Kunne ikkje laga gruppa." -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "Kunne ikkje bli med i gruppa." @@ -4590,127 +4590,127 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Ingen tittel" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "Navigasjon for hovudsida" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "Heim" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "Personleg profil og oversyn over vener" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "Endra e-posten, avataren, passordet eller profilen" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "Kopla til" -#: lib/action.php:444 +#: lib/action.php:445 #, fuzzy msgid "Connect to services" msgstr "Klarte ikkje Ã¥ omdirigera til tenaren: %s" -#: lib/action.php:448 +#: lib/action.php:449 #, fuzzy msgid "Change site configuration" msgstr "Navigasjon for hovudsida" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "Invitér" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Inviter vennar og kollega til Ã¥ bli med deg pÃ¥ %s" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Logg ut" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "Logg ut or sida" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "Opprett ny konto" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "Logg inn or sida" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Hjelp" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "Hjelp meg!" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "Søk" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "Søk etter folk eller innhald" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "Statusmelding" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "Lokale syningar" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "Sidenotis" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "AndrenivÃ¥s side navigasjon" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "Om" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "OSS" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "Personvern" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "Kjeldekode" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:751 +#: lib/action.php:752 #, fuzzy msgid "Badge" msgstr "Dult" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "StatusNets programvarelisens" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4719,12 +4719,12 @@ msgstr "" "**%%site.name%%** er ei mikrobloggingteneste av [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** er ei mikrobloggingteneste. " -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4735,42 +4735,42 @@ msgstr "" "%s, tilgjengeleg under [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:802 #, fuzzy msgid "Site content license" msgstr "StatusNets programvarelisens" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "Alle" -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "lisens." -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "Paginering" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "« Etter" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "Før »" @@ -5646,7 +5646,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 #, fuzzy msgid "from" msgstr " frÃ¥ " @@ -5770,51 +5770,51 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 #, fuzzy msgid "N" msgstr "Nei" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 #, fuzzy msgid "in context" msgstr "Ingen innhald." -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 #, fuzzy msgid "Repeated by" msgstr "Lag" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "Svar pÃ¥ denne notisen" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "Svar" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 #, fuzzy msgid "Notice repeated" msgstr "Melding lagra" @@ -6123,68 +6123,68 @@ msgstr "Brukarbilete" msgid "User actions" msgstr "Brukarverkty" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 #, fuzzy msgid "Edit profile settings" msgstr "Profilinnstillingar" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "Send ei direktemelding til denne brukaren" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "Melding" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "eit par sekund sidan" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "omtrent eitt minutt sidan" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "~%d minutt sidan" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "omtrent ein time sidan" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "~%d timar sidan" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "omtrent ein dag sidan" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "~%d dagar sidan" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "omtrent ein mÃ¥nad sidan" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "~%d mÃ¥nadar sidan" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "omtrent eitt Ã¥r sidan" diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index a13f6362b..a66185027 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:15:35+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:57:04+0000\n" "Last-Translator: Piotr DrÄ…g \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -19,7 +19,7 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: out-statusnet\n" @@ -174,8 +174,8 @@ msgstr "" msgid "You and friends" msgstr "Ty i przyjaciele" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "Aktualizacje z %1$s i przyjaciół na %2$s." @@ -196,12 +196,12 @@ msgstr "Aktualizacje z %1$s i przyjaciół na %2$s." #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 msgid "API method not found." msgstr "Nie odnaleziono metody API." @@ -562,7 +562,7 @@ msgstr "" "uzyskać możliwość %3$s danych konta %4$s. DostÄ™p do konta %4" "$s powinien być udostÄ™pniany tylko zaufanym osobom trzecim." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "Konto" @@ -644,7 +644,7 @@ msgstr "NieobsÅ‚ugiwany format." msgid "%1$s / Favorites from %2$s" msgstr "%1$s/ulubione wpisy od %2$s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "Użytkownik %1$s aktualizuje ulubione wedÅ‚ug %2$s/%2$s." @@ -655,7 +655,7 @@ msgstr "Użytkownik %1$s aktualizuje ulubione wedÅ‚ug %2$s/%2$s." msgid "%s timeline" msgstr "OÅ› czasu użytkownika %s" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -671,12 +671,12 @@ msgstr "%1$s/aktualizacje wspominajÄ…ce %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s aktualizuje tÄ™ odpowiedź na aktualizacje od %2$s/%3$s." -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "Publiczna oÅ› czasu użytkownika %s" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "Użytkownik %s aktualizuje od każdego." @@ -686,7 +686,7 @@ msgstr "Użytkownik %s aktualizuje od każdego." msgid "Repeated to %s" msgstr "Powtórzone dla %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "Powtórzenia %s" @@ -696,7 +696,7 @@ msgstr "Powtórzenia %s" msgid "Notices tagged with %s" msgstr "Wpisy ze znacznikiem %s" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Aktualizacje ze znacznikiem %1$s na %2$s." @@ -757,7 +757,7 @@ msgid "Preview" msgstr "PodglÄ…d" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "UsuÅ„" @@ -938,7 +938,7 @@ msgstr "Nie jesteÅ› wÅ‚aÅ›cicielem tej aplikacji." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "WystÄ…piÅ‚ problem z tokenem sesji." @@ -997,7 +997,7 @@ msgstr "JesteÅ› pewien, że chcesz usunąć ten wpis?" msgid "Do not delete this notice" msgstr "Nie usuwaj tego wpisu" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "UsuÅ„ ten wpis" @@ -1236,7 +1236,7 @@ msgstr "opis jest za dÅ‚ugi (maksymalnie %d znaków)." msgid "Could not update group." msgstr "Nie można zaktualizować grupy." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "Nie można utworzyć aliasów." @@ -1675,7 +1675,7 @@ msgstr "CzÅ‚onkowie grupy %1$s, strona %2$d" msgid "A list of the users in this group." msgstr "Lista użytkowników znajdujÄ…cych siÄ™ w tej grupie." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" @@ -2059,7 +2059,7 @@ msgstr "Niepoprawna nazwa użytkownika lub hasÅ‚o." msgid "Error setting user. You are probably not authorized." msgstr "BÅ‚Ä…d podczas ustawiania użytkownika. Prawdopodobnie brak upoważnienia." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Zaloguj siÄ™" @@ -2315,7 +2315,7 @@ msgid "Only " msgstr "Tylko " #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "To nie jest obsÅ‚ugiwany format danych." @@ -3019,7 +3019,7 @@ msgstr "NieprawidÅ‚owy kod zaproszenia." msgid "Registration successful" msgstr "Rejestracja powiodÅ‚a siÄ™" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Zarejestruj siÄ™" @@ -3169,7 +3169,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "Adres URL profilu na innej, zgodnej usÅ‚udze mikroblogowania" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "Subskrybuj" @@ -3207,7 +3207,7 @@ msgstr "Nie można powtórzyć wÅ‚asnego wpisu." msgid "You already repeated that notice." msgstr "Już powtórzono ten wpis." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 msgid "Repeated" msgstr "Powtórzono" @@ -4380,7 +4380,7 @@ msgstr "" msgid "Plugins" msgstr "Wtyczki" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 msgid "Version" msgstr "Wersja" @@ -4471,20 +4471,20 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "Zabroniono ci wysyÅ‚ania wpisów na tej witrynie." -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "Problem podczas zapisywania wpisu." -#: classes/Notice.php:788 +#: classes/Notice.php:790 msgid "Problem saving group inbox." msgstr "Problem podczas zapisywania skrzynki odbiorczej grupy." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "BÅ‚Ä…d bazy danych podczas wprowadzania odpowiedzi: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4494,11 +4494,11 @@ msgstr "RT @%1$s %2$s" msgid "Welcome to %1$s, @%2$s!" msgstr "Witaj w %1$s, @%2$s." -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "Nie można utworzyć grupy." -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "Nie można ustawić czÅ‚onkostwa w grupie." @@ -4539,124 +4539,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Strona bez nazwy" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "Główna nawigacja witryny" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "Strona domowa" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "Profil osobisty i oÅ› czasu przyjaciół" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "ZmieÅ„ adres e-mail, awatar, hasÅ‚o, profil" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "PoÅ‚Ä…cz" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect to services" msgstr "PoÅ‚Ä…cz z serwisami" -#: lib/action.php:448 +#: lib/action.php:449 msgid "Change site configuration" msgstr "ZmieÅ„ konfiguracjÄ™ witryny" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "ZaproÅ›" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "ZaproÅ› przyjaciół i kolegów do doÅ‚Ä…czenia do ciebie na %s" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Wyloguj siÄ™" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "Wyloguj siÄ™ z witryny" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "Utwórz konto" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "Zaloguj siÄ™ na witrynie" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Pomoc" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "Pomóż mi." -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "Wyszukaj" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "Wyszukaj osoby lub tekst" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "Wpis witryny" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "Lokalne widoki" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "Wpis strony" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "Druga nawigacja witryny" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "O usÅ‚udze" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "TOS" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "Prywatność" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "Kod źródÅ‚owy" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "Odznaka" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "Licencja oprogramowania StatusNet" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4665,12 +4665,12 @@ msgstr "" "**%%site.name%%** jest usÅ‚ugÄ… mikroblogowania prowadzonÄ… przez [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** jest usÅ‚ugÄ… mikroblogowania. " -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4681,45 +4681,45 @@ msgstr "" "status.net/) w wersji %s, dostÄ™pnego na [Powszechnej Licencji Publicznej GNU " "Affero](http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "Licencja zawartoÅ›ci witryny" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Treść i dane %1$s sÄ… prywatne i poufne." -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "Prawa autorskie do treÅ›ci i danych sÄ… wÅ‚asnoÅ›ciÄ… %1$s. Wszystkie prawa " "zastrzeżone." -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Prawa autorskie do treÅ›ci i danych sÄ… wÅ‚asnoÅ›ciÄ… współtwórców. Wszystkie " "prawa zastrzeżone." -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "Wszystko " -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "licencja." -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "Paginacja" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "Później" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "WczeÅ›niej" @@ -5688,7 +5688,7 @@ msgstr "" "rozmowÄ™ z innymi użytkownikami. Inni mogÄ… wysyÅ‚ać ci wiadomoÅ›ci tylko dla " "twoich oczu." -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "z" @@ -5811,48 +5811,48 @@ msgstr "" "Pobieranie danych geolokalizacji trwa dÅ‚użej niż powinno, proszÄ™ spróbować " "ponownie później" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "Północ" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "PoÅ‚udnie" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "Wschód" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "Zachód" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "w" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "w rozmowie" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 msgid "Repeated by" msgstr "Powtórzone przez" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "Odpowiedz na ten wpis" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "Odpowiedz" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 msgid "Notice repeated" msgstr "Powtórzono wpis" @@ -6143,67 +6143,67 @@ msgstr "Zmodyfikuj awatar" msgid "User actions" msgstr "CzynnoÅ›ci użytkownika" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "Zmodyfikuj ustawienia profilu" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "Edycja" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "WyÅ›lij bezpoÅ›redniÄ… wiadomość do tego użytkownika" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "Wiadomość" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "Moderuj" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "kilka sekund temu" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "okoÅ‚o minutÄ™ temu" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "okoÅ‚o %d minut temu" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "okoÅ‚o godzinÄ™ temu" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "okoÅ‚o %d godzin temu" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "blisko dzieÅ„ temu" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "okoÅ‚o %d dni temu" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "okoÅ‚o miesiÄ…c temu" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "okoÅ‚o %d miesiÄ™cy temu" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "okoÅ‚o rok temu" diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index a2c8fd60c..7b700eded 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:15:39+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:57:07+0000\n" "Language-Team: Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: out-statusnet\n" @@ -171,8 +171,8 @@ msgstr "" msgid "You and friends" msgstr "Você e seus amigos" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "Actualizações de %1$s e amigos no %2$s!" @@ -193,12 +193,12 @@ msgstr "Actualizações de %1$s e amigos no %2$s!" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 msgid "API method not found." msgstr "Método da API não encontrado." @@ -558,7 +558,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "Conta" @@ -642,7 +642,7 @@ msgstr "Formato não suportado." msgid "%1$s / Favorites from %2$s" msgstr "%1$s / Favoritas de %2$s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s actualizações preferidas por %2$s / %2$s." @@ -653,7 +653,7 @@ msgstr "%1$s actualizações preferidas por %2$s / %2$s." msgid "%s timeline" msgstr "Notas de %s" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -669,12 +669,12 @@ msgstr "%1$s / Actualizações que mencionam %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s actualizações em resposta a actualizações de %2$s / %3$s." -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "Notas públicas de %s" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s actualizações de todos!" @@ -684,7 +684,7 @@ msgstr "%s actualizações de todos!" msgid "Repeated to %s" msgstr "Repetida para %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "Repetências de %s" @@ -694,7 +694,7 @@ msgstr "Repetências de %s" msgid "Notices tagged with %s" msgstr "Notas categorizadas com %s" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Actualizações categorizadas com %1$s em %2$s!" @@ -755,7 +755,7 @@ msgid "Preview" msgstr "Antevisão" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "Apagar" @@ -940,7 +940,7 @@ msgstr "Não é membro deste grupo." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "Ocorreu um problema com a sua sessão." @@ -1003,7 +1003,7 @@ msgstr "Tem a certeza de que quer apagar esta nota?" msgid "Do not delete this notice" msgstr "Não apagar esta nota" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "Apagar esta nota" @@ -1256,7 +1256,7 @@ msgstr "descrição é demasiada extensa (máx. %d caracteres)." msgid "Could not update group." msgstr "Não foi possível actualizar o grupo." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "Não foi possível criar sinónimos." @@ -1702,7 +1702,7 @@ msgstr "Membros do grupo %1$s, página %2$d" msgid "A list of the users in this group." msgstr "Uma lista dos utilizadores neste grupo." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "Gestor" @@ -2086,7 +2086,7 @@ msgstr "Nome de utilizador ou senha incorrectos." msgid "Error setting user. You are probably not authorized." msgstr "Erro ao preparar o utilizador. Provavelmente não está autorizado." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Entrar" @@ -2348,7 +2348,7 @@ msgid "Only " msgstr "Apenas " #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "Formato de dados não suportado." @@ -3061,7 +3061,7 @@ msgstr "Desculpe, código de convite inválido." msgid "Registration successful" msgstr "Registo efectuado" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registar" @@ -3210,7 +3210,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL do seu perfil noutro serviço de microblogues compatível" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "Subscrever" @@ -3248,7 +3248,7 @@ msgstr "Não pode repetir a sua própria nota." msgid "You already repeated that notice." msgstr "Já repetiu essa nota." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 msgid "Repeated" msgstr "Repetida" @@ -4424,7 +4424,7 @@ msgstr "" msgid "Plugins" msgstr "Plugins" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 msgid "Version" msgstr "Versão" @@ -4516,21 +4516,21 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "Está proibido de publicar notas neste site." -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "Problema na gravação da nota." -#: classes/Notice.php:788 +#: classes/Notice.php:790 #, fuzzy msgid "Problem saving group inbox." msgstr "Problema na gravação da nota." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Ocorreu um erro na base de dados ao inserir a resposta: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4540,11 +4540,11 @@ msgstr "RT @%1$s %2$s" msgid "Welcome to %1$s, @%2$s!" msgstr "%1$s dá-lhe as boas-vindas, @%2$s!" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "Não foi possível criar o grupo." -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "Não foi possível configurar membros do grupo." @@ -4585,124 +4585,124 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Página sem título" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "Navegação primária deste site" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "Início" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "Perfil pessoal e notas dos amigos" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "Altere o seu endereço electrónico, avatar, senha, perfil" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "Ligar" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect to services" msgstr "Ligar aos serviços" -#: lib/action.php:448 +#: lib/action.php:449 msgid "Change site configuration" msgstr "Alterar a configuração do site" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "Convidar" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Convidar amigos e colegas para se juntarem a si em %s" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Sair" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "Terminar esta sessão" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "Criar uma conta" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "Iniciar uma sessão" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Ajuda" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "Ajudem-me!" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "Pesquisa" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "Procurar pessoas ou pesquisar texto" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "Aviso do site" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "Vistas locais" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "Aviso da página" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "Navegação secundária deste site" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "Sobre" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "Termos" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "Privacidade" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "Código" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Contacto" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "Emblema" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "Licença de software do StatusNet" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4711,12 +4711,12 @@ msgstr "" "**%%site.name%%** é um serviço de microblogues disponibilizado por [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** é um serviço de microblogues. " -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4727,41 +4727,41 @@ msgstr "" "disponibilizado nos termos da [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "Licença de conteúdos do site" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "Tudo " -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "licença." -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "Paginação" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "Posteriores" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "Anteriores" @@ -5727,7 +5727,7 @@ msgstr "" "conversa com outros utilizadores. Outros podem enviar-lhe mensagens, a que " "só você terá acesso." -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "de" @@ -5852,48 +5852,48 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "N" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "S" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "E" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "O" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "coords." -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "no contexto" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 msgid "Repeated by" msgstr "Repetida por" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "Responder a esta nota" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "Responder" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 msgid "Notice repeated" msgstr "Nota repetida" @@ -6183,67 +6183,67 @@ msgstr "Editar Avatar" msgid "User actions" msgstr "Acções do utilizador" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "Editar configurações do perfil" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "Editar" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "Enviar mensagem directa a este utilizador" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "Mensagem" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "Moderar" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "há alguns segundos" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "há cerca de um minuto" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "há cerca de %d minutos" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "há cerca de uma hora" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "há cerca de %d horas" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "há cerca de um dia" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "há cerca de %d dias" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "há cerca de um mês" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "há cerca de %d meses" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "há cerca de um ano" diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index b9ffc361b..0d3d92e18 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-14 20:05+0000\n" -"PO-Revision-Date: 2010-02-14 20:07:20+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:57:10+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62476); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" @@ -195,11 +195,11 @@ msgstr "Atualizações de %1$s e amigos no %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:182 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:194 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 msgid "API method not found." msgstr "O método da API não foi encontrado!" @@ -567,7 +567,7 @@ msgstr "" "fornecer acesso à sua conta %4$s somente para terceiros nos quais você " "confia." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "Conta" @@ -763,7 +763,7 @@ msgid "Preview" msgstr "Visualização" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "Excluir" @@ -945,7 +945,7 @@ msgstr "Você não é o dono desta aplicação." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "Ocorreu um problema com o seu token de sessão." @@ -1005,7 +1005,7 @@ msgstr "Tem certeza que deseja excluir esta mensagem?" msgid "Do not delete this notice" msgstr "Não excluir esta mensagem." -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "Excluir esta mensagem" @@ -1694,7 +1694,7 @@ msgstr "Membros do grupo %1$s, pág. %2$d" msgid "A list of the users in this group." msgstr "Uma lista dos usuários deste grupo." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" @@ -2081,7 +2081,7 @@ msgid "Error setting user. You are probably not authorized." msgstr "" "Erro na configuração do usuário. Você provavelmente não tem autorização." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Entrar" @@ -2343,7 +2343,7 @@ msgid "Only " msgstr "Apenas " #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "Não é um formato de dados suportado." @@ -3053,7 +3053,7 @@ msgstr "Desculpe, mas o código do convite é inválido." msgid "Registration successful" msgstr "Registro realizado com sucesso" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registrar-se" @@ -3202,7 +3202,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL do seu perfil em outro serviço de microblog compatível" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "Assinar" @@ -3239,7 +3239,7 @@ msgstr "Você não pode repetir sua própria mensagem." msgid "You already repeated that notice." msgstr "Você já repetiu essa mensagem." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 msgid "Repeated" msgstr "Repetida" @@ -3254,9 +3254,9 @@ msgid "Replies to %s" msgstr "Respostas para %s" #: actions/replies.php:127 -#, fuzzy, php-format +#, php-format msgid "Replies to %1$s, page %2$d" -msgstr "Respostas para %1$s no %2$s" +msgstr "Respostas para %1$s, pág. %2$d" #: actions/replies.php:144 #, php-format @@ -3324,9 +3324,8 @@ msgid "Sessions" msgstr "Sessões" #: actions/sessionsadminpanel.php:65 -#, fuzzy msgid "Session settings for this StatusNet site." -msgstr "Configurações da aparência deste site StatusNet." +msgstr "Configurações da sessão deste site StatusNet." #: actions/sessionsadminpanel.php:175 msgid "Handle sessions" @@ -4418,7 +4417,7 @@ msgstr "" msgid "Plugins" msgstr "Plugins" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 msgid "Version" msgstr "Versão" @@ -4506,21 +4505,21 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "Você está proibido de publicar mensagens neste site." -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "Problema no salvamento da mensagem." -#: classes/Notice.php:788 +#: classes/Notice.php:790 #, fuzzy msgid "Problem saving group inbox." msgstr "Problema no salvamento da mensagem." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Erro no banco de dados na inserção da reposta: %s" -#: classes/Notice.php:1271 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4575,124 +4574,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Página sem título" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "Navegação primária no site" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "Início" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "Perfil pessoal e fluxo de mensagens dos amigos" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "Mude seu e-mail, avatar, senha, perfil" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "Conectar" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect to services" msgstr "Conecte-se a outros serviços" -#: lib/action.php:448 +#: lib/action.php:449 msgid "Change site configuration" msgstr "Mude as configurações do site" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "Convidar" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Convide seus amigos e colegas para unir-se a você no %s" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Sair" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "Sai do site" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "Cria uma conta" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "Autentique-se no site" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Ajuda" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "Ajudem-me!" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "Procurar" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "Procura por pessoas ou textos" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "Mensagem do site" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "Visualizações locais" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "Notícia da página" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "Navegação secundária no site" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "Sobre" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "Termos de uso" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "Privacidade" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "Fonte" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Contato" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "Mini-aplicativo" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "Licença do software StatusNet" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4701,12 +4700,12 @@ msgstr "" "**%%site.name%%** é um serviço de microblog disponibilizado por [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** é um serviço de microblog. " -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4717,43 +4716,43 @@ msgstr "" "versão %s, disponível sob a [GNU Affero General Public License] (http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "Licença do conteúdo do site" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "O conteúdo e os dados de %1$s são privados e confidenciais." -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "Conteúdo e dados licenciados sob %1$s. Todos os direitos reservados." -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Conteúdo e dados licenciados pelos colaboradores. Todos os direitos " "reservados." -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "Todas " -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "licença." -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "Paginação" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "Próximo" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "Anterior" @@ -5717,7 +5716,7 @@ msgstr "" "privadas para envolver outras pessoas em uma conversa. Você também pode " "receber mensagens privadas." -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "de" @@ -5845,48 +5844,48 @@ msgstr "" "Desculpe, mas recuperar a sua geolocalização está demorando mais que o " "esperado. Por favor, tente novamente mais tarde." -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "N" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "S" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "L" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "O" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "em" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "no contexto" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 msgid "Repeated by" msgstr "Repetida por" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "Responder a esta mensagem" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "Responder" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 msgid "Notice repeated" msgstr "Mensagem repetida" @@ -6176,23 +6175,23 @@ msgstr "Editar o avatar" msgid "User actions" msgstr "Ações do usuário" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "Editar as configurações do perfil" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "Editar" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "Enviar uma mensagem para este usuário." -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "Mensagem" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "Moderar" diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index da1345a0d..e1dd38e99 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-14 20:05+0000\n" -"PO-Revision-Date: 2010-02-14 20:07:23+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:57:13+0000\n" "Language-Team: Russian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62476); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: out-statusnet\n" @@ -196,11 +196,11 @@ msgstr "Обновлено от %1$s и его друзей на %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:182 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:194 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 msgid "API method not found." msgstr "Метод API не найден." @@ -565,7 +565,7 @@ msgstr "" "предоÑтавлÑÑ‚ÑŒ разрешение на доÑтуп к вашей учётной запиÑи %4$s только тем " "Ñторонним приложениÑм, которым вы доверÑете." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "ÐаÑтройки" @@ -761,7 +761,7 @@ msgid "Preview" msgstr "ПроÑмотр" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "Удалить" @@ -942,7 +942,7 @@ msgstr "Ð’Ñ‹ не ÑвлÑетеÑÑŒ владельцем Ñтого прило #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "Проблема Ñ Ð’Ð°ÑˆÐµÐ¹ ÑеÑÑией. Попробуйте ещё раз, пожалуйÑта." @@ -1002,7 +1002,7 @@ msgstr "Ð’Ñ‹ уверены, что хотите удалить Ñту запи msgid "Do not delete this notice" msgstr "Ðе удалÑÑ‚ÑŒ Ñту запиÑÑŒ" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "Удалить Ñту запиÑÑŒ" @@ -1695,7 +1695,7 @@ msgstr "УчаÑтники группы %1$s, Ñтраница %2$d" msgid "A list of the users in this group." msgstr "СпиÑок пользователей, ÑвлÑющихÑÑ Ñ‡Ð»ÐµÐ½Ð°Ð¼Ð¸ Ñтой группы." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "ÐаÑтройки" @@ -2081,7 +2081,7 @@ msgstr "Ðекорректное Ð¸Ð¼Ñ Ð¸Ð»Ð¸ пароль." msgid "Error setting user. You are probably not authorized." msgstr "Ошибка уÑтановки пользователÑ. Ð’Ñ‹, вероÑтно, не авторизованы." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Вход" @@ -2335,7 +2335,7 @@ msgid "Only " msgstr "Только " #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "Ðеподдерживаемый формат данных." @@ -3036,7 +3036,7 @@ msgstr "Извините, неверный приглаÑительный код msgid "Registration successful" msgstr "РегиÑÑ‚Ñ€Ð°Ñ†Ð¸Ñ ÑƒÑпешна!" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "РегиÑтрациÑ" @@ -3188,7 +3188,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "ÐÐ´Ñ€ÐµÑ URL твоего Ð¿Ñ€Ð¾Ñ„Ð¸Ð»Ñ Ð½Ð° другом подходÑщем ÑервиÑе микроблогинга" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "ПодпиÑатьÑÑ" @@ -3224,7 +3224,7 @@ msgstr "Ð’Ñ‹ не можете повторить ÑобÑтвенную зап msgid "You already repeated that notice." msgstr "Ð’Ñ‹ уже повторили Ñту запиÑÑŒ." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 msgid "Repeated" msgstr "Повторено" @@ -4403,7 +4403,7 @@ msgstr "" msgid "Plugins" msgstr "Плагины" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 msgid "Version" msgstr "ВерÑиÑ" @@ -4491,20 +4491,20 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "Вам запрещено поÑтитьÑÑ Ð½Ð° Ñтом Ñайте (бан)" -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "Проблемы Ñ Ñохранением запиÑи." -#: classes/Notice.php:788 +#: classes/Notice.php:790 msgid "Problem saving group inbox." msgstr "Проблемы Ñ Ñохранением входÑщих Ñообщений группы." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Ошибка баз данных при вÑтавке ответа Ð´Ð»Ñ %s" -#: classes/Notice.php:1271 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4559,124 +4559,124 @@ msgstr "%1$s — %2$s" msgid "Untitled page" msgstr "Страница без названиÑ" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "Ð“Ð»Ð°Ð²Ð½Ð°Ñ Ð½Ð°Ð²Ð¸Ð³Ð°Ñ†Ð¸Ñ" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "Моё" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "Личный профиль и лента друзей" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "Изменить ваш email, аватару, пароль, профиль" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "Соединить" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect to services" msgstr "Соединить Ñ ÑервиÑами" -#: lib/action.php:448 +#: lib/action.php:449 msgid "Change site configuration" msgstr "Изменить конфигурацию Ñайта" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "ПриглаÑить" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "ПриглаÑите друзей и коллег Ñтать такими же как вы учаÑтниками %s" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Выход" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "Выйти" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "Создать новый аккаунт" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "Войти" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Помощь" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "Помощь" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "ПоиÑк" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "ИÑкать людей или текÑÑ‚" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "ÐÐ¾Ð²Ð°Ñ Ð·Ð°Ð¿Ð¸ÑÑŒ" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "Локальные виды" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "ÐÐ¾Ð²Ð°Ñ Ð·Ð°Ð¿Ð¸ÑÑŒ" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "ÐÐ°Ð²Ð¸Ð³Ð°Ñ†Ð¸Ñ Ð¿Ð¾ подпиÑкам" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "О проекте" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "ЧаВо" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "TOS" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "ПользовательÑкое Ñоглашение" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "ИÑходный код" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "ÐšÐ¾Ð½Ñ‚Ð°ÐºÑ‚Ð½Ð°Ñ Ð¸Ð½Ñ„Ð¾Ñ€Ð¼Ð°Ñ†Ð¸Ñ" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "Бедж" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "StatusNet лицензиÑ" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4685,12 +4685,12 @@ msgstr "" "**%%site.name%%** — Ñто ÑÐµÑ€Ð²Ð¸Ñ Ð¼Ð¸ÐºÑ€Ð¾Ð±Ð»Ð¾Ð³Ð¸Ð½Ð³Ð°, Ñозданный Ð´Ð»Ñ Ð²Ð°Ñ Ð¿Ñ€Ð¸ помощи [%" "%site.broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** — ÑÐµÑ€Ð²Ð¸Ñ Ð¼Ð¸ÐºÑ€Ð¾Ð±Ð»Ð¾Ð³Ð¸Ð½Ð³Ð°. " -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4702,44 +4702,44 @@ msgstr "" "лицензией [GNU Affero General Public License](http://www.fsf.org/licensing/" "licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "Ð›Ð¸Ñ†ÐµÐ½Ð·Ð¸Ñ Ñодержимого Ñайта" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Содержание и данные %1$s ÑвлÑÑŽÑ‚ÑÑ Ð»Ð¸Ñ‡Ð½Ñ‹Ð¼Ð¸ и конфиденциальными." -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "ÐвторÑкие права на Ñодержание и данные принадлежат %1$s. Ð’Ñе права защищены." -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "ÐвторÑкие права на Ñодержание и данные принадлежат разработчикам. Ð’Ñе права " "защищены." -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "All " -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "license." -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "Разбиение на Ñтраницы" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "Сюда" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "Туда" @@ -5703,7 +5703,7 @@ msgstr "" "Ð²Ð¾Ð²Ð»ÐµÑ‡ÐµÐ½Ð¸Ñ Ð´Ñ€ÑƒÐ³Ð¸Ñ… пользователей в разговор. СообщениÑ, получаемые от других " "людей, видите только вы." -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "от " @@ -5828,48 +5828,48 @@ msgstr "" "К Ñожалению, получение информации о вашем меÑтонахождении занÑло больше " "времени, чем ожидалоÑÑŒ; повторите попытку позже" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "%1$u°%2$u'%3$u\" %4$s %5$u°%6$u'%7$u\" %8$s" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "Ñ. ш." -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "ÑŽ. ш." -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "в. д." -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "з. д." -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "на" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "в контекÑте" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 msgid "Repeated by" msgstr "Повторено" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "Ответить на Ñту запиÑÑŒ" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "Ответить" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 msgid "Notice repeated" msgstr "ЗапиÑÑŒ повторена" @@ -6159,23 +6159,23 @@ msgstr "Изменить аватару" msgid "User actions" msgstr "ДейÑÑ‚Ð²Ð¸Ñ Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "Изменение наÑтроек профилÑ" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "Редактировать" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "ПоÑлать приватное Ñообщение Ñтому пользователю." -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "Сообщение" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "Модерировать" diff --git a/locale/statusnet.po b/locale/statusnet.po index d1ee56f2c..6fbf80065 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-14 20:05+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -181,11 +181,11 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:182 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:194 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 msgid "API method not found." msgstr "" @@ -536,7 +536,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "" @@ -731,7 +731,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "" @@ -909,7 +909,7 @@ msgstr "" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "" @@ -964,7 +964,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "" @@ -1625,7 +1625,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -1955,7 +1955,7 @@ msgstr "" msgid "Error setting user. You are probably not authorized." msgstr "" -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "" @@ -2196,7 +2196,7 @@ msgid "Only " msgstr "" #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "" @@ -2873,7 +2873,7 @@ msgstr "" msgid "Registration successful" msgstr "" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "" @@ -2997,7 +2997,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "" @@ -3033,7 +3033,7 @@ msgstr "" msgid "You already repeated that notice." msgstr "" -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 msgid "Repeated" msgstr "" @@ -4119,7 +4119,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 msgid "Version" msgstr "" @@ -4201,20 +4201,20 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:788 +#: classes/Notice.php:790 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1271 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4269,136 +4269,136 @@ msgstr "" msgid "Untitled page" msgstr "" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect to services" msgstr "" -#: lib/action.php:448 +#: lib/action.php:449 msgid "Change site configuration" msgstr "" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." "broughtby%%](%%site.broughtbyurl%%). " msgstr "" -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4406,41 +4406,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "" -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "" -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "" @@ -5266,7 +5266,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "" @@ -5386,48 +5386,48 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 msgid "Repeated by" msgstr "" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 msgid "Notice repeated" msgstr "" @@ -5717,23 +5717,23 @@ msgstr "" msgid "User actions" msgstr "" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index a0d407c5c..cc959b8ea 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:15:57+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:57:16+0000\n" "Language-Team: Swedish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: out-statusnet\n" @@ -169,8 +169,8 @@ msgstr "" msgid "You and friends" msgstr "Du och vänner" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "Uppdateringar frÃ¥n %1$s och vänner pÃ¥ %2$s!" @@ -191,12 +191,12 @@ msgstr "Uppdateringar frÃ¥n %1$s och vänner pÃ¥ %2$s!" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 msgid "API method not found." msgstr "API-metod hittades inte." @@ -553,7 +553,7 @@ msgstr "" "möjligheten att %3$s din %4$s kontoinformation. Du bör bara " "ge tillgÃ¥ng till ditt %4$s-konto till tredje-parter du litar pÃ¥." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "Konto" @@ -635,7 +635,7 @@ msgstr "Format som inte stödjs." msgid "%1$s / Favorites from %2$s" msgstr "%1$s / Favoriter frÃ¥n %2$s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s uppdateringar markerade som favorit av %2$s / %2$s." @@ -646,7 +646,7 @@ msgstr "%1$s uppdateringar markerade som favorit av %2$s / %2$s." msgid "%s timeline" msgstr "%s tidslinje" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -662,12 +662,12 @@ msgstr "%1$s / Uppdateringar som nämner %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s uppdateringar med svar pÃ¥ uppdatering frÃ¥n %2$s / %3$s." -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s publika tidslinje" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s uppdateringar frÃ¥n alla!" @@ -677,7 +677,7 @@ msgstr "%s uppdateringar frÃ¥n alla!" msgid "Repeated to %s" msgstr "Upprepat till %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "Upprepningar av %s" @@ -687,7 +687,7 @@ msgstr "Upprepningar av %s" msgid "Notices tagged with %s" msgstr "Notiser taggade med %s" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Uppdateringar taggade med %1$s pÃ¥ %2$s!" @@ -749,7 +749,7 @@ msgid "Preview" msgstr "Förhandsgranska" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "Ta bort" @@ -931,7 +931,7 @@ msgstr "Du är inte ägaren av denna applikation." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "Det var ett problem med din sessions-token." @@ -991,7 +991,7 @@ msgstr "Är du säker pÃ¥ att du vill ta bort denna notis?" msgid "Do not delete this notice" msgstr "Ta inte bort denna notis" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "Ta bort denna notis" @@ -1232,7 +1232,7 @@ msgstr "beskrivning är för lÃ¥ng (max %d tecken)." msgid "Could not update group." msgstr "Kunde inte uppdatera grupp." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "Kunde inte skapa alias." @@ -1674,7 +1674,7 @@ msgstr "%1$s gruppmedlemmar, sida %2$d" msgid "A list of the users in this group." msgstr "En lista av användarna i denna grupp." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "Administratör" @@ -2059,7 +2059,7 @@ msgstr "Felaktigt användarnamn eller lösenord." msgid "Error setting user. You are probably not authorized." msgstr "Fel vid inställning av användare. Du har sannolikt inte tillstÃ¥nd." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Logga in" @@ -2315,7 +2315,7 @@ msgid "Only " msgstr "Bara " #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "Ett dataformat som inte stödjs" @@ -3019,7 +3019,7 @@ msgstr "Tyvärr, ogiltig inbjudningskod." msgid "Registration successful" msgstr "Registreringen genomförd" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registrera" @@ -3171,7 +3171,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL till din profil pÃ¥ en annan kompatibel mikrobloggtjänst" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "Prenumerera" @@ -3209,7 +3209,7 @@ msgstr "Du kan inte upprepa din egna notis." msgid "You already repeated that notice." msgstr "Du har redan upprepat denna notis." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 msgid "Repeated" msgstr "Upprepad" @@ -4382,7 +4382,7 @@ msgstr "" msgid "Plugins" msgstr "Insticksmoduler" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 msgid "Version" msgstr "Version" @@ -4470,20 +4470,20 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "Du är utestängd frÃ¥n att posta notiser pÃ¥ denna webbplats." -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "Problem med att spara notis." -#: classes/Notice.php:788 +#: classes/Notice.php:790 msgid "Problem saving group inbox." msgstr "Problem med att spara gruppinkorg." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Databasfel vid infogning av svar: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4493,11 +4493,11 @@ msgstr "RT @%1$s %2$s" msgid "Welcome to %1$s, @%2$s!" msgstr "Välkommen till %1$s, @%2$s!" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "Kunde inte skapa grupp." -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "Kunde inte ställa in gruppmedlemskap." @@ -4538,124 +4538,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Namnlös sida" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "Primär webbplatsnavigation" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "Hem" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "Personlig profil och vänners tidslinje" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "Ändra din e-post, avatar, lösenord, profil" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "Anslut" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect to services" msgstr "Anslut till tjänster" -#: lib/action.php:448 +#: lib/action.php:449 msgid "Change site configuration" msgstr "Ändra webbplatskonfiguration" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "Bjud in" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Bjud in vänner och kollegor att gÃ¥ med dig pÃ¥ %s" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Logga ut" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "Logga ut frÃ¥n webbplatsen" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "Skapa ett konto" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "Logga in pÃ¥ webbplatsen" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Hjälp" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "Hjälp mig!" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "Sök" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "Sök efter personer eller text" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "Webbplatsnotis" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "Lokala vyer" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "Sidnotis" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "Sekundär webbplatsnavigation" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "Om" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "FrÃ¥gor & svar" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "Användarvillkor" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "Sekretess" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "Källa" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "Emblem" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "Programvarulicens för StatusNet" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4664,12 +4664,12 @@ msgstr "" "**%%site.name%%** är en mikrobloggtjänst tillhandahÃ¥llen av [%%site.broughtby" "%%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** är en mikrobloggtjänst. " -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4680,42 +4680,42 @@ msgstr "" "version %s, tillgänglig under [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "Licens för webbplatsinnehÃ¥ll" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "InnehÃ¥ll och data av %1$s är privat och konfidensiell." -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "InnehÃ¥ll och data copyright av %1$s. Alla rättigheter reserverade." -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "InnehÃ¥ll och data copyright av medarbetare. Alla rättigheter reserverade." -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "Alla " -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "licens." -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "Numrering av sidor" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "Senare" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "Tidigare" @@ -5673,7 +5673,7 @@ msgstr "" "engagera andra användare i konversationen. Folk kan skicka meddelanden till " "dig som bara du ser." -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "frÃ¥n" @@ -5799,48 +5799,48 @@ msgstr "" "Tyvärr, hämtning av din geografiska plats tar längre tid än förväntat, var " "god försök igen senare" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "N" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "S" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "Ö" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "V" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "pÃ¥" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "i sammanhang" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 msgid "Repeated by" msgstr "Upprepad av" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "Svara pÃ¥ denna notis" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "Svara" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 msgid "Notice repeated" msgstr "Notis upprepad" @@ -6130,67 +6130,67 @@ msgstr "Redigera avatar" msgid "User actions" msgstr "Ã…tgärder för användare" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "Redigera profilinställningar" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "Redigera" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "Skicka ett direktmeddelande till denna användare" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "Meddelande" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "Moderera" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "ett par sekunder sedan" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "för nÃ¥n minut sedan" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "för %d minuter sedan" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "för en timma sedan" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "för %d timmar sedan" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "för en dag sedan" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "för %d dagar sedan" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "för en mÃ¥nad sedan" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "för %d mÃ¥nader sedan" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "för ett Ã¥r sedan" diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index 85719532b..fce5e5d69 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:16:03+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:57:19+0000\n" "Language-Team: Telugu\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: out-statusnet\n" @@ -163,8 +163,8 @@ msgstr "" msgid "You and friends" msgstr "మీరౠమరియౠమీ à°¸à±à°¨à±‡à°¹à°¿à°¤à±à°²à±" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "" @@ -185,12 +185,12 @@ msgstr "" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "నిరà±à°§à°¾à°°à°£ సంకేతం కనబడలేదà±." @@ -551,7 +551,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "ఖాతా" @@ -633,7 +633,7 @@ msgstr "" msgid "%1$s / Favorites from %2$s" msgstr "" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, fuzzy, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s యొకà±à°• మైకà±à°°à±‹à°¬à±à°²à°¾à°—à±" @@ -644,7 +644,7 @@ msgstr "%s యొకà±à°• మైకà±à°°à±‹à°¬à±à°²à°¾à°—à±" msgid "%s timeline" msgstr "%s కాలరేఖ" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -660,12 +660,12 @@ msgstr "" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s బహిరంగ కాలరేఖ" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "అందరి à°¨à±à°‚à°¡à°¿ %s తాజాకరణలà±!" @@ -675,7 +675,7 @@ msgstr "అందరి à°¨à±à°‚à°¡à°¿ %s తాజాకరణలà±!" msgid "Repeated to %s" msgstr "%sà°•à°¿ à°¸à±à°ªà°‚దనలà±" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "%s యొకà±à°• à°ªà±à°¨à°°à°¾à°µà±ƒà°¤à°¾à°²à±" @@ -685,7 +685,7 @@ msgstr "%s యొకà±à°• à°ªà±à°¨à°°à°¾à°µà±ƒà°¤à°¾à°²à±" msgid "Notices tagged with %s" msgstr "" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "%s యొకà±à°• మైకà±à°°à±‹à°¬à±à°²à°¾à°—à±" @@ -747,7 +747,7 @@ msgid "Preview" msgstr "à°®à±à°¨à±à°œà±‚à°ªà±" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "తొలగించà±" @@ -927,7 +927,7 @@ msgstr "మీరౠఈ ఉపకరణం యొకà±à°• యజమాని #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "" @@ -984,7 +984,7 @@ msgstr "మీరౠనిజంగానే à°ˆ నోటీసà±à°¨à°¿ à°¤ msgid "Do not delete this notice" msgstr "à°ˆ నోటీసà±à°¨à°¿ తొలగించకà±" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "à°ˆ నోటీసà±à°¨à°¿ తొలగించà±" @@ -1227,7 +1227,7 @@ msgstr "వివరణ చాలా పెదà±à°¦à°¦à°¿à°—à°¾ ఉంది (1 msgid "Could not update group." msgstr "à°—à±à°‚à°ªà±à°¨à°¿ తాజాకరించలేకà±à°¨à±à°¨à°¾à°‚." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "మారà±à°ªà±‡à°°à±à°²à°¨à°¿ సృషà±à°Ÿà°¿à°‚చలేకపోయాం." @@ -1657,7 +1657,7 @@ msgstr "%1$s à°—à±à°‚పౠసభà±à°¯à±à°²à±, పేజీ %2$d" msgid "A list of the users in this group." msgstr "à°ˆ à°—à±à°‚à°ªà±à°²à±‹ వాడà±à°•à°°à±à°²à± జాబితా." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -1996,7 +1996,7 @@ msgstr "వాడà±à°•à°°à°¿à°ªà±‡à°°à± లేదా సంకేతపదం msgid "Error setting user. You are probably not authorized." msgstr "" -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "à°ªà±à°°à°µà±‡à°¶à°¿à°‚à°šà°‚à°¡à°¿" @@ -2247,7 +2247,7 @@ msgid "Only " msgstr "మాతà±à°°à°®à±‡ " #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "" @@ -2947,7 +2947,7 @@ msgstr "à°•à±à°·à°®à°¿à°‚à°šà°‚à°¡à°¿, తపà±à°ªà± ఆహà±à°µà°¾à°¨ à°¸ msgid "Registration successful" msgstr "నమోదౠవిజయవంతం" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "నమోదà±" @@ -3084,7 +3084,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "చందాచేరà±" @@ -3123,7 +3123,7 @@ msgstr "à°ˆ లైసెనà±à°¸à±à°•à°¿ అంగీకరించకపో msgid "You already repeated that notice." msgstr "మీరౠఇపà±à°ªà°Ÿà°¿à°•à±‡ à°† వాడà±à°•à°°à°¿à°¨à°¿ నిరోధించారà±." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 #, fuzzy msgid "Repeated" msgstr "సృషà±à°Ÿà°¿à°¤à°‚" @@ -4232,7 +4232,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 msgid "Version" msgstr "సంచిక" @@ -4316,21 +4316,21 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "à°ˆ సైటà±à°²à±‹ నోటీసà±à°²à± రాయడం à°¨à±à°‚à°¡à°¿ మిమà±à°®à°²à±à°¨à°¿ నిషేధించారà±." -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:788 +#: classes/Notice.php:790 #, fuzzy msgid "Problem saving group inbox." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4340,11 +4340,11 @@ msgstr "%1$s (%2$s)" msgid "Welcome to %1$s, @%2$s!" msgstr "@%2$s, %1$sà°•à°¿ à°¸à±à°µà°¾à°—తం!" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "à°—à±à°‚à°ªà±à°¨à°¿ సృషà±à°Ÿà°¿à°‚చలేకపోయాం." -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "à°—à±à°‚పౠసభà±à°¯à°¤à±à°µà°¾à°¨à±à°¨à°¿ అమరà±à°šà°²à±‡à°•à°ªà±‹à°¯à°¾à°‚." @@ -4386,126 +4386,126 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "à°®à±à°‚గిలి" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "మీ ఈమెయిలà±, అవతారం, సంకేతపదం మరియౠపà±à°°à±Œà°«à±ˆà°³à±à°³à°¨à± మారà±à°šà±à°•à±‹à°‚à°¡à°¿" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "à°…à°¨à±à°¸à°‚ధానించà±" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect to services" msgstr "" -#: lib/action.php:448 +#: lib/action.php:449 #, fuzzy msgid "Change site configuration" msgstr "చందాలà±" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "ఆహà±à°µà°¾à°¨à°¿à°‚à°šà±" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "నిషà±à°•à±à°°à°®à°¿à°‚à°šà±" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "సైటౠనà±à°‚à°¡à°¿ నిషà±à°•à±à°°à°®à°¿à°‚à°šà±" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "కొతà±à°¤ ఖాతా సృషà±à°Ÿà°¿à°‚à°šà±" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "సైటà±à°²à±‹à°¨à°¿ à°ªà±à°°à°µà±‡à°¶à°¿à°‚à°šà±" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "సహాయం" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "సహాయం కావాలి!" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "వెతà±à°•à±" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "సైటౠగమనిక" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "à°¸à±à°¥à°¾à°¨à°¿à°• వీకà±à°·à°£à°²à±" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "పేజీ గమనిక" -#: lib/action.php:727 +#: lib/action.php:728 #, fuzzy msgid "Secondary site navigation" msgstr "చందాలà±" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "à°—à±à°°à°¿à°‚à°šà°¿" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "à°ªà±à°°à°¶à±à°¨à°²à±" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "సేవా నియమాలà±" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "అంతరంగికత" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "మూలమà±" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "సంపà±à°°à°¦à°¿à°‚à°šà±" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "బాడà±à°œà°¿" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "à°¸à±à°Ÿà±‡à°Ÿà°¸à±â€Œà°¨à±†à°Ÿà± మృదూపకరణ లైసెనà±à°¸à±" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4514,12 +4514,12 @@ msgstr "" "**%%site.name%%** అనేది [%%site.broughtby%%](%%site.broughtbyurl%%) వారౠ" "అందిసà±à°¤à±à°¨à±à°¨ మైకà±à°°à±‹ à°¬à±à°²à°¾à°—ింగౠసదà±à°ªà°¾à°¯à°‚. " -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** అనేది మైకà±à°°à±‹ à°¬à±à°²à°¾à°—ింగౠసదà±à°ªà°¾à°¯à°‚." -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4530,42 +4530,42 @@ msgstr "" "html) à°•à°¿à°‚à°¦ లభà±à°¯à°®à°¯à±à°¯à±‡ [à°¸à±à°Ÿà±‡à°Ÿà°¸à±‌నెటà±](http://status.net/) మైకà±à°°à±‹à°¬à±à°²à°¾à°—ింగౠఉపకరణం సంచిక %s " "పై నడà±à°¸à±à°¤à±à°‚ది." -#: lib/action.php:801 +#: lib/action.php:802 #, fuzzy msgid "Site content license" msgstr "కొతà±à°¤ సందేశం" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "à°…à°¨à±à°¨à±€ " -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "" -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "పేజీకరణ" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "తరà±à°µà°¾à°¤" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "ఇంతకà±à°°à°¿à°¤à°‚" @@ -5434,7 +5434,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "à°¨à±à°‚à°¡à°¿" @@ -5558,49 +5558,49 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "à°‰" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "à°¦" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "తూ" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "à°ª" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "సందరà±à°­à°‚లో" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 #, fuzzy msgid "Repeated by" msgstr "సృషà±à°Ÿà°¿à°¤à°‚" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "à°ˆ నోటీసà±à°ªà±ˆ à°¸à±à°ªà°‚దించండి" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "à°¸à±à°ªà°‚దించండి" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 #, fuzzy msgid "Notice repeated" msgstr "నోటీసà±à°¨à°¿ తొలగించాం." @@ -5903,68 +5903,68 @@ msgstr "అవతారానà±à°¨à°¿ మారà±à°šà±" msgid "User actions" msgstr "వాడà±à°•à°°à°¿ à°šà°°à±à°¯à°²à±" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 #, fuzzy msgid "Edit profile settings" msgstr "à°«à±à°°à±Šà°«à±ˆà°²à± అమరికలà±" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "మారà±à°šà±" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "à°ˆ వాడà±à°•à°°à°¿à°•à°¿ à°’à°• నేరౠసందేశానà±à°¨à°¿ పంపించండి" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "సందేశం" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "కొనà±à°¨à°¿ à°•à±à°·à°£à°¾à°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "à°“ నిమిషం à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "%d నిమిషాల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "à°’à°• à°—à°‚à°Ÿ à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "%d à°—à°‚à°Ÿà°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "à°“ రోజౠకà±à°°à°¿à°¤à°‚" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "%d రోజà±à°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "à°“ నెల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "%d నెలల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "à°’à°• సంవతà±à°¸à°°à°‚ à°•à±à°°à°¿à°¤à°‚" diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index 5368680c6..d65a14b40 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:16:08+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:57:22+0000\n" "Language-Team: Turkish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: out-statusnet\n" @@ -169,8 +169,8 @@ msgstr "" msgid "You and friends" msgstr "%s ve arkadaÅŸları" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "" @@ -191,12 +191,12 @@ msgstr "" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Onay kodu bulunamadı." @@ -567,7 +567,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 #, fuzzy msgid "Account" msgstr "Hakkında" @@ -655,7 +655,7 @@ msgstr "Desteklenmeyen görüntü dosyası biçemi." msgid "%1$s / Favorites from %2$s" msgstr "%1$s'in %2$s'deki durum mesajları " -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, fuzzy, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s adli kullanicinin durum mesajlari" @@ -666,7 +666,7 @@ msgstr "%s adli kullanicinin durum mesajlari" msgid "%s timeline" msgstr "" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -682,12 +682,12 @@ msgstr "%1$s'in %2$s'deki durum mesajları " msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "" @@ -697,7 +697,7 @@ msgstr "" msgid "Repeated to %s" msgstr "%s için cevaplar" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, fuzzy, php-format msgid "Repeats of %s" msgstr "%s için cevaplar" @@ -707,7 +707,7 @@ msgstr "%s için cevaplar" msgid "Notices tagged with %s" msgstr "" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "%s adli kullanicinin durum mesajlari" @@ -771,7 +771,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "" @@ -962,7 +962,7 @@ msgstr "Bize o profili yollamadınız" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "" @@ -1021,7 +1021,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "Böyle bir durum mesajı yok." -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "" @@ -1280,7 +1280,7 @@ msgstr "Hakkında bölümü çok uzun (azm 140 karakter)." msgid "Could not update group." msgstr "Kullanıcı güncellenemedi." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 #, fuzzy msgid "Could not create aliases." msgstr "Avatar bilgisi kaydedilemedi" @@ -1728,7 +1728,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -2080,7 +2080,7 @@ msgstr "Yanlış kullanıcı adı veya parola." msgid "Error setting user. You are probably not authorized." msgstr "YetkilendirilmemiÅŸ." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "GiriÅŸ" @@ -2334,7 +2334,7 @@ msgid "Only " msgstr "" #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "" @@ -3048,7 +3048,7 @@ msgstr "Onay kodu hatası." msgid "Registration successful" msgstr "" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Kayıt" @@ -3177,7 +3177,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "Abone ol" @@ -3217,7 +3217,7 @@ msgstr "EÄŸer lisansı kabul etmezseniz kayıt olamazsınız." msgid "You already repeated that notice." msgstr "Zaten giriÅŸ yapmış durumdasıznız!" -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 #, fuzzy msgid "Repeated" msgstr "Yarat" @@ -4350,7 +4350,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 #, fuzzy msgid "Version" msgstr "KiÅŸisel" @@ -4438,21 +4438,21 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:788 +#: classes/Notice.php:790 #, fuzzy msgid "Problem saving group inbox." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Cevap eklenirken veritabanı hatası: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4462,12 +4462,12 @@ msgstr "" msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:380 +#: classes/User_group.php:413 #, fuzzy msgid "Could not create group." msgstr "Avatar bilgisi kaydedilemedi" -#: classes/User_group.php:409 +#: classes/User_group.php:442 #, fuzzy msgid "Could not set group membership." msgstr "Abonelik oluÅŸturulamadı." @@ -4511,131 +4511,131 @@ msgstr "%1$s'in %2$s'deki durum mesajları " msgid "Untitled page" msgstr "" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "BaÅŸlangıç" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "BaÄŸlan" -#: lib/action.php:444 +#: lib/action.php:445 #, fuzzy msgid "Connect to services" msgstr "Sunucuya yönlendirme yapılamadı: %s" -#: lib/action.php:448 +#: lib/action.php:449 #, fuzzy msgid "Change site configuration" msgstr "Abonelikler" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Çıkış" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "" -#: lib/action.php:463 +#: lib/action.php:464 #, fuzzy msgid "Create an account" msgstr "Yeni hesap oluÅŸtur" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Yardım" -#: lib/action.php:469 +#: lib/action.php:470 #, fuzzy msgid "Help me!" msgstr "Yardım" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "Ara" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "" -#: lib/action.php:493 +#: lib/action.php:494 #, fuzzy msgid "Site notice" msgstr "Yeni durum mesajı" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "" -#: lib/action.php:625 +#: lib/action.php:626 #, fuzzy msgid "Page notice" msgstr "Yeni durum mesajı" -#: lib/action.php:727 +#: lib/action.php:728 #, fuzzy msgid "Secondary site navigation" msgstr "Abonelikler" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "Hakkında" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "SSS" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "Gizlilik" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "Kaynak" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Ä°letiÅŸim" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4644,12 +4644,12 @@ msgstr "" "**%%site.name%%** [%%site.broughtby%%](%%site.broughtbyurl%%)\" tarafından " "hazırlanan anında mesajlaÅŸma ağıdır. " -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** bir aninda mesajlaÅŸma sosyal ağıdır." -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4660,43 +4660,43 @@ msgstr "" "licenses/agpl-3.0.html) lisansı ile korunan [StatusNet](http://status.net/) " "microbloglama yazılımının %s. versiyonunu kullanmaktadır." -#: lib/action.php:801 +#: lib/action.php:802 #, fuzzy msgid "Site content license" msgstr "Yeni durum mesajı" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "" -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "" -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "" -#: lib/action.php:1139 +#: lib/action.php:1142 #, fuzzy msgid "After" msgstr "« Sonra" -#: lib/action.php:1147 +#: lib/action.php:1150 #, fuzzy msgid "Before" msgstr "Önce »" @@ -5569,7 +5569,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "" @@ -5694,51 +5694,51 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 #, fuzzy msgid "in context" msgstr "İçerik yok!" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 #, fuzzy msgid "Repeated by" msgstr "Yarat" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 #, fuzzy msgid "Reply" msgstr "cevapla" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 #, fuzzy msgid "Notice repeated" msgstr "Durum mesajları" @@ -6046,68 +6046,68 @@ msgstr "Avatar" msgid "User actions" msgstr "" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 #, fuzzy msgid "Edit profile settings" msgstr "Profil ayarları" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "birkaç saniye önce" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "yaklaşık bir dakika önce" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "yaklaşık %d dakika önce" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "yaklaşık bir saat önce" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "yaklaşık %d saat önce" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "yaklaşık bir gün önce" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "yaklaşık %d gün önce" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "yaklaşık bir ay önce" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "yaklaşık %d ay önce" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "yaklaşık bir yıl önce" diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index 5f5fa846e..9899d51db 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:16:16+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:57:25+0000\n" "Language-Team: Ukrainian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: out-statusnet\n" @@ -171,8 +171,8 @@ msgstr "" msgid "You and friends" msgstr "Ви з друзÑми" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "ÐžÐ½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð²Ñ–Ð´ %1$s та друзів на %2$s!" @@ -193,12 +193,12 @@ msgstr "ÐžÐ½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð²Ñ–Ð´ %1$s та друзів на %2$s!" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 msgid "API method not found." msgstr "API метод не знайдено." @@ -562,7 +562,7 @@ msgstr "" "на доÑтуп до Вашого акаунту %4$s лише тим Ñтороннім додаткам, Ñким Ви " "довірÑєте." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "Ðкаунт" @@ -646,7 +646,7 @@ msgstr "Формат не підтримуєтьÑÑ." msgid "%1$s / Favorites from %2$s" msgstr "%1$s / Обрані від %2$s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s Ð¾Ð½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð¾Ð±Ñ€Ð°Ð½Ð¸Ñ… від %2$s / %2$s." @@ -657,7 +657,7 @@ msgstr "%1$s Ð¾Ð½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð¾Ð±Ñ€Ð°Ð½Ð¸Ñ… від %2$s / %2$s." msgid "%s timeline" msgstr "%s Ñтрічка" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -673,12 +673,12 @@ msgstr "%1$s / Оновленні відповіді %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s оновив цю відповідь на Ð´Ð¾Ð¿Ð¸Ñ Ð²Ñ–Ð´ %2$s / %3$s." -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s загальна Ñтрічка" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s Ð¾Ð½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð²Ñ–Ð´ уÑÑ–Ñ…!" @@ -688,7 +688,7 @@ msgstr "%s Ð¾Ð½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð²Ñ–Ð´ уÑÑ–Ñ…!" msgid "Repeated to %s" msgstr "Ð’Ñ‚Ð¾Ñ€ÑƒÐ²Ð°Ð½Ð½Ñ Ð·Ð° %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "Ð’Ñ‚Ð¾Ñ€ÑƒÐ²Ð°Ð½Ð½Ñ %s" @@ -698,7 +698,7 @@ msgstr "Ð’Ñ‚Ð¾Ñ€ÑƒÐ²Ð°Ð½Ð½Ñ %s" msgid "Notices tagged with %s" msgstr "ДопиÑи позначені з %s" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "ÐžÐ½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð¿Ð¾Ð·Ð½Ð°Ñ‡ÐµÐ½Ñ– з %1$s на %2$s!" @@ -759,7 +759,7 @@ msgid "Preview" msgstr "ПереглÑд" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "Видалити" @@ -940,7 +940,7 @@ msgstr "Ви не Ñ” влаÑником цього додатку." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "Виникли певні проблеми з токеном поточної ÑеÑÑ–Ñ—." @@ -998,7 +998,7 @@ msgstr "Ви впевненні, що бажаєте видалити цей д msgid "Do not delete this notice" msgstr "Ðе видалÑти цей допиÑ" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "Видалити допиÑ" @@ -1239,7 +1239,7 @@ msgstr "Ð¾Ð¿Ð¸Ñ Ð½Ð°Ð´Ñ‚Ð¾ довгий (%d знаків макÑимум)." msgid "Could not update group." msgstr "Ðе вдалоÑÑ Ð¾Ð½Ð¾Ð²Ð¸Ñ‚Ð¸ групу." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 msgid "Could not create aliases." msgstr "Ðеможна призначити додаткові імена." @@ -1679,7 +1679,7 @@ msgstr "УчаÑники групи %1$s, Ñторінка %2$d" msgid "A list of the users in this group." msgstr "СпиÑок учаÑників цієї групи." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "Ðдмін" @@ -2066,7 +2066,7 @@ msgstr "Ðеточне Ñ–Ð¼â€™Ñ Ð°Ð±Ð¾ пароль." msgid "Error setting user. You are probably not authorized." msgstr "Помилка. Можливо, Ви не авторизовані." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Увійти" @@ -2324,7 +2324,7 @@ msgid "Only " msgstr "Лише " #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "Такий формат даних не підтримуєтьÑÑ." @@ -3030,7 +3030,7 @@ msgstr "Даруйте, помилка у коді запрошеннÑ." msgid "Registration successful" msgstr "РеєÑÑ‚Ñ€Ð°Ñ†Ñ–Ñ ÑƒÑпішна" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "РеєÑтраціÑ" @@ -3179,7 +3179,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL-адреÑа Вашого профілю на іншому ÑуміÑному ÑервіÑÑ–" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "ПідпиÑатиÑÑŒ" @@ -3216,7 +3216,7 @@ msgstr "Ви не можете вторувати Ñвоїм влаÑним до msgid "You already repeated that notice." msgstr "Ви вже вторували цьому допиÑу." -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 msgid "Repeated" msgstr "ВторуваннÑ" @@ -4389,7 +4389,7 @@ msgstr "" msgid "Plugins" msgstr "Додатки" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 msgid "Version" msgstr "ВерÑÑ–Ñ" @@ -4477,20 +4477,20 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "Вам заборонено надÑилати допиÑи до цього Ñайту." -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "Проблема при збереженні допиÑу." -#: classes/Notice.php:788 +#: classes/Notice.php:790 msgid "Problem saving group inbox." msgstr "Проблема при збереженні вхідних допиÑів Ð´Ð»Ñ Ð³Ñ€ÑƒÐ¿Ð¸." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Помилка бази даних при додаванні відповіді: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4500,11 +4500,11 @@ msgstr "RT @%1$s %2$s" msgid "Welcome to %1$s, @%2$s!" msgstr "Вітаємо на %1$s, @%2$s!" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "Ðе вдалоÑÑ Ñтворити нову групу." -#: classes/User_group.php:409 +#: classes/User_group.php:442 msgid "Could not set group membership." msgstr "Ðе вдалоÑÑ Ð²Ñтановити членÑтво." @@ -4545,124 +4545,124 @@ msgstr "%1$s — %2$s" msgid "Untitled page" msgstr "Сторінка без заголовку" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "Відправна Ð½Ð°Ð²Ñ–Ð³Ð°Ñ†Ñ–Ñ Ð¿Ð¾ Ñайту" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "Дім" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "ПерÑональний профіль Ñ– Ñтрічка друзів" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "Змінити електронну адреÑу, аватару, пароль, профіль" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "З’єднаннÑ" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect to services" msgstr "Ð—â€™Ñ”Ð´Ð½Ð°Ð½Ð½Ñ Ð· ÑервіÑами" -#: lib/action.php:448 +#: lib/action.php:449 msgid "Change site configuration" msgstr "Змінити конфігурацію Ñайту" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "ЗапроÑити" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "ЗапроÑÑ–Ñ‚ÑŒ друзів та колег приєднатиÑÑŒ до Ð’Ð°Ñ Ð½Ð° %s" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Вийти" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "Вийти з Ñайту" -#: lib/action.php:463 +#: lib/action.php:464 msgid "Create an account" msgstr "Створити новий акаунт" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "Увійти на Ñайт" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "Допомога" -#: lib/action.php:469 +#: lib/action.php:470 msgid "Help me!" msgstr "Допоможіть!" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "Пошук" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "Пошук людей або текÑтів" -#: lib/action.php:493 +#: lib/action.php:494 msgid "Site notice" msgstr "Ð—Ð°ÑƒÐ²Ð°Ð¶ÐµÐ½Ð½Ñ Ñайту" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "ОглÑд" -#: lib/action.php:625 +#: lib/action.php:626 msgid "Page notice" msgstr "Ð—Ð°ÑƒÐ²Ð°Ð¶ÐµÐ½Ð½Ñ Ñторінки" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "ДругорÑдна Ð½Ð°Ð²Ñ–Ð³Ð°Ñ†Ñ–Ñ Ð¿Ð¾ Ñайту" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "Про" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "ЧаПи" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "Умови" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "КонфіденційніÑÑ‚ÑŒ" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "Джерело" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Контакт" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "Бедж" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "Ð›Ñ–Ñ†ÐµÐ½Ð·Ñ–Ñ Ð¿Ñ€Ð¾Ð³Ñ€Ð°Ð¼Ð½Ð¾Ð³Ð¾ Ð·Ð°Ð±ÐµÐ·Ð¿ÐµÑ‡ÐµÐ½Ð½Ñ StatusNet" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4671,12 +4671,12 @@ msgstr "" "**%%site.name%%** — це ÑÐµÑ€Ð²Ñ–Ñ Ð¼Ñ–ÐºÑ€Ð¾Ð±Ð»Ð¾Ò‘Ñ–Ð² наданий вам [%%site.broughtby%%](%%" "site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** — це ÑÐµÑ€Ð²Ñ–Ñ Ð¼Ñ–ÐºÑ€Ð¾Ð±Ð»Ð¾Ò‘Ñ–Ð². " -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4687,42 +4687,42 @@ msgstr "" "Ð´Ð»Ñ Ð¼Ñ–ÐºÑ€Ð¾Ð±Ð»Ð¾Ò‘Ñ–Ð², верÑÑ–Ñ %s, доÑтупному під [GNU Affero General Public " "License](http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:802 msgid "Site content license" msgstr "Ð›Ñ–Ñ†ÐµÐ½Ð·Ñ–Ñ Ð·Ð¼Ñ–Ñту Ñайту" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "ЗміÑÑ‚ Ñ– дані %1$s Ñ” приватними Ñ– конфіденційними." -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "ÐвторÑькі права на зміÑÑ‚ Ñ– дані належать %1$s. Ð’ÑÑ– права захищено." -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "ÐвторÑькі права на зміÑÑ‚ Ñ– дані належать розробникам. Ð’ÑÑ– права захищено." -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "Ð’ÑÑ– " -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "ліцензіÑ." -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "ÐÑƒÐ¼ÐµÑ€Ð°Ñ†Ñ–Ñ Ñторінок" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "Вперед" -#: lib/action.php:1147 +#: lib/action.php:1150 msgid "Before" msgstr "Ðазад" @@ -5683,7 +5683,7 @@ msgstr "" "Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ð°Ð±Ð¸ долучити кориÑтувачів до розмови. Такі Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ð±Ð°Ñ‡Ð¸Ñ‚Ðµ " "лише Ви." -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "від" @@ -5808,48 +5808,48 @@ msgstr "" "Ðа жаль, Ð¾Ñ‚Ñ€Ð¸Ð¼Ð°Ð½Ð½Ñ Ñ–Ð½Ñ„Ð¾Ñ€Ð¼Ð°Ñ†Ñ–Ñ— щодо Вашого міÑÑ†ÐµÐ·Ð½Ð°Ñ…Ð¾Ð´Ð¶ÐµÐ½Ð½Ñ Ð·Ð°Ð¹Ð¼Ðµ більше " "чаÑу, ніж очікувалоÑÑŒ; будь лаÑка, Ñпробуйте пізніше" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "Півн." -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "Півд." -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "Сх." -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "Зах." -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "в" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 msgid "in context" msgstr "в контекÑÑ‚Ñ–" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 msgid "Repeated by" msgstr "Вторуванні" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "ВідповіÑти на цей допиÑ" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "ВідповіÑти" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 msgid "Notice repeated" msgstr "Ð”Ð¾Ð¿Ð¸Ñ Ð²Ñ‚Ð¾Ñ€ÑƒÐ²Ð°Ð»Ð¸" @@ -6139,67 +6139,67 @@ msgstr "Ðватара" msgid "User actions" msgstr "ДіÑльніÑÑ‚ÑŒ кориÑтувача" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 msgid "Edit profile settings" msgstr "ÐÐ°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ð¿Ñ€Ð¾Ñ„Ñ–Ð»ÑŽ" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "Правка" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "ÐадіÑлати прÑме Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ñ†ÑŒÐ¾Ð¼Ñƒ кориÑтувачеві" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "ПовідомленнÑ" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "Модерувати" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "мить тому" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "хвилину тому" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "близько %d хвилин тому" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "годину тому" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "близько %d годин тому" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "день тому" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "близько %d днів тому" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "міÑÑць тому" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "близько %d міÑÑців тому" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "рік тому" diff --git a/locale/vi/LC_MESSAGES/statusnet.po b/locale/vi/LC_MESSAGES/statusnet.po index cf152eff5..dcfb3d767 100644 --- a/locale/vi/LC_MESSAGES/statusnet.po +++ b/locale/vi/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:16:19+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:57:29+0000\n" "Language-Team: Vietnamese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: vi\n" "X-Message-Group: out-statusnet\n" @@ -168,8 +168,8 @@ msgstr "" msgid "You and friends" msgstr "%s và bạn bè" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "" @@ -190,12 +190,12 @@ msgstr "" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "PhÆ°Æ¡ng thức API không tìm thấy!" @@ -569,7 +569,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 #, fuzzy msgid "Account" msgstr "Giá»›i thiệu" @@ -656,7 +656,7 @@ msgstr "Không há»— trợ kiểu file ảnh này." msgid "%1$s / Favorites from %2$s" msgstr "Tìm kiếm các tin nhắn Æ°a thích của %s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, fuzzy, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "Tất cả các cập nhật của %s" @@ -667,7 +667,7 @@ msgstr "Tất cả các cập nhật của %s" msgid "%s timeline" msgstr "Dòng tin nhắn của %s" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -683,12 +683,12 @@ msgstr "%1$s / Các cập nhật Ä‘ang trả lá»i tá»›i %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, fuzzy, php-format msgid "%s public timeline" msgstr "Dòng tin công cá»™ng" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s cập nhật từ tất cả má»i ngÆ°á»i!" @@ -698,7 +698,7 @@ msgstr "%s cập nhật từ tất cả má»i ngÆ°á»i!" msgid "Repeated to %s" msgstr "Trả lá»i cho %s" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, fuzzy, php-format msgid "Repeats of %s" msgstr "Trả lá»i cho %s" @@ -708,7 +708,7 @@ msgstr "Trả lá»i cho %s" msgid "Notices tagged with %s" msgstr "Thông báo được gắn thẻ %s" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Dòng tin nhắn cho %s" @@ -774,7 +774,7 @@ msgid "Preview" msgstr "Xem trÆ°á»›c" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 #, fuzzy msgid "Delete" msgstr "Xóa tin nhắn" @@ -966,7 +966,7 @@ msgstr "Bạn chÆ°a cập nhật thông tin riêng" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 #, fuzzy msgid "There was a problem with your session token." msgstr "Có lá»—i xảy ra khi thao tác. Hãy thá»­ lại lần nữa." @@ -1027,7 +1027,7 @@ msgstr "Bạn có chắc chắn là muốn xóa tin nhắn này không?" msgid "Do not delete this notice" msgstr "Không thể xóa tin nhắn này." -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 #, fuzzy msgid "Delete this notice" msgstr "Xóa tin nhắn" @@ -1299,7 +1299,7 @@ msgstr "Lý lịch quá dài (không quá 140 ký tá»±)" msgid "Could not update group." msgstr "Không thể cập nhật thành viên." -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 #, fuzzy msgid "Could not create aliases." msgstr "Không thể tạo favorite." @@ -1771,7 +1771,7 @@ msgstr "Thành viên" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -2161,7 +2161,7 @@ msgstr "Sai tên đăng nhập hoặc mật khẩu." msgid "Error setting user. You are probably not authorized." msgstr "ChÆ°a được phép." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Äăng nhập" @@ -2423,7 +2423,7 @@ msgid "Only " msgstr "" #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "Không há»— trợ định dạng dữ liệu này." @@ -3148,7 +3148,7 @@ msgstr "Lá»—i xảy ra vá»›i mã xác nhận." msgid "Registration successful" msgstr "Äăng ký thành công" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Äăng ký" @@ -3295,7 +3295,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL trong hồ sÆ¡ cá nhân của bạn ở trên các trang microblogging khác" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "Theo bạn này" @@ -3336,7 +3336,7 @@ msgstr "Bạn không thể đăng ký nếu không đồng ý các Ä‘iá»u kho msgid "You already repeated that notice." msgstr "Bạn đã theo những ngÆ°á»i này:" -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 #, fuzzy msgid "Repeated" msgstr "Tạo" @@ -4499,7 +4499,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 #, fuzzy msgid "Version" msgstr "Cá nhân" @@ -4590,21 +4590,21 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:788 +#: classes/Notice.php:790 #, fuzzy msgid "Problem saving group inbox." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "Lá»—i cÆ¡ sở dữ liệu khi chèn trả lá»i: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%s (%s)" @@ -4614,12 +4614,12 @@ msgstr "%s (%s)" msgid "Welcome to %1$s, @%2$s!" msgstr "%s chào mừng bạn " -#: classes/User_group.php:380 +#: classes/User_group.php:413 #, fuzzy msgid "Could not create group." msgstr "Không thể tạo favorite." -#: classes/User_group.php:409 +#: classes/User_group.php:442 #, fuzzy msgid "Could not set group membership." msgstr "Không thể tạo đăng nhận." @@ -4664,135 +4664,135 @@ msgstr "%s (%s)" msgid "Untitled page" msgstr "" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "Trang chủ" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 +#: lib/action.php:442 #, fuzzy msgid "Change your email, avatar, password, profile" msgstr "Thay đổi mật khẩu của bạn" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "Kết nối" -#: lib/action.php:444 +#: lib/action.php:445 #, fuzzy msgid "Connect to services" msgstr "Không thể chuyển đến máy chủ: %s" -#: lib/action.php:448 +#: lib/action.php:449 #, fuzzy msgid "Change site configuration" msgstr "Tôi theo" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "ThÆ° má»i" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, fuzzy, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" "Äiá»n địa chỉ email và ná»™i dung tin nhắn để gá»­i thÆ° má»i bạn bè và đồng nghiệp " "của bạn tham gia vào dịch vụ này." -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "Thoát" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "" -#: lib/action.php:463 +#: lib/action.php:464 #, fuzzy msgid "Create an account" msgstr "Tạo tài khoản má»›i" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "HÆ°á»›ng dẫn" -#: lib/action.php:469 +#: lib/action.php:470 #, fuzzy msgid "Help me!" msgstr "HÆ°á»›ng dẫn" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "Tìm kiếm" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "" -#: lib/action.php:493 +#: lib/action.php:494 #, fuzzy msgid "Site notice" msgstr "Thông báo má»›i" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "" -#: lib/action.php:625 +#: lib/action.php:626 #, fuzzy msgid "Page notice" msgstr "Thông báo má»›i" -#: lib/action.php:727 +#: lib/action.php:728 #, fuzzy msgid "Secondary site navigation" msgstr "Tôi theo" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "Giá»›i thiệu" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "Riêng tÆ°" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "Nguồn" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "Liên hệ" -#: lib/action.php:751 +#: lib/action.php:752 #, fuzzy msgid "Badge" msgstr "Tin đã gá»­i" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4801,12 +4801,12 @@ msgstr "" "**%%site.name%%** là dịch vụ gá»­i tin nhắn được cung cấp từ [%%site.broughtby%" "%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** là dịch vụ gá»­i tin nhắn. " -#: lib/action.php:786 +#: lib/action.php:787 #, fuzzy, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4817,43 +4817,43 @@ msgstr "" "quyá»n [GNU Affero General Public License](http://www.fsf.org/licensing/" "licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:802 #, fuzzy msgid "Site content license" msgstr "Tìm theo ná»™i dung của tin nhắn" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "" -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "" -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "" -#: lib/action.php:1139 +#: lib/action.php:1142 #, fuzzy msgid "After" msgstr "Sau" -#: lib/action.php:1147 +#: lib/action.php:1150 #, fuzzy msgid "Before" msgstr "TrÆ°á»›c" @@ -5791,7 +5791,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 #, fuzzy msgid "from" msgstr " từ " @@ -5919,52 +5919,52 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 #, fuzzy msgid "N" msgstr "Không" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 #, fuzzy msgid "in context" msgstr "Không có ná»™i dung!" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 #, fuzzy msgid "Repeated by" msgstr "Tạo" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 #, fuzzy msgid "Reply to this notice" msgstr "Trả lá»i tin nhắn này" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "Trả lá»i" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 #, fuzzy msgid "Notice repeated" msgstr "Tin đã gá»­i" @@ -6286,70 +6286,70 @@ msgstr "Hình đại diện" msgid "User actions" msgstr "Không tìm thấy action" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 #, fuzzy msgid "Edit profile settings" msgstr "Các thiết lập cho Hồ sÆ¡ cá nhân" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 #, fuzzy msgid "Send a direct message to this user" msgstr "Bạn đã theo những ngÆ°á»i này:" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 #, fuzzy msgid "Message" msgstr "Tin má»›i nhất" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "vài giây trÆ°á»›c" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "1 phút trÆ°á»›c" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "%d phút trÆ°á»›c" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "1 giá» trÆ°á»›c" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "%d giá» trÆ°á»›c" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "1 ngày trÆ°á»›c" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "%d ngày trÆ°á»›c" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "1 tháng trÆ°á»›c" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "%d tháng trÆ°á»›c" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "1 năm trÆ°á»›c" diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index a7aeec7ca..038dd6498 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:16:22+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:57:32+0000\n" "Language-Team: Simplified Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: out-statusnet\n" @@ -170,8 +170,8 @@ msgstr "" msgid "You and friends" msgstr "%s åŠå¥½å‹" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "æ¥è‡ª%2$s 上 %1$s 和好å‹çš„æ›´æ–°ï¼" @@ -192,12 +192,12 @@ msgstr "æ¥è‡ª%2$s 上 %1$s 和好å‹çš„æ›´æ–°ï¼" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "API 方法未实现ï¼" @@ -567,7 +567,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 msgid "Account" msgstr "å¸å·" @@ -654,7 +654,7 @@ msgstr "ä¸æ”¯æŒè¿™ç§å›¾åƒæ ¼å¼ã€‚" msgid "%1$s / Favorites from %2$s" msgstr "%s çš„æ”¶è— / %s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, fuzzy, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s 收è—了 %s çš„ %s 通告。" @@ -665,7 +665,7 @@ msgstr "%s 收è—了 %s çš„ %s 通告。" msgid "%s timeline" msgstr "%s 时间表" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -681,12 +681,12 @@ msgstr "%1$s / å›žå¤ %2$s 的消æ¯" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "å›žå¤ %2$s / %3$s çš„ %1$s 更新。" -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s 公众时间表" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "æ¥è‡ªæ‰€æœ‰äººçš„ %s 消æ¯ï¼" @@ -696,7 +696,7 @@ msgstr "æ¥è‡ªæ‰€æœ‰äººçš„ %s 消æ¯ï¼" msgid "Repeated to %s" msgstr "%s 的回å¤" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, fuzzy, php-format msgid "Repeats of %s" msgstr "%s 的回å¤" @@ -706,7 +706,7 @@ msgstr "%s 的回å¤" msgid "Notices tagged with %s" msgstr "带 %s 标签的通告" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "%2$s 上 %1$s çš„æ›´æ–°ï¼" @@ -769,7 +769,7 @@ msgid "Preview" msgstr "预览" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 #, fuzzy msgid "Delete" msgstr "删除" @@ -962,7 +962,7 @@ msgstr "您未告知此个人信æ¯" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 #, fuzzy msgid "There was a problem with your session token." msgstr "会è¯æ ‡è¯†æœ‰é—®é¢˜ï¼Œè¯·é‡è¯•ã€‚" @@ -1023,7 +1023,7 @@ msgstr "确定è¦åˆ é™¤è¿™æ¡æ¶ˆæ¯å—?" msgid "Do not delete this notice" msgstr "无法删除通告。" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 #, fuzzy msgid "Delete this notice" msgstr "删除通告" @@ -1287,7 +1287,7 @@ msgstr "æ述过长(ä¸èƒ½è¶…过140字符)。" msgid "Could not update group." msgstr "无法更新组" -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 #, fuzzy msgid "Could not create aliases." msgstr "无法创建收è—。" @@ -1748,7 +1748,7 @@ msgstr "%s 组æˆå‘˜, 第 %d 页" msgid "A list of the users in this group." msgstr "该组æˆå‘˜åˆ—表。" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "admin管ç†å‘˜" @@ -2119,7 +2119,7 @@ msgstr "用户å或密ç ä¸æ­£ç¡®ã€‚" msgid "Error setting user. You are probably not authorized." msgstr "未认è¯ã€‚" -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "登录" @@ -2373,7 +2373,7 @@ msgid "Only " msgstr "" #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "ä¸æ”¯æŒçš„æ•°æ®æ ¼å¼ã€‚" @@ -3086,7 +3086,7 @@ msgstr "验è¯ç å‡ºé”™ã€‚" msgid "Registration successful" msgstr "注册æˆåŠŸã€‚" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "注册" @@ -3227,7 +3227,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "您在其他兼容的微åšå®¢æœåŠ¡çš„个人信æ¯URL" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "订阅" @@ -3270,7 +3270,7 @@ msgstr "您必须åŒæ„此授æƒæ–¹å¯æ³¨å†Œã€‚" msgid "You already repeated that notice." msgstr "您已æˆåŠŸé˜»æ­¢è¯¥ç”¨æˆ·ï¼š" -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 #, fuzzy msgid "Repeated" msgstr "创建" @@ -4426,7 +4426,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 #, fuzzy msgid "Version" msgstr "个人" @@ -4516,21 +4516,21 @@ msgstr "你在短时间里å‘布了过多的消æ¯ï¼Œè¯·æ·±å‘¼å¸ï¼Œè¿‡å‡ åˆ†é’Ÿ msgid "You are banned from posting notices on this site." msgstr "在这个网站你被ç¦æ­¢å‘布消æ¯ã€‚" -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:788 +#: classes/Notice.php:790 #, fuzzy msgid "Problem saving group inbox." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "添加回å¤æ—¶æ•°æ®åº“出错:%s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4540,11 +4540,11 @@ msgstr "%1$s (%2$s)" msgid "Welcome to %1$s, @%2$s!" msgstr "å‘é€ç»™ %1$s çš„ %2$s 消æ¯" -#: classes/User_group.php:380 +#: classes/User_group.php:413 msgid "Could not create group." msgstr "无法创建组。" -#: classes/User_group.php:409 +#: classes/User_group.php:442 #, fuzzy msgid "Could not set group membership." msgstr "无法删除订阅。" @@ -4587,133 +4587,133 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "无标题页" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "主站导航" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "主页" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "个人资料åŠæœ‹å‹å¹´è¡¨" -#: lib/action.php:441 +#: lib/action.php:442 #, fuzzy msgid "Change your email, avatar, password, profile" msgstr "修改资料" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "连接" -#: lib/action.php:444 +#: lib/action.php:445 #, fuzzy msgid "Connect to services" msgstr "无法é‡å®šå‘到æœåŠ¡å™¨ï¼š%s" -#: lib/action.php:448 +#: lib/action.php:449 #, fuzzy msgid "Change site configuration" msgstr "主站导航" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "邀请" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, fuzzy, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "使用这个表å•æ¥é‚€è¯·å¥½å‹å’ŒåŒäº‹åŠ å…¥ã€‚" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "登出" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "登出本站" -#: lib/action.php:463 +#: lib/action.php:464 #, fuzzy msgid "Create an account" msgstr "创建新å¸å·" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "登入本站" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "帮助" -#: lib/action.php:469 +#: lib/action.php:470 #, fuzzy msgid "Help me!" msgstr "帮助" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "æœç´¢" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "检索人或文字" -#: lib/action.php:493 +#: lib/action.php:494 #, fuzzy msgid "Site notice" msgstr "新通告" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "本地显示" -#: lib/action.php:625 +#: lib/action.php:626 #, fuzzy msgid "Page notice" msgstr "新通告" -#: lib/action.php:727 +#: lib/action.php:728 #, fuzzy msgid "Secondary site navigation" msgstr "次项站导航" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "关于" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "常è§é—®é¢˜FAQ" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "éšç§" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "æ¥æº" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "è”系人" -#: lib/action.php:751 +#: lib/action.php:752 #, fuzzy msgid "Badge" msgstr "呼å«" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "StatusNet软件注册è¯" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4722,12 +4722,12 @@ msgstr "" "**%%site.name%%** 是一个微åšå®¢æœåŠ¡ï¼Œæ供者为 [%%site.broughtby%%](%%site." "broughtbyurl%%)。" -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** 是一个微åšå®¢æœåŠ¡ã€‚" -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4738,43 +4738,43 @@ msgstr "" "General Public License](http://www.fsf.org/licensing/licenses/agpl-3.0.html)" "授æƒã€‚" -#: lib/action.php:801 +#: lib/action.php:802 #, fuzzy msgid "Site content license" msgstr "StatusNet软件注册è¯" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "全部" -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "注册è¯" -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "分页" -#: lib/action.php:1139 +#: lib/action.php:1142 #, fuzzy msgid "After" msgstr "« 之åŽ" -#: lib/action.php:1147 +#: lib/action.php:1150 #, fuzzy msgid "Before" msgstr "ä¹‹å‰ Â»" @@ -5659,7 +5659,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 #, fuzzy msgid "from" msgstr " 从 " @@ -5786,53 +5786,53 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 #, fuzzy msgid "N" msgstr "å¦" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 #, fuzzy msgid "in context" msgstr "没有内容ï¼" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 #, fuzzy msgid "Repeated by" msgstr "创建" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 #, fuzzy msgid "Reply to this notice" msgstr "无法删除通告。" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 #, fuzzy msgid "Reply" msgstr "回å¤" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 #, fuzzy msgid "Notice repeated" msgstr "消æ¯å·²å‘布。" @@ -6151,70 +6151,70 @@ msgstr "头åƒ" msgid "User actions" msgstr "未知动作" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 #, fuzzy msgid "Edit profile settings" msgstr "个人设置" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 #, fuzzy msgid "Send a direct message to this user" msgstr "无法å‘此用户å‘é€æ¶ˆæ¯ã€‚" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 #, fuzzy msgid "Message" msgstr "新消æ¯" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "几秒å‰" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "一分钟å‰" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "%d 分钟å‰" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "一å°æ—¶å‰" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "%d å°æ—¶å‰" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "一天å‰" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "%d 天å‰" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "一个月å‰" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "%d 个月å‰" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "一年å‰" diff --git a/locale/zh_TW/LC_MESSAGES/statusnet.po b/locale/zh_TW/LC_MESSAGES/statusnet.po index 815f95eac..e6996e152 100644 --- a/locale/zh_TW/LC_MESSAGES/statusnet.po +++ b/locale/zh_TW/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-11 08:14+0000\n" -"PO-Revision-Date: 2010-02-11 08:16:25+0000\n" +"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"PO-Revision-Date: 2010-02-18 22:57:35+0000\n" "Language-Team: Traditional Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62295); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hant\n" "X-Message-Group: out-statusnet\n" @@ -166,8 +166,8 @@ msgstr "" msgid "You and friends" msgstr "%s與好å‹" -#: actions/allrss.php:119 actions/apitimelinefriends.php:121 -#: actions/apitimelinehome.php:122 +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 #, php-format msgid "Updates from %1$s and friends on %2$s!" msgstr "" @@ -188,12 +188,12 @@ msgstr "" #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 -#: actions/apitimelinefavorites.php:146 actions/apitimelinefriends.php:155 -#: actions/apitimelinegroup.php:150 actions/apitimelinehome.php:156 -#: actions/apitimelinementions.php:151 actions/apitimelinepublic.php:131 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 -#: actions/apitimelineretweetsofme.php:122 actions/apitimelinetag.php:141 -#: actions/apitimelineuser.php:166 actions/apiusershow.php:101 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "確èªç¢¼éºå¤±" @@ -559,7 +559,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 lib/action.php:442 #, fuzzy msgid "Account" msgstr "關於" @@ -645,7 +645,7 @@ msgstr "" msgid "%1$s / Favorites from %2$s" msgstr "%1$s的狀態是%2$s" -#: actions/apitimelinefavorites.php:120 +#: actions/apitimelinefavorites.php:117 #, fuzzy, php-format msgid "%1$s updates favorited by %2$s / %2$s." msgstr "&s的微型部è½æ ¼" @@ -656,7 +656,7 @@ msgstr "&s的微型部è½æ ¼" msgid "%s timeline" msgstr "" -#: actions/apitimelinegroup.php:117 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -672,12 +672,12 @@ msgstr "%1$s的狀態是%2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" -#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "" @@ -687,7 +687,7 @@ msgstr "" msgid "Repeated to %s" msgstr "" -#: actions/apitimelineretweetsofme.php:112 +#: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" msgstr "" @@ -697,7 +697,7 @@ msgstr "" msgid "Notices tagged with %s" msgstr "" -#: actions/apitimelinetag.php:108 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "&s的微型部è½æ ¼" @@ -761,7 +761,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:624 +#: lib/deleteuserform.php:66 lib/noticelist.php:636 msgid "Delete" msgstr "" @@ -952,7 +952,7 @@ msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1195 +#: lib/action.php:1198 msgid "There was a problem with your session token." msgstr "" @@ -1011,7 +1011,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "無此通知" -#: actions/deletenotice.php:146 lib/noticelist.php:624 +#: actions/deletenotice.php:146 lib/noticelist.php:636 msgid "Delete this notice" msgstr "" @@ -1268,7 +1268,7 @@ msgstr "自我介紹éŽé•·(å…±140個字元)" msgid "Could not update group." msgstr "無法更新使用者" -#: actions/editgroup.php:259 classes/User_group.php:390 +#: actions/editgroup.php:259 classes/User_group.php:423 #, fuzzy msgid "Could not create aliases." msgstr "無法存å–個人圖åƒè³‡æ–™" @@ -1710,7 +1710,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -2048,7 +2048,7 @@ msgstr "使用者å稱或密碼錯誤" msgid "Error setting user. You are probably not authorized." msgstr "" -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 +#: actions/login.php:188 actions/login.php:241 lib/action.php:467 #: lib/logingroupnav.php:79 msgid "Login" msgstr "登入" @@ -2293,7 +2293,7 @@ msgid "Only " msgstr "" #: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1178 +#: lib/api.php:1068 lib/api.php:1177 msgid "Not a supported data format." msgstr "" @@ -2989,7 +2989,7 @@ msgstr "確èªç¢¼ç™¼ç”ŸéŒ¯èª¤" msgid "Registration successful" msgstr "" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 +#: actions/register.php:114 actions/register.php:503 lib/action.php:464 #: lib/logingroupnav.php:85 msgid "Register" msgstr "" @@ -3114,7 +3114,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:365 +#: lib/userprofile.php:368 msgid "Subscribe" msgstr "" @@ -3153,7 +3153,7 @@ msgstr "" msgid "You already repeated that notice." msgstr "無此使用者" -#: actions/repeat.php:114 lib/noticelist.php:642 +#: actions/repeat.php:114 lib/noticelist.php:655 #, fuzzy msgid "Repeated" msgstr "新增" @@ -4272,7 +4272,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:748 #, fuzzy msgid "Version" msgstr "地點" @@ -4360,21 +4360,21 @@ msgstr "" msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:294 classes/Notice.php:319 +#: classes/Notice.php:294 classes/Notice.php:320 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:788 +#: classes/Notice.php:790 #, fuzzy msgid "Problem saving group inbox." msgstr "儲存使用者發生錯誤" -#: classes/Notice.php:848 +#: classes/Notice.php:850 #, php-format msgid "DB error inserting reply: %s" msgstr "增加回覆時,資料庫發生錯誤: %s" -#: classes/Notice.php:1235 +#: classes/Notice.php:1274 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4384,12 +4384,12 @@ msgstr "" msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:380 +#: classes/User_group.php:413 #, fuzzy msgid "Could not create group." msgstr "無法存å–個人圖åƒè³‡æ–™" -#: classes/User_group.php:409 +#: classes/User_group.php:442 #, fuzzy msgid "Could not set group membership." msgstr "註冊失敗" @@ -4433,129 +4433,129 @@ msgstr "%1$s的狀態是%2$s" msgid "Untitled page" msgstr "" -#: lib/action.php:433 +#: lib/action.php:434 msgid "Primary site navigation" msgstr "" -#: lib/action.php:439 +#: lib/action.php:440 msgid "Home" msgstr "主é " -#: lib/action.php:439 +#: lib/action.php:440 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 +#: lib/action.php:442 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:444 +#: lib/action.php:445 msgid "Connect" msgstr "連çµ" -#: lib/action.php:444 +#: lib/action.php:445 #, fuzzy msgid "Connect to services" msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" -#: lib/action.php:448 +#: lib/action.php:449 msgid "Change site configuration" msgstr "" -#: lib/action.php:452 lib/subgroupnav.php:105 +#: lib/action.php:453 lib/subgroupnav.php:105 msgid "Invite" msgstr "" -#: lib/action.php:453 lib/subgroupnav.php:106 +#: lib/action.php:454 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout" msgstr "登出" -#: lib/action.php:458 +#: lib/action.php:459 msgid "Logout from the site" msgstr "" -#: lib/action.php:463 +#: lib/action.php:464 #, fuzzy msgid "Create an account" msgstr "新增帳號" -#: lib/action.php:466 +#: lib/action.php:467 msgid "Login to the site" msgstr "" -#: lib/action.php:469 lib/action.php:732 +#: lib/action.php:470 lib/action.php:733 msgid "Help" msgstr "求救" -#: lib/action.php:469 +#: lib/action.php:470 #, fuzzy msgid "Help me!" msgstr "求救" -#: lib/action.php:472 lib/searchaction.php:127 +#: lib/action.php:473 lib/searchaction.php:127 msgid "Search" msgstr "" -#: lib/action.php:472 +#: lib/action.php:473 msgid "Search for people or text" msgstr "" -#: lib/action.php:493 +#: lib/action.php:494 #, fuzzy msgid "Site notice" msgstr "新訊æ¯" -#: lib/action.php:559 +#: lib/action.php:560 msgid "Local views" msgstr "" -#: lib/action.php:625 +#: lib/action.php:626 #, fuzzy msgid "Page notice" msgstr "新訊æ¯" -#: lib/action.php:727 +#: lib/action.php:728 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:734 +#: lib/action.php:735 msgid "About" msgstr "關於" -#: lib/action.php:736 +#: lib/action.php:737 msgid "FAQ" msgstr "常見å•é¡Œ" -#: lib/action.php:740 +#: lib/action.php:741 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:744 msgid "Privacy" msgstr "" -#: lib/action.php:745 +#: lib/action.php:746 msgid "Source" msgstr "" -#: lib/action.php:749 +#: lib/action.php:750 msgid "Contact" msgstr "好å‹åå–®" -#: lib/action.php:751 +#: lib/action.php:752 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:780 msgid "StatusNet software license" msgstr "" -#: lib/action.php:782 +#: lib/action.php:783 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4564,12 +4564,12 @@ msgstr "" "**%%site.name%%**是由[%%site.broughtby%%](%%site.broughtbyurl%%)所æ供的微型" "部è½æ ¼æœå‹™" -#: lib/action.php:784 +#: lib/action.php:785 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%**是個微型部è½æ ¼" -#: lib/action.php:786 +#: lib/action.php:787 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4577,42 +4577,42 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:801 +#: lib/action.php:802 #, fuzzy msgid "Site content license" msgstr "新訊æ¯" -#: lib/action.php:806 +#: lib/action.php:807 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:812 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:815 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:826 +#: lib/action.php:828 msgid "All " msgstr "" -#: lib/action.php:831 +#: lib/action.php:834 msgid "license." msgstr "" -#: lib/action.php:1130 +#: lib/action.php:1133 msgid "Pagination" msgstr "" -#: lib/action.php:1139 +#: lib/action.php:1142 msgid "After" msgstr "" -#: lib/action.php:1147 +#: lib/action.php:1150 #, fuzzy msgid "Before" msgstr "之å‰çš„內容»" @@ -5469,7 +5469,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:477 +#: lib/mailbox.php:227 lib/noticelist.php:481 msgid "from" msgstr "" @@ -5594,50 +5594,50 @@ msgid "" "try again later" msgstr "" -#: lib/noticelist.php:428 +#: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "N" msgstr "" -#: lib/noticelist.php:429 +#: lib/noticelist.php:430 msgid "S" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "E" msgstr "" -#: lib/noticelist.php:430 +#: lib/noticelist.php:431 msgid "W" msgstr "" -#: lib/noticelist.php:436 +#: lib/noticelist.php:438 msgid "at" msgstr "" -#: lib/noticelist.php:547 +#: lib/noticelist.php:557 #, fuzzy msgid "in context" msgstr "無內容" -#: lib/noticelist.php:572 +#: lib/noticelist.php:582 #, fuzzy msgid "Repeated by" msgstr "新增" -#: lib/noticelist.php:598 +#: lib/noticelist.php:609 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:599 +#: lib/noticelist.php:610 msgid "Reply" msgstr "" -#: lib/noticelist.php:641 +#: lib/noticelist.php:654 #, fuzzy msgid "Notice repeated" msgstr "更新個人圖åƒ" @@ -5941,68 +5941,68 @@ msgstr "個人圖åƒ" msgid "User actions" msgstr "" -#: lib/userprofile.php:248 +#: lib/userprofile.php:251 #, fuzzy msgid "Edit profile settings" msgstr "線上å³æ™‚通設定" -#: lib/userprofile.php:249 +#: lib/userprofile.php:252 msgid "Edit" msgstr "" -#: lib/userprofile.php:272 +#: lib/userprofile.php:275 msgid "Send a direct message to this user" msgstr "" -#: lib/userprofile.php:273 +#: lib/userprofile.php:276 msgid "Message" msgstr "" -#: lib/userprofile.php:311 +#: lib/userprofile.php:314 msgid "Moderate" msgstr "" -#: lib/util.php:870 +#: lib/util.php:871 msgid "a few seconds ago" msgstr "" -#: lib/util.php:872 +#: lib/util.php:873 msgid "about a minute ago" msgstr "" -#: lib/util.php:874 +#: lib/util.php:875 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:876 +#: lib/util.php:877 msgid "about an hour ago" msgstr "" -#: lib/util.php:878 +#: lib/util.php:879 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:880 +#: lib/util.php:881 msgid "about a day ago" msgstr "" -#: lib/util.php:882 +#: lib/util.php:883 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:884 +#: lib/util.php:885 msgid "about a month ago" msgstr "" -#: lib/util.php:886 +#: lib/util.php:887 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:888 +#: lib/util.php:889 msgid "about a year ago" msgstr "" -- cgit v1.2.3-54-g00ecf From 86f2f530ef60fdb601720885d493cf5b2a446e6b Mon Sep 17 00:00:00 2001 From: Eric Helgeson Date: Sat, 20 Feb 2010 21:57:05 +0000 Subject: Fixed incorrect link on registration successful page --- plugins/OpenID/OpenIDPlugin.php | 11 ++++++++--- 1 file changed, 8 insertions(+), 3 deletions(-) diff --git a/plugins/OpenID/OpenIDPlugin.php b/plugins/OpenID/OpenIDPlugin.php index 248afe3fa..6b35ec3e1 100644 --- a/plugins/OpenID/OpenIDPlugin.php +++ b/plugins/OpenID/OpenIDPlugin.php @@ -235,9 +235,14 @@ class OpenIDPlugin extends Plugin switch ($name) { case 'register': - $instr = '(Have an [OpenID](http://openid.net/)? ' . - 'Try our [OpenID registration]'. - '(%%action.openidlogin%%)!)'; + if (common_logged_in()) { + $instr = '(Have an [OpenID](http://openid.net/)? ' . + '[Add an OpenID to your account](%%action.openidsettings%%)!'; + } else { + $instr = '(Have an [OpenID](http://openid.net/)? ' . + 'Try our [OpenID registration]'. + '(%%action.openidlogin%%)!)'; + } break; case 'login': $instr = '(Have an [OpenID](http://openid.net/)? ' . -- cgit v1.2.3-54-g00ecf From 2d9d444b05e29105082d3a443b8b71de6498b7e9 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Sun, 21 Feb 2010 11:13:57 -0800 Subject: Pulling PubSubHubbub plugin out of default list for 0.9.x; not compatible with recent changes to Atom feed generation for OStatus. --- lib/default.php | 1 - 1 file changed, 1 deletion(-) diff --git a/lib/default.php b/lib/default.php index e9bca79a6..70e00ea75 100644 --- a/lib/default.php +++ b/lib/default.php @@ -280,7 +280,6 @@ $default = 'Mapstraction' => null, 'Linkback' => null, 'WikiHashtags' => null, - 'PubSubHubBub' => null, 'RSSCloud' => null, 'OpenID' => null), ), -- cgit v1.2.3-54-g00ecf From daccaeb748fff65186fff85e28cda92f268dbc60 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Mon, 22 Feb 2010 00:06:47 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans Signed-off-by: Siebrand Mazeland --- locale/ar/LC_MESSAGES/statusnet.po | 219 ++++++++-------- locale/arz/LC_MESSAGES/statusnet.po | 219 ++++++++-------- locale/bg/LC_MESSAGES/statusnet.po | 225 ++++++++--------- locale/ca/LC_MESSAGES/statusnet.po | 223 ++++++++-------- locale/cs/LC_MESSAGES/statusnet.po | 225 ++++++++--------- locale/de/LC_MESSAGES/statusnet.po | 464 ++++++++++++++++------------------ locale/el/LC_MESSAGES/statusnet.po | 223 ++++++++-------- locale/en_GB/LC_MESSAGES/statusnet.po | 223 ++++++++-------- locale/es/LC_MESSAGES/statusnet.po | 223 ++++++++-------- locale/fa/LC_MESSAGES/statusnet.po | 219 ++++++++-------- locale/fi/LC_MESSAGES/statusnet.po | 225 ++++++++--------- locale/fr/LC_MESSAGES/statusnet.po | 219 ++++++++-------- locale/ga/LC_MESSAGES/statusnet.po | 225 ++++++++--------- locale/he/LC_MESSAGES/statusnet.po | 225 ++++++++--------- locale/hsb/LC_MESSAGES/statusnet.po | 219 ++++++++-------- locale/ia/LC_MESSAGES/statusnet.po | 219 ++++++++-------- locale/is/LC_MESSAGES/statusnet.po | 225 ++++++++--------- locale/it/LC_MESSAGES/statusnet.po | 221 ++++++++-------- locale/ja/LC_MESSAGES/statusnet.po | 219 ++++++++-------- locale/ko/LC_MESSAGES/statusnet.po | 225 ++++++++--------- locale/mk/LC_MESSAGES/statusnet.po | 221 ++++++++-------- locale/nb/LC_MESSAGES/statusnet.po | 223 ++++++++-------- locale/nl/LC_MESSAGES/statusnet.po | 219 ++++++++-------- locale/nn/LC_MESSAGES/statusnet.po | 225 ++++++++--------- locale/pl/LC_MESSAGES/statusnet.po | 219 ++++++++-------- locale/pt/LC_MESSAGES/statusnet.po | 219 ++++++++-------- locale/pt_BR/LC_MESSAGES/statusnet.po | 264 ++++++++++--------- locale/ru/LC_MESSAGES/statusnet.po | 219 ++++++++-------- locale/statusnet.po | 214 ++++++++-------- locale/sv/LC_MESSAGES/statusnet.po | 219 ++++++++-------- locale/te/LC_MESSAGES/statusnet.po | 223 ++++++++-------- locale/tr/LC_MESSAGES/statusnet.po | 225 ++++++++--------- locale/uk/LC_MESSAGES/statusnet.po | 219 ++++++++-------- locale/vi/LC_MESSAGES/statusnet.po | 227 ++++++++--------- locale/zh_CN/LC_MESSAGES/statusnet.po | 227 ++++++++--------- locale/zh_TW/LC_MESSAGES/statusnet.po | 223 ++++++++-------- 36 files changed, 4067 insertions(+), 4204 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index 3d3fca98c..ebaf7290c 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:55:38+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:02:19+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" @@ -100,7 +100,6 @@ msgstr "لا صÙحة كهذه" #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "لا مستخدم كهذا." @@ -543,7 +542,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "الحساب" @@ -918,7 +917,7 @@ msgstr "أنت لست مالك هذا التطبيق." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "" @@ -1638,7 +1637,7 @@ msgstr "%1$s أعضاء المجموعة, الصÙحة %2$d" msgid "A list of the users in this group." msgstr "قائمة بمستخدمي هذه المجموعة." -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "إداري" @@ -1968,7 +1967,7 @@ msgstr "اسم المستخدم أو كلمة السر غير صحيحان." msgid "Error setting user. You are probably not authorized." msgstr "خطأ أثناء ضبط المستخدم. لست Ù…Ùصرحًا على الأرجح." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Ù„Ùج" @@ -2896,7 +2895,7 @@ msgstr "عذرا، رمز دعوة غير صالح." msgid "Registration successful" msgstr "نجح التسجيل" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "سجّل" @@ -3726,7 +3725,8 @@ msgstr "" msgid "You are not subscribed to that profile." msgstr "" -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "تعذّر Ø­Ùظ الاشتراك." @@ -4148,7 +4148,7 @@ msgstr "" msgid "Plugins" msgstr "ملحقات" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "النسخة" @@ -4207,49 +4207,73 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:214 +#: classes/Notice.php:215 msgid "Problem saving notice. Too long." msgstr "مشكلة ÙÙŠ Ø­Ùظ الإشعار. طويل جدًا." -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "مشكلة ÙÙŠ Ø­Ùظ الإشعار. مستخدم غير معروÙ." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "مشكلة أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:790 +#: classes/Notice.php:811 #, fuzzy msgid "Problem saving group inbox." msgstr "مشكلة أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تي @%1$s %2$s" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "" + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "Ù…Ùشترك أصلا!" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "لقد منعك المستخدم." + +#: classes/Subscription.php:157 +msgid "Not subscribed!" +msgstr "غير مشترك!" + +#: classes/Subscription.php:163 +msgid "Couldn't delete self-subscription." +msgstr "لم يمكن حذ٠اشتراك ذاتي." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "تعذّر حذ٠الاشتراك." + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "أهلا بكم ÙÙŠ %1$s يا @%2$s!" @@ -4299,124 +4323,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "صÙحة غير Ù…Ùعنونة" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "الرئيسية" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "المل٠الشخصي ومسار الأصدقاء الزمني" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "اتصل" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect to services" msgstr "" -#: lib/action.php:449 +#: lib/action.php:448 msgid "Change site configuration" msgstr "غيّر ضبط الموقع" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "ادعÙ" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "اخرج" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "اخرج من الموقع" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "أنشئ حسابًا" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "Ù„Ùج إلى الموقع" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "مساعدة" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "ساعدني!" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "ابحث" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "ابحث عن أشخاص أو نص" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "إشعار الموقع" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "المشاهدات المحلية" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "إشعار الصÙحة" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "عن" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "الأسئلة المكررة" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "الشروط" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "خصوصية" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "المصدر" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "اتصل" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "رخصة برنامج StatusNet" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4425,12 +4449,12 @@ msgstr "" "**%%site.name%%** خدمة تدوين مصغر يقدمها لك [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4441,41 +4465,41 @@ msgstr "" "المتوÙر تحت [رخصة غنو Ø£Ùيرو العمومية](http://www.fsf.org/licensing/licenses/" "agpl-3.0.html)." -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "رخصة محتوى الموقع" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "" -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "الرخصة." -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "بعد" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "قبل" @@ -4775,54 +4799,59 @@ msgstr "خطأ أثناء Ø­Ùظ الإشعار." msgid "Specify the name of the user to subscribe to" msgstr "" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "لا مستخدم كهذا." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "Ù…Ùشترك ب%s" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "" -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "" -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "" -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "" -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "" -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:668 +#: lib/command.php:681 msgid "You are not subscribed to anyone." msgstr "لست Ù…Ùشتركًا بأي أحد." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "لست مشتركًا بأحد." @@ -4832,11 +4861,11 @@ msgstr[3] "أنت مشترك بهؤلاء الأشخاص:" msgstr[4] "" msgstr[5] "" -#: lib/command.php:690 +#: lib/command.php:703 msgid "No one is subscribed to you." msgstr "لا أحد مشترك بك." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "لا أحد مشترك بك." @@ -4846,11 +4875,11 @@ msgstr[3] "هؤلاء الأشخاص مشتركون بك:" msgstr[4] "" msgstr[5] "" -#: lib/command.php:712 +#: lib/command.php:725 msgid "You are not a member of any groups." msgstr "لست عضوًا ÙÙŠ أي مجموعة." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "لست عضوًا ÙÙŠ أي مجموعة." @@ -4860,7 +4889,7 @@ msgstr[3] "أنت عضو ÙÙŠ هذه المجموعات:" msgstr[4] "" msgstr[5] "" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5522,10 +5551,6 @@ msgstr "خطأ أثناء إدراج المل٠الشخصي البعيد" msgid "Duplicate notice" msgstr "ضاع٠الإشعار" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "" - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "تعذّر إدراج اشتراك جديد." @@ -5702,34 +5727,6 @@ msgstr "الأشخاص المشتركون ب%s" msgid "Groups %s is a member of" msgstr "المجموعات التي %s عضو Ùيها" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "Ù…Ùشترك أصلا!" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "لقد منعك المستخدم." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "تعذّر الاشتراك." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "" - -#: lib/subs.php:137 -msgid "Not subscribed!" -msgstr "غير مشترك!" - -#: lib/subs.php:142 -msgid "Couldn't delete self-subscription." -msgstr "لم يمكن حذ٠اشتراك ذاتي." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "تعذّر حذ٠الاشتراك." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index 2163be1b4..9c0e7c4dd 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:55:41+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:02:22+0000\n" "Language-Team: Egyptian Spoken Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: out-statusnet\n" @@ -104,7 +104,6 @@ msgstr "لا صÙحه كهذه" #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "لا مستخدم كهذا." @@ -547,7 +546,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "الحساب" @@ -922,7 +921,7 @@ msgstr "انت مش بتملك الapplication دى." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "" @@ -1642,7 +1641,7 @@ msgstr "%1$s اعضاء الجروپ, صÙحه %2$d" msgid "A list of the users in this group." msgstr "قائمه بمستخدمى هذه المجموعه." -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "إداري" @@ -1972,7 +1971,7 @@ msgstr "اسم المستخدم أو كلمه السر غير صحيحان." msgid "Error setting user. You are probably not authorized." msgstr "خطأ أثناء ضبط المستخدم. لست Ù…Ùصرحًا على الأرجح." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Ù„Ùج" @@ -2897,7 +2896,7 @@ msgstr "عذرا، رمز دعوه غير صالح." msgid "Registration successful" msgstr "نجح التسجيل" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "سجّل" @@ -3727,7 +3726,8 @@ msgstr "" msgid "You are not subscribed to that profile." msgstr "" -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "تعذّر Ø­Ùظ الاشتراك." @@ -4149,7 +4149,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "النسخه" @@ -4208,49 +4208,73 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:214 +#: classes/Notice.php:215 msgid "Problem saving notice. Too long." msgstr "مشكله ÙÙ‰ Ø­Ùظ الإشعار. طويل جدًا." -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "مشكله ÙÙ‰ Ø­Ùظ الإشعار. مستخدم غير معروÙ." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "مشكله أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:790 +#: classes/Notice.php:811 #, fuzzy msgid "Problem saving group inbox." msgstr "مشكله أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تى @%1$s %2$s" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "" + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "Ù…Ùشترك أصلا!" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "لقد منعك المستخدم." + +#: classes/Subscription.php:157 +msgid "Not subscribed!" +msgstr "غير مشترك!" + +#: classes/Subscription.php:163 +msgid "Couldn't delete self-subscription." +msgstr "ما Ù†Ùعش يمسح الاشتراك الشخصى." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "تعذّر حذ٠الاشتراك." + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "أهلا بكم ÙÙ‰ %1$s يا @%2$s!" @@ -4300,124 +4324,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "صÙحه غير Ù…Ùعنونة" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "الرئيسية" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "المل٠الشخصى ومسار الأصدقاء الزمني" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "اتصل" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect to services" msgstr "" -#: lib/action.php:449 +#: lib/action.php:448 msgid "Change site configuration" msgstr "غيّر ضبط الموقع" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "ادعÙ" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "اخرج" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "اخرج من الموقع" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "أنشئ حسابًا" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "Ù„Ùج إلى الموقع" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "مساعدة" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "ساعدني!" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "ابحث" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "ابحث عن أشخاص أو نص" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "إشعار الموقع" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "المشاهدات المحلية" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "إشعار الصÙحة" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "عن" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "الأسئله المكررة" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "الشروط" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "خصوصية" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "المصدر" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "اتصل" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4426,12 +4450,12 @@ msgstr "" "**%%site.name%%** خدمه تدوين مصغر يقدمها لك [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4442,41 +4466,41 @@ msgstr "" "المتوÙر تحت [رخصه غنو Ø£Ùيرو العمومية](http://www.fsf.org/licensing/licenses/" "agpl-3.0.html)." -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "رخصه محتوى الموقع" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "" -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "الرخصه." -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "بعد" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "قبل" @@ -4776,54 +4800,59 @@ msgstr "خطأ أثناء Ø­Ùظ الإشعار." msgid "Specify the name of the user to subscribe to" msgstr "" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "لا مستخدم كهذا." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "Ù…Ùشترك ب%s" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "" -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "" -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "" -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "" -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "" -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:668 +#: lib/command.php:681 msgid "You are not subscribed to anyone." msgstr "لست Ù…Ùشتركًا بأى أحد." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "لست مشتركًا بأحد." @@ -4833,11 +4862,11 @@ msgstr[3] "أنت مشترك بهؤلاء الأشخاص:" msgstr[4] "" msgstr[5] "" -#: lib/command.php:690 +#: lib/command.php:703 msgid "No one is subscribed to you." msgstr "لا أحد مشترك بك." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "لا أحد مشترك بك." @@ -4847,11 +4876,11 @@ msgstr[3] "هؤلاء الأشخاص مشتركون بك:" msgstr[4] "" msgstr[5] "" -#: lib/command.php:712 +#: lib/command.php:725 msgid "You are not a member of any groups." msgstr "لست عضوًا ÙÙ‰ أى مجموعه." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "لست عضوًا ÙÙ‰ أى مجموعه." @@ -4861,7 +4890,7 @@ msgstr[3] "أنت عضو ÙÙ‰ هذه المجموعات:" msgstr[4] "" msgstr[5] "" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5513,10 +5542,6 @@ msgstr "خطأ أثناء إدراج المل٠الشخصى البعيد" msgid "Duplicate notice" msgstr "ضاع٠الإشعار" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "" - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "تعذّر إدراج اشتراك جديد." @@ -5693,34 +5718,6 @@ msgstr "الأشخاص المشتركون ب%s" msgid "Groups %s is a member of" msgstr "المجموعات التى %s عضو Ùيها" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "Ù…Ùشترك أصلا!" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "لقد منعك المستخدم." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "تعذّر الاشتراك." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "" - -#: lib/subs.php:137 -msgid "Not subscribed!" -msgstr "غير مشترك!" - -#: lib/subs.php:142 -msgid "Couldn't delete self-subscription." -msgstr "ما Ù†Ùعش يمسح الاشتراك الشخصى." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "تعذّر حذ٠الاشتراك." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index 973f57496..873dcfb61 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:55:44+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:02:26+0000\n" "Language-Team: Bulgarian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: out-statusnet\n" @@ -99,7 +99,6 @@ msgstr "ÐÑма такака Ñтраница." #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "ÐÑма такъв потребител" @@ -553,7 +552,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Сметка" @@ -934,7 +933,7 @@ msgstr "Ðе членувате в тази група." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "Имаше проблем ÑÑŠÑ ÑеÑиÑта ви в Ñайта." @@ -1691,7 +1690,7 @@ msgstr "Членове на групата %s, Ñтраница %d" msgid "A list of the users in this group." msgstr "СпиÑък Ñ Ð¿Ð¾Ñ‚Ñ€ÐµÐ±Ð¸Ñ‚ÐµÐ»Ð¸Ñ‚Ðµ в тази група." -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "ÐаÑтройки" @@ -2068,7 +2067,7 @@ msgstr "Грешно име или парола." msgid "Error setting user. You are probably not authorized." msgstr "Забранено." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Вход" @@ -3017,7 +3016,7 @@ msgstr "Грешка в кода за потвърждение." msgid "Registration successful" msgstr "ЗапиÑването е уÑпешно." -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "РегиÑтриране" @@ -3884,7 +3883,8 @@ msgstr "Ðе е въведен код." msgid "You are not subscribed to that profile." msgstr "Ðе Ñте абонирани за този профил" -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 #, fuzzy msgid "Could not save subscription." msgstr "Грешка при Ñъздаване на нов абонамент." @@ -4328,7 +4328,7 @@ msgstr "" msgid "Plugins" msgstr "ПриÑтавки" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "ВерÑиÑ" @@ -4391,23 +4391,23 @@ msgstr "Грешка при обновÑване на бележката Ñ Ð½Ð¾ msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:214 +#: classes/Notice.php:215 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Проблем при запиÑване на бележката." -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "Грешка при запиÑване на бележката. Ðепознат потребител." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Твърде много бележки за кратко време. Спрете, поемете дъх и публикувайте " "отново Ñлед нÑколко минути." -#: classes/Notice.php:229 +#: classes/Notice.php:230 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4416,30 +4416,57 @@ msgstr "" "Твърде много бележки за кратко време. Спрете, поемете дъх и публикувайте " "отново Ñлед нÑколко минути." -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "Забранено ви е да публикувате бележки в този Ñайт." -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "Проблем при запиÑване на бележката." -#: classes/Notice.php:790 +#: classes/Notice.php:811 #, fuzzy msgid "Problem saving group inbox." msgstr "Проблем при запиÑване на бележката." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "Грешка в базата от данни — отговор при вмъкването: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +#, fuzzy +msgid "You have been banned from subscribing." +msgstr "ПотребителÑÑ‚ е забранил да Ñе абонирате за него." + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "ПотребителÑÑ‚ ви е блокирал." + +#: classes/Subscription.php:157 +#, fuzzy +msgid "Not subscribed!" +msgstr "Ðе Ñте абонирани!" + +#: classes/Subscription.php:163 +#, fuzzy +msgid "Couldn't delete self-subscription." +msgstr "Грешка при изтриване на абонамента." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "Грешка при изтриване на абонамента." + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Добре дошли в %1$s, @%2$s!" @@ -4491,128 +4518,128 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Ðеозаглавена Ñтраница" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "Ðачало" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "ПромÑна на поща, аватар, парола, профил" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "Свързване" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect to services" msgstr "Свързване към уÑлуги" -#: lib/action.php:449 +#: lib/action.php:448 msgid "Change site configuration" msgstr "ПромÑна наÑтройките на Ñайта" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Покани" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Поканете приÑтели и колеги да Ñе приÑъединÑÑ‚ към Ð²Ð°Ñ Ð² %s" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Изход" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Излизане от Ñайта" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "Създаване на нова Ñметка" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "Влизане в Ñайта" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Помощ" -#: lib/action.php:470 +#: lib/action.php:469 #, fuzzy msgid "Help me!" msgstr "Помощ" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "ТърÑене" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "ТърÑене за хора или бележки" -#: lib/action.php:494 +#: lib/action.php:493 #, fuzzy msgid "Site notice" msgstr "Ðова бележка" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "" -#: lib/action.php:626 +#: lib/action.php:625 #, fuzzy msgid "Page notice" msgstr "Ðова бележка" -#: lib/action.php:728 +#: lib/action.php:727 #, fuzzy msgid "Secondary site navigation" msgstr "Ðбонаменти" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "ОтноÑно" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "ВъпроÑи" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "УÑловиÑ" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "ПоверителноÑÑ‚" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "Изходен код" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Контакт" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "Табелка" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Лиценз на програмата StatusNet" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4621,12 +4648,12 @@ msgstr "" "**%%site.name%%** е уÑлуга за микроблогване, предоÑтавена ви от [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** е уÑлуга за микроблогване. " -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4637,41 +4664,41 @@ msgstr "" "доÑтъпна под [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "Лиценз на Ñъдържанието" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "Ð’Ñички " -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "лиценз." -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "Страниране" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "След" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "Преди" @@ -4985,80 +5012,85 @@ msgstr "Грешка при запиÑване на бележката." msgid "Specify the name of the user to subscribe to" msgstr "Уточнете името на потребителÑ, за когото Ñе абонирате." -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "ÐÑма такъв потребител" + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "Ðбонирани Ñте за %s." -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "Уточнете името на потребителÑ, от когото Ñе отпиÑвате." -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "ОтпиÑани Ñте от %s." -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "Командата вÑе още не Ñе поддържа." -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "Уведомлението е изключено." -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "Грешка при изключване на уведомлението." -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "Уведомлението е включено." -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "Грешка при включване на уведомлението." -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:668 +#: lib/command.php:681 msgid "You are not subscribed to anyone." msgstr "Ðе Ñте абонирани за никого." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Вече Ñте абонирани за Ñледните потребители:" msgstr[1] "Вече Ñте абонирани за Ñледните потребители:" -#: lib/command.php:690 +#: lib/command.php:703 msgid "No one is subscribed to you." msgstr "Ðикой не е абониран за ваÑ." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Грешка при абониране на друг потребител за ваÑ." msgstr[1] "Грешка при абониране на друг потребител за ваÑ." -#: lib/command.php:712 +#: lib/command.php:725 msgid "You are not a member of any groups." msgstr "Ðе членувате в нито една група." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Ðе членувате в тази група." msgstr[1] "Ðе членувате в тази група." -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5731,11 +5763,6 @@ msgstr "Грешка при вмъкване на отдалечен профи msgid "Duplicate notice" msgstr "Изтриване на бележката" -#: lib/oauthstore.php:465 lib/subs.php:48 -#, fuzzy -msgid "You have been banned from subscribing." -msgstr "ПотребителÑÑ‚ е забранил да Ñе абонирате за него." - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Грешка при добавÑне на нов абонамент." @@ -5919,36 +5946,6 @@ msgstr "Ðбонирани за %s" msgid "Groups %s is a member of" msgstr "Групи, в които учаÑтва %s" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "ПотребителÑÑ‚ ви е блокирал." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "Грешка при абониране." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "Грешка при абониране на друг потребител за ваÑ." - -#: lib/subs.php:137 -#, fuzzy -msgid "Not subscribed!" -msgstr "Ðе Ñте абонирани!" - -#: lib/subs.php:142 -#, fuzzy -msgid "Couldn't delete self-subscription." -msgstr "Грешка при изтриване на абонамента." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "Грешка при изтриване на абонамента." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index e141f0a0d..48cd84bcc 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:55:48+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:02:28+0000\n" "Language-Team: Catalan\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: out-statusnet\n" @@ -105,7 +105,6 @@ msgstr "No existeix la pàgina." #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "No existeix aquest usuari." @@ -569,7 +568,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Compte" @@ -954,7 +953,7 @@ msgstr "No sou un membre del grup." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "Ha ocorregut algun problema amb la teva sessió." @@ -1711,7 +1710,7 @@ msgstr "%s membre/s en el grup, pàgina %d" msgid "A list of the users in this group." msgstr "La llista dels usuaris d'aquest grup." -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" @@ -2091,7 +2090,7 @@ msgstr "Nom d'usuari o contrasenya incorrectes." msgid "Error setting user. You are probably not authorized." msgstr "No autoritzat." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Inici de sessió" @@ -3061,7 +3060,7 @@ msgstr "El codi d'invitació no és vàlid." msgid "Registration successful" msgstr "Registre satisfactori" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registre" @@ -3949,7 +3948,8 @@ msgstr "No hi ha cap codi entrat" msgid "You are not subscribed to that profile." msgstr "No estàs subscrit a aquest perfil." -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "No s'ha pogut guardar la subscripció." @@ -4396,7 +4396,7 @@ msgstr "" msgid "Plugins" msgstr "Connectors" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "Sessions" @@ -4460,23 +4460,23 @@ msgstr "No s'ha pogut inserir el missatge amb la nova URI." msgid "DB error inserting hashtag: %s" msgstr "Hashtag de l'error de la base de dades:%s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Problema en guardar l'avís." -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "Problema al guardar la notificació. Usuari desconegut." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Masses notificacions massa ràpid; pren un respir i publica de nou en uns " "minuts." -#: classes/Notice.php:229 +#: classes/Notice.php:230 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4485,30 +4485,56 @@ msgstr "" "Masses notificacions massa ràpid; pren un respir i publica de nou en uns " "minuts." -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "Ha estat bandejat de publicar notificacions en aquest lloc." -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "Problema en guardar l'avís." -#: classes/Notice.php:790 +#: classes/Notice.php:811 #, fuzzy msgid "Problem saving group inbox." msgstr "Problema en guardar l'avís." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "Error de BD en inserir resposta: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "Se us ha banejat la subscripció." + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "Ja hi esteu subscrit!" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "Un usuari t'ha bloquejat." + +#: classes/Subscription.php:157 +#, fuzzy +msgid "Not subscribed!" +msgstr "No estàs subscrit!" + +#: classes/Subscription.php:163 +#, fuzzy +msgid "Couldn't delete self-subscription." +msgstr "No s'ha pogut eliminar la subscripció." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "No s'ha pogut eliminar la subscripció." + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Us donem la benvinguda a %1$s, @%2$s!" @@ -4559,125 +4585,125 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Pàgina sense titol" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Navegació primària del lloc" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "Inici" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Perfil personal i línia temporal dels amics" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Canviar correu electrònic, avatar, contrasenya, perfil" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "Connexió" -#: lib/action.php:445 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "No s'ha pogut redirigir al servidor: %s" -#: lib/action.php:449 +#: lib/action.php:448 msgid "Change site configuration" msgstr "Canvia la configuració del lloc" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Convida" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Convidar amics i companys perquè participin a %s" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Finalitza la sessió" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Finalitza la sessió del lloc" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "Crea un compte" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "Inicia una sessió al lloc" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Ajuda" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "Ajuda'm" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Cerca" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Cerca gent o text" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "Avís del lloc" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "Vistes locals" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "Notificació pàgina" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Navegació del lloc secundària" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "Quant a" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "Preguntes més freqüents" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "Privadesa" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "Font" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Contacte" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "Insígnia" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Llicència del programari StatusNet" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4686,12 +4712,12 @@ msgstr "" "**%%site.name%%** és un servei de microblogging de [%%site.broughtby%%**](%%" "site.broughtbyurl%%)." -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** és un servei de microblogging." -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4702,41 +4728,41 @@ msgstr "" "%s, disponible sota la [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "Llicència de contingut del lloc" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "Tot " -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "llicència." -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "Paginació" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "Posteriors" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "Anteriors" @@ -5048,82 +5074,87 @@ msgstr "Problema en guardar l'avís." msgid "Specify the name of the user to subscribe to" msgstr "Especifica el nom de l'usuari a que vols subscriure't" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "No existeix aquest usuari." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "Subscrit a %s" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "Especifica el nom de l'usuari del que vols deixar d'estar subscrit" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "Has deixat d'estar subscrit a %s" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "Comanda encara no implementada." -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "Notificacions off." -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "No es poden posar en off les notificacions." -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "Notificacions on." -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "No es poden posar en on les notificacions." -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:668 +#: lib/command.php:681 #, fuzzy msgid "You are not subscribed to anyone." msgstr "No estàs subscrit a aquest perfil." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Ja estàs subscrit a aquests usuaris:" msgstr[1] "Ja estàs subscrit a aquests usuaris:" -#: lib/command.php:690 +#: lib/command.php:703 #, fuzzy msgid "No one is subscribed to you." msgstr "No pots subscriure a un altre a tu mateix." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "No pots subscriure a un altre a tu mateix." msgstr[1] "No pots subscriure a un altre a tu mateix." -#: lib/command.php:712 +#: lib/command.php:725 msgid "You are not a member of any groups." msgstr "No sou membre de cap grup." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Sou un membre d'aquest grup:" msgstr[1] "Sou un membre d'aquests grups:" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5799,10 +5830,6 @@ msgstr "Error en inserir perfil remot" msgid "Duplicate notice" msgstr "Eliminar nota." -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "Se us ha banejat la subscripció." - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "No s'ha pogut inserir una nova subscripció." @@ -5984,36 +6011,6 @@ msgstr "Persones subscrites a %s" msgid "Groups %s is a member of" msgstr "%s grups són membres de" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "Ja hi esteu subscrit!" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "Un usuari t'ha bloquejat." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "No pots subscriure." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "No pots subscriure a un altre a tu mateix." - -#: lib/subs.php:137 -#, fuzzy -msgid "Not subscribed!" -msgstr "No estàs subscrit!" - -#: lib/subs.php:142 -#, fuzzy -msgid "Couldn't delete self-subscription." -msgstr "No s'ha pogut eliminar la subscripció." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "No s'ha pogut eliminar la subscripció." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index 192a6572e..2d6cdda17 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:55:51+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:02:31+0000\n" "Language-Team: Czech\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: out-statusnet\n" @@ -106,7 +106,6 @@ msgstr "Žádné takové oznámení." #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "Žádný takový uživatel." @@ -564,7 +563,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 #, fuzzy msgid "Account" msgstr "O nás" @@ -957,7 +956,7 @@ msgstr "Neodeslal jste nám profil" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "" @@ -1719,7 +1718,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -2069,7 +2068,7 @@ msgstr "Neplatné jméno nebo heslo" msgid "Error setting user. You are probably not authorized." msgstr "Neautorizován." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "PÅ™ihlásit" @@ -3030,7 +3029,7 @@ msgstr "Chyba v ověřovacím kódu" msgid "Registration successful" msgstr "Registrace úspěšná" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registrovat" @@ -3890,7 +3889,8 @@ msgstr "" msgid "You are not subscribed to that profile." msgstr "Neodeslal jste nám profil" -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 #, fuzzy msgid "Could not save subscription." msgstr "Nelze vytvoÅ™it odebírat" @@ -4342,7 +4342,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "Osobní" @@ -4405,51 +4405,78 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:214 +#: classes/Notice.php:215 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:218 +#: classes/Notice.php:219 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:790 +#: classes/Notice.php:811 #, fuzzy msgid "Problem saving group inbox." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "Chyba v DB pÅ™i vkládání odpovÄ›di: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "" + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "" + +#: classes/Subscription.php:74 +#, fuzzy +msgid "User has blocked you." +msgstr "Uživatel nemá profil." + +#: classes/Subscription.php:157 +#, fuzzy +msgid "Not subscribed!" +msgstr "NepÅ™ihlášen!" + +#: classes/Subscription.php:163 +#, fuzzy +msgid "Couldn't delete self-subscription." +msgstr "Nelze smazat odebírání" + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "Nelze smazat odebírání" + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" @@ -4503,130 +4530,130 @@ msgstr "%1 statusů na %2" msgid "Untitled page" msgstr "" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "Domů" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "PÅ™ipojit" -#: lib/action.php:445 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "Nelze pÅ™esmÄ›rovat na server: %s" -#: lib/action.php:449 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "OdbÄ›ry" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Odhlásit" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "" -#: lib/action.php:464 +#: lib/action.php:463 #, fuzzy msgid "Create an account" msgstr "VytvoÅ™it nový úÄet" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "NápovÄ›da" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "Pomoci mi!" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Hledat" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "" -#: lib/action.php:494 +#: lib/action.php:493 #, fuzzy msgid "Site notice" msgstr "Nové sdÄ›lení" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "" -#: lib/action.php:626 +#: lib/action.php:625 #, fuzzy msgid "Page notice" msgstr "Nové sdÄ›lení" -#: lib/action.php:728 +#: lib/action.php:727 #, fuzzy msgid "Secondary site navigation" msgstr "OdbÄ›ry" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "O nás" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "Soukromí" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "Zdroj" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4635,12 +4662,12 @@ msgstr "" "**%%site.name%%** je služba microblogů, kterou pro vás poskytuje [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** je služba mikroblogů." -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4651,43 +4678,43 @@ msgstr "" "dostupná pod [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:802 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "Nové sdÄ›lení" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "" -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "" -#: lib/action.php:1142 +#: lib/action.php:1141 #, fuzzy msgid "After" msgstr "« NovÄ›jší" -#: lib/action.php:1150 +#: lib/action.php:1149 #, fuzzy msgid "Before" msgstr "Starší »" @@ -5002,86 +5029,91 @@ msgstr "Problém pÅ™i ukládání sdÄ›lení" msgid "Specify the name of the user to subscribe to" msgstr "" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "Žádný takový uživatel." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "" -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "" -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "" -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "" -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "" -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:668 +#: lib/command.php:681 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Neodeslal jste nám profil" -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Neodeslal jste nám profil" msgstr[1] "Neodeslal jste nám profil" msgstr[2] "" -#: lib/command.php:690 +#: lib/command.php:703 #, fuzzy msgid "No one is subscribed to you." msgstr "Vzdálený odbÄ›r" -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Vzdálený odbÄ›r" msgstr[1] "Vzdálený odbÄ›r" msgstr[2] "" -#: lib/command.php:712 +#: lib/command.php:725 #, fuzzy msgid "You are not a member of any groups." msgstr "Neodeslal jste nám profil" -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Neodeslal jste nám profil" msgstr[1] "Neodeslal jste nám profil" msgstr[2] "" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5763,10 +5795,6 @@ msgstr "Chyba pÅ™i vkládaní vzdáleného profilu" msgid "Duplicate notice" msgstr "Nové sdÄ›lení" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "" - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Nelze vložit odebírání" @@ -5952,37 +5980,6 @@ msgstr "Vzdálený odbÄ›r" msgid "Groups %s is a member of" msgstr "" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "" - -#: lib/subs.php:56 -#, fuzzy -msgid "User has blocked you." -msgstr "Uživatel nemá profil." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "" - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "" - -#: lib/subs.php:137 -#, fuzzy -msgid "Not subscribed!" -msgstr "NepÅ™ihlášen!" - -#: lib/subs.php:142 -#, fuzzy -msgid "Couldn't delete self-subscription." -msgstr "Nelze smazat odebírání" - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "Nelze smazat odebírání" - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index 6578c2f5c..820fffcab 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -13,12 +13,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:55:55+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:02:34+0000\n" "Language-Team: German\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: out-statusnet\n" @@ -109,7 +109,6 @@ msgstr "Seite nicht vorhanden" #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "Unbekannter Benutzer." @@ -568,7 +567,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Konto" @@ -951,7 +950,7 @@ msgstr "Du bist kein Mitglied dieser Gruppe." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "Es gab ein Problem mit deinem Sessiontoken." @@ -1702,7 +1701,7 @@ msgstr "%s Gruppen-Mitglieder, Seite %d" msgid "A list of the users in this group." msgstr "Liste der Benutzer in dieser Gruppe." -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" @@ -2090,7 +2089,7 @@ msgid "Error setting user. You are probably not authorized." msgstr "" "Fehler beim setzen des Benutzers. Du bist vermutlich nicht autorisiert." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Anmelden" @@ -2386,7 +2385,7 @@ msgstr "Profil-Einstellungen ansehen" #: actions/othersettings.php:123 msgid "Show or hide profile designs." -msgstr "" +msgstr "Prifil-Designs anzeigen oder verstecken." #: actions/othersettings.php:153 msgid "URL shortening service is too long (max 50 chars)." @@ -2535,7 +2534,7 @@ msgstr "Server" #: actions/pathsadminpanel.php:238 msgid "Site's server hostname." -msgstr "" +msgstr "Server Name der Seite" #: actions/pathsadminpanel.php:242 msgid "Path" @@ -2595,15 +2594,15 @@ msgstr "Avatarverzeichnis" #: actions/pathsadminpanel.php:301 msgid "Backgrounds" -msgstr "" +msgstr "Hintergrundbilder" #: actions/pathsadminpanel.php:305 msgid "Background server" -msgstr "" +msgstr "Server für Hintergrundbilder" #: actions/pathsadminpanel.php:309 msgid "Background path" -msgstr "" +msgstr "Pfad zu den Hintergrundbildern" #: actions/pathsadminpanel.php:313 msgid "Background directory" @@ -2665,20 +2664,20 @@ msgid "Not a valid people tag: %s" msgstr "Ungültiger Personen-Tag: %s" #: actions/peopletag.php:144 -#, fuzzy, php-format +#, php-format msgid "Users self-tagged with %1$s - page %2$d" -msgstr "Benutzer die sich selbst mit %s getagged haben - Seite %d" +msgstr "Benutzer die sich selbst mit %1$s getagged haben - Seite %2$d" #: actions/postnotice.php:84 msgid "Invalid notice content" msgstr "Ungültiger Nachrichteninhalt" #: actions/postnotice.php:90 -#, fuzzy, php-format +#, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -"Die Nachrichtenlizenz '%s' ist nicht kompatibel mit der Lizenz der Seite '%" -"s'." +"Die Nachrichtenlizenz '%1$s' ist nicht kompatibel mit der Lizenz der Seite '%" +"2$s'." #: actions/profilesettings.php:60 msgid "Profile settings" @@ -2741,7 +2740,7 @@ msgstr "Wo du bist, beispielsweise „Stadt, Gebiet, Land“" #: actions/profilesettings.php:138 msgid "Share my current location when posting notices" -msgstr "" +msgstr "Teile meine aktuelle Position wenn ich Nachrichten sende" #: actions/profilesettings.php:145 actions/tagother.php:149 #: actions/tagother.php:209 lib/subscriptionlist.php:106 @@ -2802,9 +2801,8 @@ msgid "Couldn't update user for autosubscribe." msgstr "Autosubscribe konnte nicht aktiviert werden." #: actions/profilesettings.php:359 -#, fuzzy msgid "Couldn't save location prefs." -msgstr "Konnte Tags nicht speichern." +msgstr "Konnte Positions-Einstellungen nicht speichern." #: actions/profilesettings.php:371 msgid "Couldn't save profile." @@ -2821,7 +2819,7 @@ msgstr "Einstellungen gespeichert." #: actions/public.php:83 #, php-format msgid "Beyond the page limit (%s)" -msgstr "" +msgstr "Jenseits des Seitenlimits (%s)" #: actions/public.php:92 msgid "Could not retrieve public stream." @@ -2854,10 +2852,12 @@ msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" +"Dies ist die öffentliche Zeitlinie von %%site.name%% es wurde allerdings " +"noch nichts gepostet." #: actions/public.php:190 msgid "Be the first to post!" -msgstr "" +msgstr "Sei der erste der etwas schreibt!" #: actions/public.php:194 #, php-format @@ -2898,6 +2898,8 @@ msgstr "Das sind die beliebtesten Tags auf %s " #, php-format msgid "No one has posted a notice with a [hashtag](%%doc.tags%%) yet." msgstr "" +"Bis jetzt hat noch niemand eine Nachricht mit dem Tag [hashtag](%%doc.tags%" +"%) gepostet." #: actions/publictagcloud.php:72 msgid "Be the first to post one!" @@ -3048,7 +3050,7 @@ msgstr "Entschuldigung, ungültiger Bestätigungscode." msgid "Registration successful" msgstr "Registrierung erfolgreich" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registrieren" @@ -3366,9 +3368,8 @@ msgstr "" #: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 -#, fuzzy msgid "Name" -msgstr "Nutzername" +msgstr "Name" #: actions/showapplication.php:178 lib/applicationeditform.php:222 #, fuzzy @@ -3481,7 +3482,7 @@ msgstr "" #: actions/showfavorites.php:242 msgid "This is a way to share what you like." -msgstr "" +msgstr "Dies ist ein Weg Dinge zu teilen die dir gefallen." #: actions/showgroup.php:82 lib/groupnav.php:86 #, php-format @@ -3681,35 +3682,32 @@ msgstr "" "Software [StatusNet](http://status.net/). " #: actions/showstream.php:305 -#, fuzzy, php-format +#, php-format msgid "Repeat of %s" -msgstr "Antworten an %s" +msgstr "Wiederholung von %s" #: actions/silence.php:65 actions/unsilence.php:65 -#, fuzzy msgid "You cannot silence users on this site." -msgstr "Du kannst diesem Benutzer keine Nachricht schicken." +msgstr "Du kannst Nutzer dieser Seite nicht ruhig stellen." #: actions/silence.php:72 -#, fuzzy msgid "User is already silenced." -msgstr "Dieser Benutzer hat dich blockiert." +msgstr "Nutzer ist bereits ruhig gestellt." #: actions/siteadminpanel.php:69 msgid "Basic settings for this StatusNet site." -msgstr "" +msgstr "Grundeinstellungen für diese StatusNet Seite." #: actions/siteadminpanel.php:132 msgid "Site name must have non-zero length." -msgstr "" +msgstr "Der Seiten Name darf nicht leer sein." #: actions/siteadminpanel.php:140 -#, fuzzy msgid "You must have a valid contact email address." -msgstr "Du musst eine gültige E-Mail-Adresse haben" +msgstr "Du musst eine gültige E-Mail-Adresse haben." #: actions/siteadminpanel.php:158 -#, fuzzy, php-format +#, php-format msgid "Unknown language \"%s\"." msgstr "Unbekannte Sprache „%s“" @@ -3727,7 +3725,7 @@ msgstr "" #: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." -msgstr "" +msgstr "Minimale Textlänge ist 140 Zeichen." #: actions/siteadminpanel.php:189 msgid "Dupe limit must 1 or more seconds." @@ -3738,13 +3736,12 @@ msgid "General" msgstr "" #: actions/siteadminpanel.php:242 -#, fuzzy msgid "Site name" -msgstr "Seitennachricht" +msgstr "Seitenname" #: actions/siteadminpanel.php:243 msgid "The name of your site, like \"Yourcompany Microblog\"" -msgstr "" +msgstr "Der Name deiner Seite, sowas wie \"DeinUnternehmen Mircoblog\"" #: actions/siteadminpanel.php:247 msgid "Brought by" @@ -3947,7 +3944,8 @@ msgstr "Kein Code eingegeben" msgid "You are not subscribed to that profile." msgstr "Du hast dieses Profil nicht abonniert." -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "Konnte Abonnement nicht erstellen." @@ -3965,9 +3963,9 @@ msgid "%s subscribers" msgstr "%s Abonnenten" #: actions/subscribers.php:52 -#, fuzzy, php-format +#, php-format msgid "%1$s subscribers, page %2$d" -msgstr "%s Abonnenten, Seite %d" +msgstr "%1$s Abonnenten, Seite %2$d" #: actions/subscribers.php:63 msgid "These are the people who listen to your notices." @@ -4006,9 +4004,9 @@ msgid "%s subscriptions" msgstr "%s Abonnements" #: actions/subscriptions.php:54 -#, fuzzy, php-format +#, php-format msgid "%1$s subscriptions, page %2$d" -msgstr "%s Abonnements, Seite %d" +msgstr "%1$s Abonnements, Seite %2$d" #: actions/subscriptions.php:65 msgid "These are the people whose notices you listen to." @@ -4030,9 +4028,9 @@ msgid "" msgstr "" #: actions/subscriptions.php:123 actions/subscriptions.php:127 -#, fuzzy, php-format +#, php-format msgid "%s is not listening to anyone." -msgstr "%1$s liest ab sofort " +msgstr "%s hat niemanden abonniert." #: actions/subscriptions.php:194 msgid "Jabber" @@ -4043,24 +4041,24 @@ msgid "SMS" msgstr "SMS" #: actions/tag.php:68 -#, fuzzy, php-format +#, php-format msgid "Notices tagged with %1$s, page %2$d" -msgstr "Benutzer die sich selbst mit %s getagged haben - Seite %d" +msgstr "Mit %1$s gekennzeichnete Nachrichten, Seite %2$d" #: actions/tag.php:86 -#, fuzzy, php-format +#, php-format msgid "Notice feed for tag %s (RSS 1.0)" -msgstr "Feed der Nachrichten von %s" +msgstr "Nachrichten Feed für Tag %s (RSS 1.0)" #: actions/tag.php:92 -#, fuzzy, php-format +#, php-format msgid "Notice feed for tag %s (RSS 2.0)" -msgstr "Feed der Nachrichten von %s" +msgstr "Nachrichten Feed für Tag %s (RSS 2.0)" #: actions/tag.php:98 -#, fuzzy, php-format +#, php-format msgid "Notice feed for tag %s (Atom)" -msgstr "Feed der Nachrichten von %s" +msgstr "Nachrichten Feed für Tag %s (Atom)" #: actions/tagother.php:39 #, fuzzy @@ -4128,9 +4126,8 @@ msgid "User is not sandboxed." msgstr "Dieser Benutzer hat dich blockiert." #: actions/unsilence.php:72 -#, fuzzy msgid "User is not silenced." -msgstr "Benutzer hat kein Profil." +msgstr "Der Benutzer ist nicht ruhig gestellt." #: actions/unsubscribe.php:77 msgid "No profile id in request." @@ -4155,15 +4152,15 @@ msgstr "Benutzer" #: actions/useradminpanel.php:69 msgid "User settings for this StatusNet site." -msgstr "" +msgstr "Nutzer Einstellungen dieser StatusNet Seite." #: actions/useradminpanel.php:148 msgid "Invalid bio limit. Must be numeric." -msgstr "" +msgstr "Das Zeichenlimit der Biografie muss numerisch sein!" #: actions/useradminpanel.php:154 msgid "Invalid welcome text. Max length is 255 characters." -msgstr "" +msgstr "Willkommens-Nachricht ungültig. Maximale Länge sind 255 Zeichen." #: actions/useradminpanel.php:164 #, php-format @@ -4193,33 +4190,27 @@ msgstr "" #: actions/useradminpanel.php:235 msgid "Welcome text for new users (Max 255 chars)." -msgstr "" +msgstr "Willkommens-Nachricht für neue Nutzer (maximal 255 Zeichen)." #: actions/useradminpanel.php:240 -#, fuzzy msgid "Default subscription" -msgstr "Alle Abonnements" +msgstr "Standard Abonnement" #: actions/useradminpanel.php:241 -#, fuzzy msgid "Automatically subscribe new users to this user." -msgstr "" -"Abonniere automatisch alle Kontakte, die mich abonnieren (sinnvoll für Nicht-" -"Menschen)" +msgstr "Neue Nutzer abonnieren automatisch diesen Nutzer" #: actions/useradminpanel.php:250 -#, fuzzy msgid "Invitations" -msgstr "Einladung(en) verschickt" +msgstr "Einladungen" #: actions/useradminpanel.php:255 -#, fuzzy msgid "Invitations enabled" -msgstr "Einladung(en) verschickt" +msgstr "Einladungen aktivieren" #: actions/useradminpanel.php:257 msgid "Whether to allow users to invite new users." -msgstr "" +msgstr "Ist es Nutzern erlaubt neue Nutzer einzuladen." #: actions/userauthorization.php:105 msgid "Authorize subscription" @@ -4245,7 +4236,6 @@ msgstr "Akzeptieren" #: actions/userauthorization.php:218 lib/subscribeform.php:115 #: lib/subscribeform.php:139 -#, fuzzy msgid "Subscribe to this user" msgstr "Abonniere diesen Benutzer" @@ -4403,7 +4393,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "Eigene" @@ -4468,22 +4458,22 @@ msgstr "Konnte Nachricht nicht mit neuer URI versehen." msgid "DB error inserting hashtag: %s" msgstr "Datenbankfehler beim Einfügen des Hashtags: %s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 msgid "Problem saving notice. Too long." msgstr "Problem bei Speichern der Nachricht. Sie ist zu lang." -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "Problem bei Speichern der Nachricht. Unbekannter Benutzer." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Zu schnell zu viele Nachrichten; atme kurz durch und schicke sie erneut in " "ein paar Minuten ab." -#: classes/Notice.php:229 +#: classes/Notice.php:230 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4492,31 +4482,57 @@ msgstr "" "Zu schnell zu viele Nachrichten; atme kurz durch und schicke sie erneut in " "ein paar Minuten ab." -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "" "Du wurdest für das Schreiben von Nachrichten auf dieser Seite gesperrt." -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "Problem bei Speichern der Nachricht." -#: classes/Notice.php:790 +#: classes/Notice.php:811 #, fuzzy msgid "Problem saving group inbox." msgstr "Problem bei Speichern der Nachricht." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "Datenbankfehler beim Einfügen der Antwort: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "Dieser Benutzer erlaubt dir nicht ihn zu abonnieren." + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "Bereits abonniert!" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "Dieser Benutzer hat dich blockiert." + +#: classes/Subscription.php:157 +#, fuzzy +msgid "Not subscribed!" +msgstr "Nicht abonniert!" + +#: classes/Subscription.php:163 +#, fuzzy +msgid "Couldn't delete self-subscription." +msgstr "Konnte Abonnement nicht löschen." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "Konnte Abonnement nicht löschen." + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Herzlich willkommen bei %1$s, @%2$s!" @@ -4567,127 +4583,127 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Seite ohne Titel" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Hauptnavigation" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "Startseite" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Persönliches Profil und Freundes-Zeitleiste" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Ändere deine E-Mail, dein Avatar, Passwort, Profil" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "Verbinden" -#: lib/action.php:445 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "Konnte nicht zum Server umleiten: %s" -#: lib/action.php:449 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "Hauptnavigation" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Einladen" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Lade Freunde und Kollegen ein dir auf %s zu folgen" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Abmelden" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Von der Seite abmelden" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "Neues Konto erstellen" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "Auf der Seite anmelden" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Hilfe" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "Hilf mir!" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Suchen" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Suche nach Leuten oder Text" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "Seitennachricht" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "Lokale Ansichten" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "Neue Nachricht" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Unternavigation" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "Ãœber" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "AGB" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "Privatsphäre" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "Quellcode" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:752 +#: lib/action.php:751 #, fuzzy msgid "Badge" msgstr "Stups" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "StatusNet-Software-Lizenz" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4696,12 +4712,12 @@ msgstr "" "**%%site.name%%** ist ein Microbloggingdienst von [%%site.broughtby%%](%%" "site.broughtbyurl%%)." -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** ist ein Microbloggingdienst." -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4712,42 +4728,42 @@ msgstr "" "(Version %s) betrieben, die unter der [GNU Affero General Public License]" "(http://www.fsf.org/licensing/licenses/agpl-3.0.html) erhältlich ist." -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "StatusNet-Software-Lizenz" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 #, fuzzy msgid "All " msgstr "Alle " -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "Lizenz." -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "Seitenerstellung" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "Später" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "Vorher" @@ -5057,81 +5073,86 @@ msgstr "Problem beim Speichern der Nachricht." msgid "Specify the name of the user to subscribe to" msgstr "Gib den Namen des Benutzers an, den du abonnieren möchtest" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "Unbekannter Benutzer." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "%s abonniert" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "Gib den Namen des Benutzers ein, den du nicht mehr abonnieren möchtest" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "%s nicht mehr abonniert" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "Befehl noch nicht implementiert." -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "Benachrichtigung deaktiviert." -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "Konnte Benachrichtigung nicht deaktivieren." -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "Benachrichtigung aktiviert." -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "Konnte Benachrichtigung nicht aktivieren." -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:668 +#: lib/command.php:681 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Du hast dieses Profil nicht abonniert." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Du hast diese Benutzer bereits abonniert:" msgstr[1] "Du hast diese Benutzer bereits abonniert:" -#: lib/command.php:690 +#: lib/command.php:703 msgid "No one is subscribed to you." msgstr "Niemand hat Dich abonniert." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Die Gegenseite konnte Dich nicht abonnieren." msgstr[1] "Die Gegenseite konnte Dich nicht abonnieren." -#: lib/command.php:712 +#: lib/command.php:725 msgid "You are not a member of any groups." msgstr "Du bist in keiner Gruppe Mitglied." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Du bist Mitglied dieser Gruppe:" msgstr[1] "Du bist Mitglied dieser Gruppen:" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5245,19 +5266,19 @@ msgstr "Zu Favoriten hinzufügen" #: lib/feed.php:85 msgid "RSS 1.0" -msgstr "" +msgstr "RSS 1.0" #: lib/feed.php:87 msgid "RSS 2.0" -msgstr "" +msgstr "RSS 2.0" #: lib/feed.php:89 msgid "Atom" -msgstr "" +msgstr "Atom" #: lib/feed.php:91 msgid "FOAF" -msgstr "" +msgstr "FOAF" #: lib/feedlist.php:64 msgid "Export data" @@ -5324,12 +5345,12 @@ msgid "Blocked" msgstr "Blockiert" #: lib/groupnav.php:102 -#, fuzzy, php-format +#, php-format msgid "%s blocked users" -msgstr "Benutzer blockieren" +msgstr "in %s blockierte Nutzer" #: lib/groupnav.php:108 -#, fuzzy, php-format +#, php-format msgid "Edit %s group properties" msgstr "%s Gruppeneinstellungen bearbeiten" @@ -5338,14 +5359,14 @@ msgid "Logo" msgstr "Logo" #: lib/groupnav.php:114 -#, fuzzy, php-format +#, php-format msgid "Add or edit %s logo" msgstr "%s Logo hinzufügen oder bearbeiten" #: lib/groupnav.php:120 -#, fuzzy, php-format +#, php-format msgid "Add or edit %s design" -msgstr "%s Logo hinzufügen oder bearbeiten" +msgstr "%s Design hinzufügen oder bearbeiten" #: lib/groupsbymemberssection.php:71 msgid "Groups with most members" @@ -5356,7 +5377,7 @@ msgid "Groups with most posts" msgstr "Gruppen mit den meisten Beiträgen" #: lib/grouptagcloudsection.php:56 -#, fuzzy, php-format +#, php-format msgid "Tags in %s group's notices" msgstr "Tags in den Nachrichten der Gruppe %s" @@ -5395,16 +5416,16 @@ msgstr "Unbekannter Dateityp" #: lib/imagefile.php:217 msgid "MB" -msgstr "" +msgstr "MB" #: lib/imagefile.php:219 msgid "kB" -msgstr "" +msgstr "kB" #: lib/jabber.php:220 #, php-format msgid "[%s]" -msgstr "" +msgstr "[%s]" #: lib/jabber.php:400 #, fuzzy, php-format @@ -5420,14 +5441,12 @@ msgid "Leave" msgstr "Verlassen" #: lib/logingroupnav.php:80 -#, fuzzy msgid "Login with a username and password" -msgstr "Anmelden mit einem Benutzernamen und Passwort" +msgstr "Mit Nutzernamen und Passwort anmelden" #: lib/logingroupnav.php:86 -#, fuzzy msgid "Sign up for a new account" -msgstr "Für ein neues Konto registrieren" +msgstr "Registriere ein neues Nutzerkonto" #: lib/mail.php:172 msgid "Email address confirmation" @@ -5495,11 +5514,9 @@ msgstr "" "$s ändern.\n" #: lib/mail.php:258 -#, fuzzy, php-format +#, php-format msgid "Bio: %s" -msgstr "" -"Biografie: %s\n" -"\n" +msgstr "Biografie: %s" #: lib/mail.php:286 #, php-format @@ -5666,7 +5683,6 @@ msgstr "" "Nachrichten schicken, die nur Du sehen kannst." #: lib/mailbox.php:227 lib/noticelist.php:481 -#, fuzzy msgid "from" msgstr "von" @@ -5687,39 +5703,45 @@ msgid "Sorry, no incoming email allowed." msgstr "Sorry, keinen eingehenden E-Mails gestattet." #: lib/mailhandler.php:228 -#, fuzzy, php-format +#, php-format msgid "Unsupported message type: %s" -msgstr "Bildformat wird nicht unterstützt." +msgstr "Nachrichten-Typ %s wird nicht unterstützt." #: lib/mediafile.php:98 lib/mediafile.php:123 msgid "There was a database error while saving your file. Please try again." msgstr "" +"Beim Speichern der Datei trat ein Datenbank Fehler auf. Bitte versuche es " +"noch einmal." #: lib/mediafile.php:142 msgid "The uploaded file exceeds the upload_max_filesize directive in php.ini." msgstr "" +"Die Größe der hoch geladenen Datei überschreitet die upload_max_filesize " +"Angabe in der php.ini." #: lib/mediafile.php:147 msgid "" "The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " "the HTML form." msgstr "" +"Die Größe der hoch geladenen Datei überschreitet die MAX_FILE_SIZE Angabe, " +"die im HTML Formular angegeben wurde." #: lib/mediafile.php:152 msgid "The uploaded file was only partially uploaded." -msgstr "" +msgstr "Die Datei wurde nur teilweise auf den Server geladen." #: lib/mediafile.php:159 msgid "Missing a temporary folder." -msgstr "" +msgstr "Kein temporäres Verzeichnis gefunden." #: lib/mediafile.php:162 msgid "Failed to write file to disk." -msgstr "" +msgstr "Konnte die Datei nicht auf die Festplatte schreiben." #: lib/mediafile.php:165 msgid "File upload stopped by extension." -msgstr "" +msgstr "Upload der Datei wurde wegen der Dateiendung gestoppt." #: lib/mediafile.php:179 lib/mediafile.php:216 msgid "File exceeds user's quota." @@ -5745,7 +5767,6 @@ msgid "%s is not a supported file type on this server." msgstr "" #: lib/messageform.php:120 -#, fuzzy msgid "Send a direct notice" msgstr "Versende eine direkte Nachricht" @@ -5754,14 +5775,12 @@ msgid "To" msgstr "An" #: lib/messageform.php:159 lib/noticeform.php:185 -#, fuzzy msgid "Available characters" msgstr "Verfügbare Zeichen" #: lib/noticeform.php:160 -#, fuzzy msgid "Send a notice" -msgstr "Nachricht versenden" +msgstr "Nachricht senden" #: lib/noticeform.php:173 #, php-format @@ -5777,14 +5796,12 @@ msgid "Attach a file" msgstr "" #: lib/noticeform.php:212 -#, fuzzy msgid "Share my location" -msgstr "Konnte Tags nicht speichern." +msgstr "Teile meinen Aufenthaltsort" #: lib/noticeform.php:215 -#, fuzzy msgid "Do not share my location" -msgstr "Konnte Tags nicht speichern." +msgstr "Teile meinen Aufenthaltsort nicht" #: lib/noticeform.php:216 msgid "" @@ -5798,21 +5815,20 @@ msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" #: lib/noticelist.php:430 -#, fuzzy msgid "N" -msgstr "Nein" +msgstr "N" #: lib/noticelist.php:430 msgid "S" -msgstr "" +msgstr "S" #: lib/noticelist.php:431 msgid "E" -msgstr "" +msgstr "O" #: lib/noticelist.php:431 msgid "W" -msgstr "" +msgstr "W" #: lib/noticelist.php:438 msgid "at" @@ -5823,9 +5839,8 @@ msgid "in context" msgstr "im Zusammenhang" #: lib/noticelist.php:582 -#, fuzzy msgid "Repeated by" -msgstr "Erstellt" +msgstr "Wiederholt von" #: lib/noticelist.php:609 msgid "Reply to this notice" @@ -5836,9 +5851,8 @@ msgid "Reply" msgstr "Antworten" #: lib/noticelist.php:654 -#, fuzzy msgid "Notice repeated" -msgstr "Nachricht gelöscht." +msgstr "Nachricht wiederholt" #: lib/nudgeform.php:116 msgid "Nudge this user" @@ -5869,11 +5883,6 @@ msgstr "Fehler beim Einfügen des entfernten Profils" msgid "Duplicate notice" msgstr "Notiz löschen" -#: lib/oauthstore.php:465 lib/subs.php:48 -#, fuzzy -msgid "You have been banned from subscribing." -msgstr "Dieser Benutzer erlaubt dir nicht ihn zu abonnieren." - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Konnte neues Abonnement nicht eintragen." @@ -5907,7 +5916,7 @@ msgid "Your sent messages" msgstr "Deine gesendeten Nachrichten" #: lib/personaltagcloudsection.php:56 -#, fuzzy, php-format +#, php-format msgid "Tags in %s's notices" msgstr "Tags in %ss Nachrichten" @@ -5974,28 +5983,24 @@ msgid "Popular" msgstr "Beliebt" #: lib/repeatform.php:107 -#, fuzzy msgid "Repeat this notice?" -msgstr "Auf diese Nachricht antworten" +msgstr "Diese Nachricht wiederholen?" #: lib/repeatform.php:132 -#, fuzzy msgid "Repeat this notice" -msgstr "Auf diese Nachricht antworten" +msgstr "Diese Nachricht wiederholen" #: lib/router.php:665 msgid "No single user defined for single-user mode." msgstr "" #: lib/sandboxform.php:67 -#, fuzzy msgid "Sandbox" -msgstr "Posteingang" +msgstr "Spielwiese" #: lib/sandboxform.php:78 -#, fuzzy msgid "Sandbox this user" -msgstr "Benutzer freigeben" +msgstr "Diesen Nutzer auf die Spielwiese setzen" #: lib/searchaction.php:120 msgid "Search site" @@ -6035,14 +6040,12 @@ msgid "More..." msgstr "" #: lib/silenceform.php:67 -#, fuzzy msgid "Silence" -msgstr "Seitennachricht" +msgstr "Stummschalten" #: lib/silenceform.php:78 -#, fuzzy msgid "Silence this user" -msgstr "Benutzer blockieren" +msgstr "Nutzer verstummen lassen" #: lib/subgroupnav.php:83 #, php-format @@ -6059,36 +6062,6 @@ msgstr "Leute, die %s abonniert haben" msgid "Groups %s is a member of" msgstr "Gruppen in denen %s Mitglied ist" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "Bereits abonniert!" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "Dieser Benutzer hat dich blockiert." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "Konnte nicht abbonieren." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "Die Gegenseite konnte Dich nicht abonnieren." - -#: lib/subs.php:137 -#, fuzzy -msgid "Not subscribed!" -msgstr "Nicht abonniert!" - -#: lib/subs.php:142 -#, fuzzy -msgid "Couldn't delete self-subscription." -msgstr "Konnte Abonnement nicht löschen." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "Konnte Abonnement nicht löschen." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6109,19 +6082,17 @@ msgstr "Top-Schreiber" #: lib/unsandboxform.php:69 msgid "Unsandbox" -msgstr "" +msgstr "Von Spielwiese freigeben" #: lib/unsandboxform.php:80 -#, fuzzy msgid "Unsandbox this user" msgstr "Benutzer freigeben" #: lib/unsilenceform.php:67 msgid "Unsilence" -msgstr "" +msgstr "Stummschalten aufheben" #: lib/unsilenceform.php:78 -#, fuzzy msgid "Unsilence this user" msgstr "Benutzer freigeben" @@ -6147,7 +6118,7 @@ msgstr "Profil Einstellungen ändern" #: lib/userprofile.php:252 msgid "Edit" -msgstr "" +msgstr "Bearbeiten" #: lib/userprofile.php:275 msgid "Send a direct message to this user" @@ -6159,7 +6130,7 @@ msgstr "Nachricht" #: lib/userprofile.php:314 msgid "Moderate" -msgstr "" +msgstr "Moderieren" #: lib/util.php:871 msgid "a few seconds ago" @@ -6216,6 +6187,7 @@ msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "%s ist keine gültige Farbe! Verwenden Sie 3 oder 6 Hex-Zeichen." #: lib/xmppmanager.php:402 -#, fuzzy, php-format +#, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "Nachricht zu lang - maximal %d Zeichen erlaubt, du hast %d gesendet" +msgstr "" +"Nachricht zu lang - maximal %1$d Zeichen erlaubt, du hast %2$d gesendet." diff --git a/locale/el/LC_MESSAGES/statusnet.po b/locale/el/LC_MESSAGES/statusnet.po index f28a6623d..90078d0c0 100644 --- a/locale/el/LC_MESSAGES/statusnet.po +++ b/locale/el/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:55:58+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:02:37+0000\n" "Language-Team: Greek\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: el\n" "X-Message-Group: out-statusnet\n" @@ -102,7 +102,6 @@ msgstr "Δεν υπάÏχει τέτοια σελίδα" #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "Κανένας τέτοιος χÏήστης." @@ -554,7 +553,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "ΛογαÏιασμός" @@ -937,7 +936,7 @@ msgstr "Ομάδες με τα πεÏισσότεÏα μέλη" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "" @@ -1688,7 +1687,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "ΔιαχειÏιστής" @@ -2028,7 +2027,7 @@ msgstr "Λάθος όνομα χÏήστη ή κωδικός" msgid "Error setting user. You are probably not authorized." msgstr "" -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "ΣÏνδεση" @@ -2978,7 +2977,7 @@ msgstr "" msgid "Registration successful" msgstr "" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "" @@ -3843,7 +3842,8 @@ msgstr "" msgid "You are not subscribed to that profile." msgstr "" -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 #, fuzzy msgid "Could not save subscription." msgstr "ΑδÏνατη η αποθήκευση των νέων πληÏοφοÏιών του Ï€Ïοφίλ" @@ -4273,7 +4273,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "ΠÏοσωπικά" @@ -4336,48 +4336,74 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "Σφάλμα στη βάση δεδομένων κατά την εισαγωγή hashtag: %s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "" -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:790 +#: classes/Notice.php:811 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "Σφάλμα βάσης δεδομένων κατά την εισαγωγή απάντησης: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "" + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "" + +#: classes/Subscription.php:157 +#, fuzzy +msgid "Not subscribed!" +msgstr "Απέτυχε η συνδÏομή." + +#: classes/Subscription.php:163 +#, fuzzy +msgid "Couldn't delete self-subscription." +msgstr "Απέτυχε η διαγÏαφή συνδÏομής." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "Απέτυχε η διαγÏαφή συνδÏομής." + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" @@ -4428,125 +4454,125 @@ msgstr "" msgid "Untitled page" msgstr "" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "ΑÏχή" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "ΣÏνδεση" -#: lib/action.php:445 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "Αδυναμία ανακατεÏθηνσης στο διακομιστή: %s" -#: lib/action.php:449 +#: lib/action.php:448 msgid "Change site configuration" msgstr "" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "ΠÏοσκάλεσε φίλους και συναδέλφους σου να γίνουν μέλη στο %s" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "ΑποσÏνδεση" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "ΔημιουÏγία ενός λογαÏιασμοÏ" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Βοήθεια" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "Βοηθήστε με!" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "ΠεÏί" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "Συχνές εÏωτήσεις" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Επικοινωνία" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "" -#: lib/action.php:783 +#: lib/action.php:782 #, fuzzy, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4555,13 +4581,13 @@ msgstr "" "To **%%site.name%%** είναι μία υπηÏεσία microblogging (μικÏο-ιστολογίου) που " "έφεÏε κοντά σας το [%%site.broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:785 +#: lib/action.php:784 #, fuzzy, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" "Το **%%site.name%%** είναι μία υπηÏεσία microblogging (μικÏο-ιστολογίου). " -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4569,41 +4595,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "" -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "" @@ -4909,82 +4935,87 @@ msgstr "" msgid "Specify the name of the user to subscribe to" msgstr "" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "Κανένας τέτοιος χÏήστης." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "" -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "" -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "" -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "" -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "" -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:668 +#: lib/command.php:681 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Δεν επιτÏέπεται να κάνεις συνδÏομητές του λογαÏÎ¹Î±ÏƒÎ¼Î¿Ï ÏƒÎ¿Ï… άλλους." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Δεν επιτÏέπεται να κάνεις συνδÏομητές του λογαÏÎ¹Î±ÏƒÎ¼Î¿Ï ÏƒÎ¿Ï… άλλους." msgstr[1] "Δεν επιτÏέπεται να κάνεις συνδÏομητές του λογαÏÎ¹Î±ÏƒÎ¼Î¿Ï ÏƒÎ¿Ï… άλλους." -#: lib/command.php:690 +#: lib/command.php:703 #, fuzzy msgid "No one is subscribed to you." msgstr "Δεν επιτÏέπεται να κάνεις συνδÏομητές του λογαÏÎ¹Î±ÏƒÎ¼Î¿Ï ÏƒÎ¿Ï… άλλους." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Δεν επιτÏέπεται να κάνεις συνδÏομητές του λογαÏÎ¹Î±ÏƒÎ¼Î¿Ï ÏƒÎ¿Ï… άλλους." msgstr[1] "Δεν επιτÏέπεται να κάνεις συνδÏομητές του λογαÏÎ¹Î±ÏƒÎ¼Î¿Ï ÏƒÎ¿Ï… άλλους." -#: lib/command.php:712 +#: lib/command.php:725 msgid "You are not a member of any groups." msgstr "Δεν είστε μέλος καμίας ομάδας." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Ομάδες με τα πεÏισσότεÏα μέλη" msgstr[1] "Ομάδες με τα πεÏισσότεÏα μέλη" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5647,10 +5678,6 @@ msgstr "" msgid "Duplicate notice" msgstr "ΔιαγÏαφή μηνÏματος" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "" - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Απέτυχε η εισαγωγή νέας συνδÏομής." @@ -5831,36 +5858,6 @@ msgstr "" msgid "Groups %s is a member of" msgstr "" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "" - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "Απέτυχε η συνδÏομή." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "Δεν επιτÏέπεται να κάνεις συνδÏομητές του λογαÏÎ¹Î±ÏƒÎ¼Î¿Ï ÏƒÎ¿Ï… άλλους." - -#: lib/subs.php:137 -#, fuzzy -msgid "Not subscribed!" -msgstr "Απέτυχε η συνδÏομή." - -#: lib/subs.php:142 -#, fuzzy -msgid "Couldn't delete self-subscription." -msgstr "Απέτυχε η διαγÏαφή συνδÏομής." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "Απέτυχε η διαγÏαφή συνδÏομής." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index 50431ddfa..ea92b0b77 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:56:01+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:02:40+0000\n" "Language-Team: British English\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: out-statusnet\n" @@ -100,7 +100,6 @@ msgstr "No such page" #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "No such user." @@ -558,7 +557,7 @@ msgstr "" "the ability to %3$s your %4$s account data. You should only " "give access to your %4$s account to third parties you trust." -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Account" @@ -934,7 +933,7 @@ msgstr "You are not the owner of this application." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "There was a problem with your session token." @@ -1685,7 +1684,7 @@ msgstr "%s group members, page %d" msgid "A list of the users in this group." msgstr "A list of the users in this group." -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" @@ -2065,7 +2064,7 @@ msgstr "Incorrect username or password." msgid "Error setting user. You are probably not authorized." msgstr "Error setting user. You are probably not authorised." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Login" @@ -3035,7 +3034,7 @@ msgstr "Error with confirmation code." msgid "Registration successful" msgstr "Registration successful" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Register" @@ -3939,7 +3938,8 @@ msgstr "No code entered" msgid "You are not subscribed to that profile." msgstr "You are not subscribed to that profile." -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "Could not save subscription." @@ -4396,7 +4396,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "Personal" @@ -4460,22 +4460,22 @@ msgstr "Could not update message with new URI." msgid "DB error inserting hashtag: %s" msgstr "DB error inserting hashtag: %s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Problem saving notice." -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "Problem saving notice. Unknown user." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Too many notices too fast; take a breather and post again in a few minutes." -#: classes/Notice.php:229 +#: classes/Notice.php:230 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4483,30 +4483,56 @@ msgid "" msgstr "" "Too many notices too fast; take a breather and post again in a few minutes." -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "You are banned from posting notices on this site." -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "Problem saving notice." -#: classes/Notice.php:790 +#: classes/Notice.php:811 #, fuzzy msgid "Problem saving group inbox." msgstr "Problem saving notice." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "DB error inserting reply: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "You have been banned from subscribing." + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "User has blocked you." + +#: classes/Subscription.php:157 +#, fuzzy +msgid "Not subscribed!" +msgstr "Not subscribed!" + +#: classes/Subscription.php:163 +#, fuzzy +msgid "Couldn't delete self-subscription." +msgstr "Couldn't delete subscription." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "Couldn't delete subscription." + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Welcome to %1$s, @%2$s!" @@ -4556,126 +4582,126 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Untitled page" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Primary site navigation" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "Home" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Personal profile and friends timeline" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Change your e-mail, avatar, password, profile" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "Connect" -#: lib/action.php:445 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "Could not redirect to server: %s" -#: lib/action.php:449 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "Primary site navigation" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Invite" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Invite friends and colleagues to join you on %s" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Logout" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Logout from the site" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "Create an account" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "Login to the site" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Help" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "Help me!" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Search" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Search for people or text" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "Site notice" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "Local views" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "Page notice" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Secondary site navigation" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "About" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "F.A.Q." -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "Privacy" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "Source" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Contact" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "Badge" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "StatusNet software licence" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4684,12 +4710,12 @@ msgstr "" "**%%site.name%%** is a microblogging service brought to you by [%%site." "broughtby%%](%%site.broughtbyurl%%)." -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** is a microblogging service." -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4700,41 +4726,41 @@ msgstr "" "s, available under the [GNU Affero General Public Licence](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "Site content license" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "All " -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "licence." -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "Pagination" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "After" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "Before" @@ -5047,83 +5073,88 @@ msgstr "Error saving notice." msgid "Specify the name of the user to subscribe to" msgstr "Specify the name of the user to subscribe to" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "No such user." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "Subscribed to %s" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "Specify the name of the user to unsubscribe from" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "Unsubscribed from %s" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "Command not yet implemented." -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "Notification off." -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "Can't turn off notification." -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "Notification on." -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "Can't turn on notification." -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:668 +#: lib/command.php:681 #, fuzzy msgid "You are not subscribed to anyone." msgstr "You are not subscribed to that profile." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "You are already subscribed to these users:" msgstr[1] "You are already subscribed to these users:" -#: lib/command.php:690 +#: lib/command.php:703 #, fuzzy msgid "No one is subscribed to you." msgstr "Could not subscribe other to you." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Could not subscribe other to you." msgstr[1] "Could not subscribe other to you." -#: lib/command.php:712 +#: lib/command.php:725 #, fuzzy msgid "You are not a member of any groups." msgstr "You are not a member of that group." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "You are not a member of that group." msgstr[1] "You are not a member of that group." -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5806,10 +5837,6 @@ msgstr "Error inserting remote profile." msgid "Duplicate notice" msgstr "Duplicate notice" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "You have been banned from subscribing." - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Couldn't insert new subscription." @@ -5991,36 +6018,6 @@ msgstr "People subscribed to %s" msgid "Groups %s is a member of" msgstr "Groups %s is a member of" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "User has blocked you." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "Could not subscribe." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "Could not subscribe other to you." - -#: lib/subs.php:137 -#, fuzzy -msgid "Not subscribed!" -msgstr "Not subscribed!" - -#: lib/subs.php:142 -#, fuzzy -msgid "Couldn't delete self-subscription." -msgstr "Couldn't delete subscription." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "Couldn't delete subscription." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index 06c3ee045..3ce394aa6 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:56:07+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:02:43+0000\n" "Language-Team: Spanish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: out-statusnet\n" @@ -102,7 +102,6 @@ msgstr "No existe tal página" #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "No existe ese usuario." @@ -564,7 +563,7 @@ msgstr "" "permiso para %3$s la información de tu cuenta %4$s. Sólo " "debes dar acceso a tu cuenta %4$s a terceras partes en las que confíes." -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Cuenta" @@ -943,7 +942,7 @@ msgstr "No eres el propietario de esta aplicación." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "Hubo problemas con tu clave de sesión." @@ -1691,7 +1690,7 @@ msgstr "%1$s miembros de grupo, página %2$d" msgid "A list of the users in this group." msgstr "Lista de los usuarios en este grupo." -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" @@ -2075,7 +2074,7 @@ msgstr "Nombre de usuario o contraseña incorrectos." msgid "Error setting user. You are probably not authorized." msgstr "Error al configurar el usuario. Posiblemente no tengas autorización." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Inicio de sesión" @@ -3040,7 +3039,7 @@ msgstr "El código de invitación no es válido." msgid "Registration successful" msgstr "Registro exitoso." -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registrarse" @@ -3916,7 +3915,8 @@ msgstr "No ingresó código" msgid "You are not subscribed to that profile." msgstr "No te has suscrito a ese perfil." -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "No se ha podido guardar la suscripción." @@ -4359,7 +4359,7 @@ msgstr "" msgid "Plugins" msgstr "Complementos" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "Sesiones" @@ -4421,22 +4421,22 @@ msgstr "No se pudo actualizar mensaje con nuevo URI." msgid "DB error inserting hashtag: %s" msgstr "Error de la BD al insertar la etiqueta clave: %s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 msgid "Problem saving notice. Too long." msgstr "Ha habido un problema al guardar el mensaje. Es muy largo." -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "Ha habido un problema al guardar el mensaje. Usuario desconocido." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Demasiados avisos demasiado rápido; para y publicar nuevamente en unos " "minutos." -#: classes/Notice.php:229 +#: classes/Notice.php:230 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4445,30 +4445,56 @@ msgstr "" "Demasiados avisos demasiado rápido; para y publicar nuevamente en unos " "minutos." -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "Tienes prohibido publicar avisos en este sitio." -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "Hubo un problema al guardar el aviso." -#: classes/Notice.php:790 +#: classes/Notice.php:811 #, fuzzy msgid "Problem saving group inbox." msgstr "Hubo un problema al guardar el aviso." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "Error de BD al insertar respuesta: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "Se te ha prohibido la suscripción." + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "El usuario te ha bloqueado." + +#: classes/Subscription.php:157 +#, fuzzy +msgid "Not subscribed!" +msgstr "¡No estás suscrito!" + +#: classes/Subscription.php:163 +#, fuzzy +msgid "Couldn't delete self-subscription." +msgstr "No se pudo eliminar la suscripción." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "No se pudo eliminar la suscripción." + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Bienvenido a %1$s, @%2$s!" @@ -4519,124 +4545,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Página sin título" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Navegación de sitio primario" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "Inicio" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Perfil personal y línea de tiempo de amigos" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Cambia tu correo electrónico, avatar, contraseña, perfil" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "Conectarse" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect to services" msgstr "Conectar a los servicios" -#: lib/action.php:449 +#: lib/action.php:448 msgid "Change site configuration" msgstr "Cambiar la configuración del sitio" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Invitar" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Invita a amigos y colegas a unirse a %s" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Salir" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Salir de sitio" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "Crear una cuenta" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "Ingresar a sitio" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Ayuda" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "Ayúdame!" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Buscar" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Buscar personas o texto" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "Aviso de sitio" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "Vistas locales" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "Aviso de página" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Navegación de sitio secundario" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "Acerca de" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "Preguntas Frecuentes" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "Privacidad" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "Fuente" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Ponerse en contacto" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "Insignia" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Licencia de software de StatusNet" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4645,12 +4671,12 @@ msgstr "" "**%%site.name%%** es un servicio de microblogueo de [%%site.broughtby%%**](%%" "site.broughtbyurl%%)." -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** es un servicio de microblogueo." -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4661,43 +4687,43 @@ msgstr "" "disponible bajo la [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "Licencia de contenido del sitio" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Derechos de autor de contenido y datos por los colaboradores. Todos los " "derechos reservados." -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "Todo" -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "Licencia." -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "Paginación" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "Después" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "Antes" @@ -5005,80 +5031,85 @@ msgstr "Hubo un problema al guardar el aviso." msgid "Specify the name of the user to subscribe to" msgstr "Especificar el nombre del usuario a suscribir" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "No existe ese usuario." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "Suscrito a %s" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "Especificar el nombre del usuario para desuscribirse de" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "Desuscrito de %s" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "Todavía no se implementa comando." -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "Notificación no activa." -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "No se puede desactivar notificación." -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "Notificación activada." -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "No se puede activar notificación." -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:668 +#: lib/command.php:681 msgid "You are not subscribed to anyone." msgstr "No estás suscrito a nadie." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Ya estás suscrito a estos usuarios:" msgstr[1] "Ya estás suscrito a estos usuarios:" -#: lib/command.php:690 +#: lib/command.php:703 msgid "No one is subscribed to you." msgstr "Nadie está suscrito a ti." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "No se pudo suscribir otro a ti." msgstr[1] "No se pudo suscribir otro a ti." -#: lib/command.php:712 +#: lib/command.php:725 msgid "You are not a member of any groups." msgstr "No eres miembro de ningún grupo" -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Eres miembro de este grupo:" msgstr[1] "Eres miembro de estos grupos:" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5759,10 +5790,6 @@ msgstr "Error al insertar perfil remoto" msgid "Duplicate notice" msgstr "Duplicar aviso" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "Se te ha prohibido la suscripción." - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "No se pudo insertar una nueva suscripción." @@ -5949,36 +5976,6 @@ msgstr "Personas suscritas a %s" msgid "Groups %s is a member of" msgstr "%s es miembro de los grupos" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "El usuario te ha bloqueado." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "No se pudo suscribir." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "No se pudo suscribir otro a ti." - -#: lib/subs.php:137 -#, fuzzy -msgid "Not subscribed!" -msgstr "¡No estás suscrito!" - -#: lib/subs.php:142 -#, fuzzy -msgid "Couldn't delete self-subscription." -msgstr "No se pudo eliminar la suscripción." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "No se pudo eliminar la suscripción." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index 1d328d4f1..877debaec 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:56:13+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:02:49+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian\n" "MIME-Version: 1.0\n" @@ -20,7 +20,7 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" #: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 @@ -105,7 +105,6 @@ msgstr "چنین صÙحه‌ای وجود ندارد" #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "چنین کاربری وجود ندارد." @@ -557,7 +556,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "حساب کاربری" @@ -941,7 +940,7 @@ msgstr "شما یک عضو این گروه نیستید." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "" @@ -1689,7 +1688,7 @@ msgstr "اعضای گروه %sØŒ صÙحهٔ %d" msgid "A list of the users in this group." msgstr "یک Ùهرست از کاربران در این گروه" -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "مدیر" @@ -2042,7 +2041,7 @@ msgstr "نام کاربری یا رمز عبور نادرست." msgid "Error setting user. You are probably not authorized." msgstr "خطا در تنظیم کاربر. شما احتمالا اجازه ÛŒ این کار را ندارید." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "ورود" @@ -2995,7 +2994,7 @@ msgstr "با عرض تاسÙØŒ کد دعوت نا معتبر است." msgid "Registration successful" msgstr "ثبت نام با موÙقیت انجام شد." -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "ثبت نام" @@ -3844,7 +3843,8 @@ msgstr "کدی وارد نشد" msgid "You are not subscribed to that profile." msgstr "شما به این پروÙيل متعهد نشدید" -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "" @@ -4266,7 +4266,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "شخصی" @@ -4328,22 +4328,22 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:214 +#: classes/Notice.php:215 msgid "Problem saving notice. Too long." msgstr "مشکل در ذخیره کردن پیام. بسیار طولانی." -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "مشکل در ذخیره کردن پیام. کاربر نا شناخته." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "تعداد خیلی زیاد Ø¢Ú¯Ù‡ÛŒ Ùˆ بسیار سریع؛ استراحت کنید Ùˆ مجددا دقایقی دیگر ارسال " "کنید." -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4351,30 +4351,54 @@ msgstr "" "تعداد زیاد پیام های دو نسخه ای Ùˆ بسرعت؛ استراحت کنید Ùˆ دقایقی دیگر مجددا " "ارسال کنید." -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "شما از Ùرستادن پست در این سایت مردود شدید ." -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "مشکل در ذخیره کردن Ø¢Ú¯Ù‡ÛŒ." -#: classes/Notice.php:790 +#: classes/Notice.php:811 #, fuzzy msgid "Problem saving group inbox." msgstr "مشکل در ذخیره کردن Ø¢Ú¯Ù‡ÛŒ." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "" + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "قبلا تایید شده !" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "" + +#: classes/Subscription.php:157 +msgid "Not subscribed!" +msgstr "تایید نشده!" + +#: classes/Subscription.php:163 +msgid "Couldn't delete self-subscription." +msgstr "" + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "" + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "خوش امدید به %1$s , @%2$s!" @@ -4424,136 +4448,136 @@ msgstr "%s گروه %s را ترک کرد." msgid "Untitled page" msgstr "صÙحه ÛŒ بدون عنوان" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "خانه" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "آدرس ایمیل، آواتار، کلمه ÛŒ عبور، پروÙایل خود را تغییر دهید" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "وصل‌شدن" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect to services" msgstr "متصل شدن به خدمات" -#: lib/action.php:449 +#: lib/action.php:448 msgid "Change site configuration" msgstr "تغییر پیکربندی سایت" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "دعوت‌کردن" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr " به شما ملحق شوند %s دوستان Ùˆ همکاران را دعوت کنید تا در" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "خروج" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "خارج شدن از سایت ." -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "یک حساب کاربری بسازید" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "ورود به وب‌گاه" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Ú©Ù…Ú©" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "به من Ú©Ù…Ú© کنید!" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "جست‌وجو" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "جستجو برای شخص با متن" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "خبر سایت" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "دید محلی" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "خبر صÙحه" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "دربارهٔ" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "سوال‌های رایج" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "خصوصی" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "منبع" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "تماس" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "StatusNet مجوز نرم اÙزار" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." "broughtby%%](%%site.broughtbyurl%%). " msgstr "" -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4561,41 +4585,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "مجوز محتویات سایت" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "همه " -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "مجوز." -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "صÙحه بندى" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "بعد از" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "قبل از" @@ -4904,77 +4928,82 @@ msgstr "خطا هنگام ذخیره ÛŒ Ø¢Ú¯Ù‡ÛŒ" msgid "Specify the name of the user to subscribe to" msgstr "" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "چنین کاربری وجود ندارد." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "دستور هنوز اجرا نشده" -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "" -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "ناتوان در خاموش کردن آگاه سازی." -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "آگاه سازی Ùعال است." -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "ناتوان در روشن کردن آگاه سازی." -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "Ùرمان ورود از کار اÙتاده است" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:668 +#: lib/command.php:681 msgid "You are not subscribed to anyone." msgstr "شما توسط هیچ کس تصویب نشده اید ." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "هم اکنون شما این کاربران را دنبال می‌کنید: " -#: lib/command.php:690 +#: lib/command.php:703 msgid "No one is subscribed to you." msgstr "هیچکس شما را تایید نکرده ." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "هیچکس شما را تایید نکرده ." -#: lib/command.php:712 +#: lib/command.php:725 msgid "You are not a member of any groups." msgstr "شما در هیچ گروهی عضو نیستید ." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "شما یک عضو این گروه نیستید." -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5638,10 +5667,6 @@ msgstr "" msgid "Duplicate notice" msgstr "" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "" - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "" @@ -5819,34 +5844,6 @@ msgstr "" msgid "Groups %s is a member of" msgstr "هست عضو %s گروه" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "قبلا تایید شده !" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "" - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "" - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "" - -#: lib/subs.php:137 -msgid "Not subscribed!" -msgstr "تایید نشده!" - -#: lib/subs.php:142 -msgid "Couldn't delete self-subscription." -msgstr "" - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "" - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/fi/LC_MESSAGES/statusnet.po b/locale/fi/LC_MESSAGES/statusnet.po index f37da7b0f..e1222193b 100644 --- a/locale/fi/LC_MESSAGES/statusnet.po +++ b/locale/fi/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:56:10+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:02:46+0000\n" "Language-Team: Finnish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: out-statusnet\n" @@ -107,7 +107,6 @@ msgstr "Sivua ei ole." #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "Käyttäjää ei ole." @@ -573,7 +572,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Käyttäjätili" @@ -958,7 +957,7 @@ msgstr "Sinä et kuulu tähän ryhmään." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "Istuntoavaimesi kanssa oli ongelma." @@ -1722,7 +1721,7 @@ msgstr "Ryhmän %s jäsenet, sivu %d" msgid "A list of the users in this group." msgstr "Lista ryhmän käyttäjistä." -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Ylläpito" @@ -2103,7 +2102,7 @@ msgstr "Väärä käyttäjätunnus tai salasana" msgid "Error setting user. You are probably not authorized." msgstr "Sinulla ei ole valtuutusta tähän." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Kirjaudu sisään" @@ -3083,7 +3082,7 @@ msgstr "Virheellinen kutsukoodin." msgid "Registration successful" msgstr "Rekisteröityminen onnistui" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Rekisteröidy" @@ -3984,7 +3983,8 @@ msgstr "Koodia ei ole syötetty." msgid "You are not subscribed to that profile." msgstr "Et ole tilannut tämän käyttäjän päivityksiä." -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "Tilausta ei onnistuttu tallentamaan." @@ -4436,7 +4436,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "Omat" @@ -4500,23 +4500,23 @@ msgstr "Viestin päivittäminen uudella URI-osoitteella ei onnistunut." msgid "DB error inserting hashtag: %s" msgstr "Tietokantavirhe tallennettaessa risutagiä: %s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Ongelma päivityksen tallentamisessa." -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "Virhe tapahtui päivityksen tallennuksessa. Tuntematon käyttäjä." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Liian monta päivitystä liian nopeasti; pidä pieni hengähdystauko ja jatka " "päivityksien lähettämista muutaman minuutin päästä." -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4524,30 +4524,57 @@ msgstr "" "Liian monta päivitystä liian nopeasti; pidä pieni hengähdystauko ja jatka " "päivityksien lähettämista muutaman minuutin päästä." -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "Päivityksesi tähän palveluun on estetty." -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "Ongelma päivityksen tallentamisessa." -#: classes/Notice.php:790 +#: classes/Notice.php:811 #, fuzzy msgid "Problem saving group inbox." msgstr "Ongelma päivityksen tallentamisessa." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "Tietokantavirhe tallennettaessa vastausta: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +#, fuzzy +msgid "You have been banned from subscribing." +msgstr "Käyttäjä on estänyt sinua tilaamasta päivityksiä." + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "Käyttäjä on asettanut eston sinulle." + +#: classes/Subscription.php:157 +#, fuzzy +msgid "Not subscribed!" +msgstr "Ei ole tilattu!." + +#: classes/Subscription.php:163 +#, fuzzy +msgid "Couldn't delete self-subscription." +msgstr "Ei voitu poistaa tilausta." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "Ei voitu poistaa tilausta." + +#: classes/User.php:372 #, fuzzy, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Viesti käyttäjälle %1$s, %2$s" @@ -4598,127 +4625,127 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Nimetön sivu" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Ensisijainen sivunavigointi" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "Koti" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Henkilökohtainen profiili ja kavereiden aikajana" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Muuta sähköpostiosoitettasi, kuvaasi, salasanaasi, profiiliasi" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "Yhdistä" -#: lib/action.php:445 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "Ei voitu uudelleenohjata palvelimelle: %s" -#: lib/action.php:449 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "Ensisijainen sivunavigointi" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Kutsu" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Kutsu kavereita ja työkavereita liittymään palveluun %s" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Kirjaudu ulos" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Kirjaudu ulos palvelusta" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "Luo uusi käyttäjätili" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "Kirjaudu sisään palveluun" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Ohjeet" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "Auta minua!" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Haku" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Hae ihmisiä tai tekstiä" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "Palvelun ilmoitus" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "Paikalliset näkymät" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "Sivuilmoitus" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Toissijainen sivunavigointi" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "Tietoa" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "UKK" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "Yksityisyys" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "Lähdekoodi" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Ota yhteyttä" -#: lib/action.php:752 +#: lib/action.php:751 #, fuzzy msgid "Badge" msgstr "Tönäise" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "StatusNet-ohjelmiston lisenssi" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4727,12 +4754,12 @@ msgstr "" "**%%site.name%%** on mikroblogipalvelu, jonka tarjoaa [%%site.broughtby%%](%%" "site.broughtbyurl%%). " -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** on mikroblogipalvelu. " -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4743,42 +4770,42 @@ msgstr "" "versio %s, saatavilla lisenssillä [GNU Affero General Public License](http://" "www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:802 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "StatusNet-ohjelmiston lisenssi" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "Kaikki " -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "lisenssi." -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "Sivutus" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "Myöhemmin" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "Aiemmin" @@ -5096,83 +5123,88 @@ msgstr "Ongelma päivityksen tallentamisessa." msgid "Specify the name of the user to subscribe to" msgstr "Anna käyttäjätunnus, jonka päivitykset haluat tilata" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "Käyttäjää ei ole." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "Käyttäjän %s päivitykset tilattu" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "Anna käyttäjätunnus, jonka päivityksien tilauksen haluat lopettaa" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "Käyttäjän %s päivitysten tilaus lopetettu" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "Komentoa ei ole vielä toteutettu." -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "Ilmoitukset pois päältä." -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "Ilmoituksia ei voi pistää pois päältä." -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "Ilmoitukset päällä." -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "Ilmoituksia ei voi pistää päälle." -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:668 +#: lib/command.php:681 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Et ole tilannut tämän käyttäjän päivityksiä." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Olet jos tilannut seuraavien käyttäjien päivitykset:" msgstr[1] "Olet jos tilannut seuraavien käyttäjien päivitykset:" -#: lib/command.php:690 +#: lib/command.php:703 #, fuzzy msgid "No one is subscribed to you." msgstr "Toista ei voitu asettaa tilaamaan sinua." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Toista ei voitu asettaa tilaamaan sinua." msgstr[1] "Toista ei voitu asettaa tilaamaan sinua." -#: lib/command.php:712 +#: lib/command.php:725 #, fuzzy msgid "You are not a member of any groups." msgstr "Sinä et kuulu tähän ryhmään." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Sinä et kuulu tähän ryhmään." msgstr[1] "Sinä et kuulu tähän ryhmään." -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5863,11 +5895,6 @@ msgstr "Virhe tapahtui uuden etäprofiilin lisäämisessä" msgid "Duplicate notice" msgstr "Poista päivitys" -#: lib/oauthstore.php:465 lib/subs.php:48 -#, fuzzy -msgid "You have been banned from subscribing." -msgstr "Käyttäjä on estänyt sinua tilaamasta päivityksiä." - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Ei voitu lisätä uutta tilausta." @@ -6055,36 +6082,6 @@ msgstr "Ihmiset jotka ovat käyttäjän %s tilaajia" msgid "Groups %s is a member of" msgstr "Ryhmät, joiden jäsen %s on" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "Käyttäjä on asettanut eston sinulle." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "Ei voitu tilata." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "Toista ei voitu asettaa tilaamaan sinua." - -#: lib/subs.php:137 -#, fuzzy -msgid "Not subscribed!" -msgstr "Ei ole tilattu!." - -#: lib/subs.php:142 -#, fuzzy -msgid "Couldn't delete self-subscription." -msgstr "Ei voitu poistaa tilausta." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "Ei voitu poistaa tilausta." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index ad0ae7fc5..663f4fc1d 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -14,12 +14,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:56:16+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:02:52+0000\n" "Language-Team: French\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: out-statusnet\n" @@ -104,7 +104,6 @@ msgstr "Page non trouvée" #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "Utilisateur non trouvé." @@ -573,7 +572,7 @@ msgstr "" "devriez donner l’accès à votre compte %4$s qu’aux tiers à qui vous faites " "confiance." -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Compte" @@ -953,7 +952,7 @@ msgstr "Vous n’êtes pas le propriétaire de cette application." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "Un problème est survenu avec votre jeton de session." @@ -1698,7 +1697,7 @@ msgstr "Membres du groupe %1$s - page %2$d" msgid "A list of the users in this group." msgstr "Liste des utilisateurs inscrits à ce groupe." -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Administrer" @@ -2093,7 +2092,7 @@ msgstr "" "Erreur lors de la mise en place de l’utilisateur. Vous n’y êtes probablement " "pas autorisé." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Ouvrir une session" @@ -3068,7 +3067,7 @@ msgstr "Désolé, code d’invitation invalide." msgid "Registration successful" msgstr "Compte créé avec succès" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Créer un compte" @@ -3978,7 +3977,8 @@ msgstr "Aucun code entré" msgid "You are not subscribed to that profile." msgstr "Vous n’êtes pas abonné(e) à ce profil." -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "Impossible d’enregistrer l’abonnement." @@ -4445,7 +4445,7 @@ msgstr "" msgid "Plugins" msgstr "Extensions" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "Version" @@ -4506,22 +4506,22 @@ msgstr "Impossible de mettre à jour le message avec un nouvel URI." msgid "DB error inserting hashtag: %s" msgstr "Erreur de base de donnée en insérant la marque (hashtag) : %s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 msgid "Problem saving notice. Too long." msgstr "Problème lors de l’enregistrement de l’avis ; trop long." -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "Erreur lors de l’enregistrement de l’avis. Utilisateur inconnu." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Trop d’avis, trop vite ! Faites une pause et publiez à nouveau dans quelques " "minutes." -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4529,29 +4529,53 @@ msgstr "" "Trop de messages en double trop vite ! Prenez une pause et publiez à nouveau " "dans quelques minutes." -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "Il vous est interdit de poster des avis sur ce site." -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "Problème lors de l’enregistrement de l’avis." -#: classes/Notice.php:790 +#: classes/Notice.php:811 msgid "Problem saving group inbox." msgstr "Problème lors de l’enregistrement de la boîte de réception du groupe." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "Erreur de base de donnée en insérant la réponse :%s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "Il vous avez été interdit de vous abonner." + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "Déjà abonné !" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "Cet utilisateur vous a bloqué." + +#: classes/Subscription.php:157 +msgid "Not subscribed!" +msgstr "Pas abonné !" + +#: classes/Subscription.php:163 +msgid "Couldn't delete self-subscription." +msgstr "Impossible de supprimer l’abonnement à soi-même." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "Impossible de cesser l’abonnement" + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Bienvenue à %1$s, @%2$s !" @@ -4601,124 +4625,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Page sans nom" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Navigation primaire du site" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "Accueil" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Profil personnel et flux des amis" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Modifier votre courriel, avatar, mot de passe, profil" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "Connecter" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect to services" msgstr "Se connecter aux services" -#: lib/action.php:449 +#: lib/action.php:448 msgid "Change site configuration" msgstr "Modifier la configuration du site" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Inviter" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Inviter des amis et collègues à vous rejoindre dans %s" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Fermeture de session" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Fermer la session" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "Créer un compte" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "Ouvrir une session" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Aide" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "À l’aide !" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Rechercher" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Rechercher des personnes ou du texte" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "Notice du site" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "Vues locales" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "Avis de la page" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Navigation secondaire du site" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "À propos" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "CGU" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "Confidentialité" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "Source" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Contact" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "Insigne" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Licence du logiciel StatusNet" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4727,12 +4751,12 @@ msgstr "" "**%%site.name%%** est un service de microblogging qui vous est proposé par " "[%%site.broughtby%%](%%site.broughtbyurl%%)." -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** est un service de micro-blogging." -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4743,45 +4767,45 @@ msgstr "" "version %s, disponible sous la licence [GNU Affero General Public License] " "(http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "Licence du contenu du site" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Le contenu et les données de %1$s sont privés et confidentiels." -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "Le contenu et les données sont sous le droit d’auteur de %1$s. Tous droits " "réservés." -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Le contenu et les données sont sous le droit d’auteur du contributeur. Tous " "droits réservés." -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "Tous " -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "licence." -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "Pagination" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "Après" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "Avant" @@ -5088,82 +5112,87 @@ msgstr "Problème lors de l’enregistrement de l’avis." msgid "Specify the name of the user to subscribe to" msgstr "Indiquez le nom de l’utilisateur auquel vous souhaitez vous abonner" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "Utilisateur non trouvé." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "Abonné à %s" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "Indiquez le nom de l’utilisateur duquel vous souhaitez vous désabonner" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "Désabonné de %s" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "Cette commande n’a pas encore été implémentée." -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "Avertissements désactivés." -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "Impossible de désactiver les avertissements." -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "Avertissements activés." -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "Impossible d’activer les avertissements." -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "La commande d’ouverture de session est désactivée" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" "Ce lien n’est utilisable qu’une seule fois, et est valable uniquement " "pendant 2 minutes : %s" -#: lib/command.php:668 +#: lib/command.php:681 msgid "You are not subscribed to anyone." msgstr "Vous n’êtes abonné(e) à personne." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Vous êtes abonné à cette personne :" msgstr[1] "Vous êtes abonné à ces personnes :" -#: lib/command.php:690 +#: lib/command.php:703 msgid "No one is subscribed to you." msgstr "Personne ne s’est abonné à vous." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Cette personne est abonnée à vous :" msgstr[1] "Ces personnes sont abonnées à vous :" -#: lib/command.php:712 +#: lib/command.php:725 msgid "You are not a member of any groups." msgstr "Vous n’êtes membre d’aucun groupe." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Vous êtes membre de ce groupe :" msgstr[1] "Vous êtes membre de ces groupes :" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5953,10 +5982,6 @@ msgstr "Erreur lors de l’insertion du profil distant" msgid "Duplicate notice" msgstr "Dupliquer l’avis" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "Il vous avez été interdit de vous abonner." - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Impossible d’insérer un nouvel abonnement." @@ -6133,34 +6158,6 @@ msgstr "Abonnés de %s" msgid "Groups %s is a member of" msgstr "Groupes de %s" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "Déjà abonné !" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "Cet utilisateur vous a bloqué." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "Impossible de s’abonner." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "Impossible d’abonner une autre personne à votre profil." - -#: lib/subs.php:137 -msgid "Not subscribed!" -msgstr "Pas abonné !" - -#: lib/subs.php:142 -msgid "Couldn't delete self-subscription." -msgstr "Impossible de supprimer l’abonnement à soi-même." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "Impossible de cesser l’abonnement" - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/ga/LC_MESSAGES/statusnet.po b/locale/ga/LC_MESSAGES/statusnet.po index 25adc9987..abbf011aa 100644 --- a/locale/ga/LC_MESSAGES/statusnet.po +++ b/locale/ga/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:56:19+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:02:55+0000\n" "Language-Team: Irish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ga\n" "X-Message-Group: out-statusnet\n" @@ -107,7 +107,6 @@ msgstr "Non existe a etiqueta." #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "Ningún usuario." @@ -569,7 +568,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 #, fuzzy msgid "Account" msgstr "Sobre" @@ -968,7 +967,7 @@ msgstr "Non estás suscrito a ese perfil" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 #, fuzzy msgid "There was a problem with your session token." msgstr "Houbo un problema co teu token de sesión. Tentao de novo, anda..." @@ -1756,7 +1755,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -2137,7 +2136,7 @@ msgstr "Usuario ou contrasinal incorrectos." msgid "Error setting user. You are probably not authorized." msgstr "Non está autorizado." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Inicio de sesión" @@ -3122,7 +3121,7 @@ msgstr "Acounteceu un erro co código de confirmación." msgid "Registration successful" msgstr "Xa estas rexistrado!!" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Rexistrar" @@ -4036,7 +4035,8 @@ msgstr "Non se inseriu ningún código" msgid "You are not subscribed to that profile." msgstr "Non estás suscrito a ese perfil" -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "Non se pode gardar a subscrición." @@ -4492,7 +4492,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "Persoal" @@ -4556,23 +4556,23 @@ msgstr "Non se puido actualizar a mensaxe coa nova URI." msgid "DB error inserting hashtag: %s" msgstr "Erro ó inserir o hashtag na BD: %s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Aconteceu un erro ó gardar o chío." -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "Aconteceu un erro ó gardar o chío. Usuario descoñecido." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Demasiados chíos en pouco tempo; tomate un respiro e envíao de novo dentro " "duns minutos." -#: classes/Notice.php:229 +#: classes/Notice.php:230 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4581,30 +4581,57 @@ msgstr "" "Demasiados chíos en pouco tempo; tomate un respiro e envíao de novo dentro " "duns minutos." -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "Tes restrinxido o envio de chíos neste sitio." -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "Aconteceu un erro ó gardar o chío." -#: classes/Notice.php:790 +#: classes/Notice.php:811 #, fuzzy msgid "Problem saving group inbox." msgstr "Aconteceu un erro ó gardar o chío." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "Erro ó inserir a contestación na BD: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +#, fuzzy +msgid "You have been banned from subscribing." +msgstr "Este usuario non che permite suscribirte a el." + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "O usuario bloqueoute." + +#: classes/Subscription.php:157 +#, fuzzy +msgid "Not subscribed!" +msgstr "Non está suscrito!" + +#: classes/Subscription.php:163 +#, fuzzy +msgid "Couldn't delete self-subscription." +msgstr "Non se pode eliminar a subscrición." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "Non se pode eliminar a subscrición." + +#: classes/User.php:372 #, fuzzy, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Mensaxe de %1$s en %2$s" @@ -4658,134 +4685,134 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "Persoal" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:441 #, fuzzy msgid "Change your email, avatar, password, profile" msgstr "Cambiar contrasinal" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "Conectar" -#: lib/action.php:445 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "Non se pode redireccionar ao servidor: %s" -#: lib/action.php:449 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "Navegación de subscricións" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Invitar" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, fuzzy, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" "Emprega este formulario para invitar ós teus amigos e colegas a empregar " "este servizo." -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Sair" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "" -#: lib/action.php:464 +#: lib/action.php:463 #, fuzzy msgid "Create an account" msgstr "Crear nova conta" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Axuda" -#: lib/action.php:470 +#: lib/action.php:469 #, fuzzy msgid "Help me!" msgstr "Axuda" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Buscar" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "" -#: lib/action.php:494 +#: lib/action.php:493 #, fuzzy msgid "Site notice" msgstr "Novo chío" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "" -#: lib/action.php:626 +#: lib/action.php:625 #, fuzzy msgid "Page notice" msgstr "Novo chío" -#: lib/action.php:728 +#: lib/action.php:727 #, fuzzy msgid "Secondary site navigation" msgstr "Navegación de subscricións" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "Sobre" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "Preguntas frecuentes" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "Privacidade" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "Fonte" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Contacto" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4794,12 +4821,12 @@ msgstr "" "**%%site.name%%** é un servizo de microbloguexo que che proporciona [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** é un servizo de microbloguexo." -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4810,44 +4837,44 @@ msgstr "" "%s, dispoñible baixo licenza [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:802 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "Atopar no contido dos chíos" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 #, fuzzy msgid "All " msgstr "Todos" -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "" -#: lib/action.php:1142 +#: lib/action.php:1141 #, fuzzy msgid "After" msgstr "« Despois" -#: lib/action.php:1150 +#: lib/action.php:1149 #, fuzzy msgid "Before" msgstr "Antes »" @@ -5170,55 +5197,60 @@ msgstr "Aconteceu un erro ó gardar o chío." msgid "Specify the name of the user to subscribe to" msgstr "Especifica o nome do usuario ó que queres suscribirte" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "Ningún usuario." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "Suscrito a %s" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "Especifica o nome de usuario ó que queres deixar de seguir" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "Desuscribir de %s" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "Comando non implementado." -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "Notificación desactivada." -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "No se pode desactivar a notificación." -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "Notificación habilitada." -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "Non se pode activar a notificación." -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:668 +#: lib/command.php:681 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Non estás suscrito a ese perfil" -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Xa estas suscrito a estes usuarios:" @@ -5227,12 +5259,12 @@ msgstr[2] "" msgstr[3] "" msgstr[4] "" -#: lib/command.php:690 +#: lib/command.php:703 #, fuzzy msgid "No one is subscribed to you." msgstr "Outro usuario non se puido suscribir a ti." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Outro usuario non se puido suscribir a ti." @@ -5241,12 +5273,12 @@ msgstr[2] "" msgstr[3] "" msgstr[4] "" -#: lib/command.php:712 +#: lib/command.php:725 #, fuzzy msgid "You are not a member of any groups." msgstr "Non estás suscrito a ese perfil" -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Non estás suscrito a ese perfil" @@ -5255,7 +5287,7 @@ msgstr[2] "" msgstr[3] "" msgstr[4] "" -#: lib/command.php:728 +#: lib/command.php:741 #, fuzzy msgid "" "Commands:\n" @@ -6031,11 +6063,6 @@ msgstr "Aconteceu un erro ó inserir o perfil remoto" msgid "Duplicate notice" msgstr "Eliminar chío" -#: lib/oauthstore.php:465 lib/subs.php:48 -#, fuzzy -msgid "You have been banned from subscribing." -msgstr "Este usuario non che permite suscribirte a el." - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Non se puido inserir a nova subscrición." @@ -6227,36 +6254,6 @@ msgstr "Suscrito a %s" msgid "Groups %s is a member of" msgstr "" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "O usuario bloqueoute." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "No se pode suscribir." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "Outro usuario non se puido suscribir a ti." - -#: lib/subs.php:137 -#, fuzzy -msgid "Not subscribed!" -msgstr "Non está suscrito!" - -#: lib/subs.php:142 -#, fuzzy -msgid "Couldn't delete self-subscription." -msgstr "Non se pode eliminar a subscrición." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "Non se pode eliminar a subscrición." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/he/LC_MESSAGES/statusnet.po b/locale/he/LC_MESSAGES/statusnet.po index c67c14fc2..d90c74f5e 100644 --- a/locale/he/LC_MESSAGES/statusnet.po +++ b/locale/he/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:56:22+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:02:58+0000\n" "Language-Team: Hebrew\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: he\n" "X-Message-Group: out-statusnet\n" @@ -104,7 +104,6 @@ msgstr "×ין הודעה כזו." #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "×ין משתמש ×›×–×”." @@ -562,7 +561,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 #, fuzzy msgid "Account" msgstr "×ודות" @@ -957,7 +956,7 @@ msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "" @@ -1727,7 +1726,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -2077,7 +2076,7 @@ msgstr "×©× ×ž×©×ª×ž×© ×ו סיסמה ×œ× × ×›×•× ×™×." msgid "Error setting user. You are probably not authorized." msgstr "×œ× ×ž×•×¨×©×”." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "היכנס" @@ -3036,7 +3035,7 @@ msgstr "שגי××” ב×ישור הקוד." msgid "Registration successful" msgstr "" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "הירש×" @@ -3891,7 +3890,8 @@ msgstr "" msgid "You are not subscribed to that profile." msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 #, fuzzy msgid "Could not save subscription." msgstr "יצירת המנוי נכשלה." @@ -4342,7 +4342,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "×ישי" @@ -4405,51 +4405,78 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:214 +#: classes/Notice.php:215 #, fuzzy msgid "Problem saving notice. Too long." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:218 +#: classes/Notice.php:219 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:790 +#: classes/Notice.php:811 #, fuzzy msgid "Problem saving group inbox." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "שגי×ת מסד × ×ª×•× ×™× ×‘×”×›× ×¡×ª התגובה: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "" + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "" + +#: classes/Subscription.php:74 +#, fuzzy +msgid "User has blocked you." +msgstr "למשתמש ×ין פרופיל." + +#: classes/Subscription.php:157 +#, fuzzy +msgid "Not subscribed!" +msgstr "×œ× ×ž× ×•×™!" + +#: classes/Subscription.php:163 +#, fuzzy +msgid "Couldn't delete self-subscription." +msgstr "מחיקת המנוי ×œ× ×”×¦×œ×™×—×”." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "מחיקת המנוי ×œ× ×”×¦×œ×™×—×”." + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" @@ -4503,131 +4530,131 @@ msgstr "הסטטוס של %1$s ב-%2$s " msgid "Untitled page" msgstr "" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "בית" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "התחבר" -#: lib/action.php:445 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "נכשלה ההפניה לשרת: %s" -#: lib/action.php:449 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "הרשמות" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "צ×" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "" -#: lib/action.php:464 +#: lib/action.php:463 #, fuzzy msgid "Create an account" msgstr "צור חשבון חדש" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "עזרה" -#: lib/action.php:470 +#: lib/action.php:469 #, fuzzy msgid "Help me!" msgstr "עזרה" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "חיפוש" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "" -#: lib/action.php:494 +#: lib/action.php:493 #, fuzzy msgid "Site notice" msgstr "הודעה חדשה" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "" -#: lib/action.php:626 +#: lib/action.php:625 #, fuzzy msgid "Page notice" msgstr "הודעה חדשה" -#: lib/action.php:728 +#: lib/action.php:727 #, fuzzy msgid "Secondary site navigation" msgstr "הרשמות" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "×ודות" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "רשימת ש×לות נפוצות" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "פרטיות" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "מקור" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "צור קשר" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4636,12 +4663,12 @@ msgstr "" "**%%site.name%%** ×”×•× ×©×¨×•×ª ביקרובלוג הניתן על ידי [%%site.broughtby%%](%%" "site.broughtbyurl%%)." -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** ×”×•× ×©×¨×•×ª ביקרובלוג." -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4652,43 +4679,43 @@ msgstr "" "s, המופצת תחת רשיון [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)" -#: lib/action.php:802 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "הודעה חדשה" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "" -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "" -#: lib/action.php:1142 +#: lib/action.php:1141 #, fuzzy msgid "After" msgstr "<< ×חרי" -#: lib/action.php:1150 +#: lib/action.php:1149 #, fuzzy msgid "Before" msgstr "לפני >>" @@ -5003,83 +5030,88 @@ msgstr "בעיה בשמירת ההודעה." msgid "Specify the name of the user to subscribe to" msgstr "" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "×ין משתמש ×›×–×”." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "" -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "" -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "" -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "" -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "" -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:668 +#: lib/command.php:681 #, fuzzy msgid "You are not subscribed to anyone." msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" msgstr[1] "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" -#: lib/command.php:690 +#: lib/command.php:703 #, fuzzy msgid "No one is subscribed to you." msgstr "הרשמה מרוחקת" -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "הרשמה מרוחקת" msgstr[1] "הרשמה מרוחקת" -#: lib/command.php:712 +#: lib/command.php:725 #, fuzzy msgid "You are not a member of any groups." msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" msgstr[1] "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5762,10 +5794,6 @@ msgstr "שגי××” בהכנסת פרופיל מרוחק" msgid "Duplicate notice" msgstr "הודעה חדשה" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "" - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "הכנסת מנוי חדש נכשלה." @@ -5953,37 +5981,6 @@ msgstr "הרשמה מרוחקת" msgid "Groups %s is a member of" msgstr "" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "" - -#: lib/subs.php:56 -#, fuzzy -msgid "User has blocked you." -msgstr "למשתמש ×ין פרופיל." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "" - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "" - -#: lib/subs.php:137 -#, fuzzy -msgid "Not subscribed!" -msgstr "×œ× ×ž× ×•×™!" - -#: lib/subs.php:142 -#, fuzzy -msgid "Couldn't delete self-subscription." -msgstr "מחיקת המנוי ×œ× ×”×¦×œ×™×—×”." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "מחיקת המנוי ×œ× ×”×¦×œ×™×—×”." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index c9ed505a2..d8f5480ac 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:56:25+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:03:01+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: out-statusnet\n" @@ -103,7 +103,6 @@ msgstr "Strona njeeksistuje" #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "Wužiwar njeeksistuje" @@ -546,7 +545,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Konto" @@ -922,7 +921,7 @@ msgstr "Njejsy wobsedźer tuteje aplikacije." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "" @@ -1646,7 +1645,7 @@ msgstr "%1$s skupinskich ÄÅ‚onow, strona %2$d" msgid "A list of the users in this group." msgstr "Lisćina wužiwarjow w tutej skupinje." -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" @@ -1978,7 +1977,7 @@ msgstr "WopaÄne wužiwarske mjeno abo hesÅ‚o." msgid "Error setting user. You are probably not authorized." msgstr "Zmylk pÅ™i nastajenju wužiwarja. Snano njejsy awtorizowany." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "PÅ™izjewić" @@ -2898,7 +2897,7 @@ msgstr "Wodaj, njepÅ‚aćiwy pÅ™eproÅ¡enski kod." msgid "Registration successful" msgstr "Registrowanje wuspěšne" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registrować" @@ -3724,7 +3723,8 @@ msgstr "Žadyn kod zapodaty" msgid "You are not subscribed to that profile." msgstr "Njejsy tón profil abonowaÅ‚." -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "" @@ -4146,7 +4146,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "Wersija" @@ -4205,48 +4205,72 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:214 +#: classes/Notice.php:215 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "" -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:790 +#: classes/Notice.php:811 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "" + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "Hižo abonowany!" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "Wužiwar je će zablokowaÅ‚." + +#: classes/Subscription.php:157 +msgid "Not subscribed!" +msgstr "Njeje abonowany!" + +#: classes/Subscription.php:163 +msgid "Couldn't delete self-subscription." +msgstr "Sebjeabonement njeje so daÅ‚ zniÄić." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "Abonoment njeje so daÅ‚ zniÄić." + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" @@ -4296,136 +4320,136 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Strona bjez titula" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "Zwjazać" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect to services" msgstr "" -#: lib/action.php:449 +#: lib/action.php:448 msgid "Change site configuration" msgstr "" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "PÅ™eprosyć" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "Konto zaÅ‚ožić" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Pomoc" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "Pomhaj!" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Pytać" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Za ludźimi abo tekstom pytać" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "Wo" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "Huste praÅ¡enja" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "Priwatnosć" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "ŽórÅ‚o" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." "broughtby%%](%%site.broughtbyurl%%). " msgstr "" -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4433,41 +4457,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "" -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "" @@ -4764,54 +4788,59 @@ msgstr "" msgid "Specify the name of the user to subscribe to" msgstr "" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "Wužiwar njeeksistuje" + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "" -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "" -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "" -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "" -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "" -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:668 +#: lib/command.php:681 msgid "You are not subscribed to anyone." msgstr "" -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Sy tutu wosobu abonowaÅ‚:" @@ -4819,11 +4848,11 @@ msgstr[1] "Sy tutej wosobje abonowaÅ‚:" msgstr[2] "Sy tute wosoby abonowaÅ‚:" msgstr[3] "Sy tute wosoby abonowaÅ‚:" -#: lib/command.php:690 +#: lib/command.php:703 msgid "No one is subscribed to you." msgstr "" -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Tuta wosoba je će abonowaÅ‚a:" @@ -4831,11 +4860,11 @@ msgstr[1] "Tutej wosobje stej će abonowaÅ‚oj:" msgstr[2] "Tute wosoby su će abonowali:" msgstr[3] "Tute wosoby su će abonowali:" -#: lib/command.php:712 +#: lib/command.php:725 msgid "You are not a member of any groups." msgstr "" -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Sy ÄÅ‚on tuteje skupiny:" @@ -4843,7 +4872,7 @@ msgstr[1] "Sy ÄÅ‚on tuteju skupinow:" msgstr[2] "Sy ÄÅ‚on tutych skupinow:" msgstr[3] "Sy ÄÅ‚on tutych skupinow:" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5495,10 +5524,6 @@ msgstr "Zmylk pÅ™i zasunjenju zdaleneho profila" msgid "Duplicate notice" msgstr "Dwójna zdźělenka" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "" - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "" @@ -5675,34 +5700,6 @@ msgstr "" msgid "Groups %s is a member of" msgstr "" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "Hižo abonowany!" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "Wužiwar je će zablokowaÅ‚." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "Abonowanje njebÄ› móžno" - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "" - -#: lib/subs.php:137 -msgid "Not subscribed!" -msgstr "Njeje abonowany!" - -#: lib/subs.php:142 -msgid "Couldn't delete self-subscription." -msgstr "Sebjeabonement njeje so daÅ‚ zniÄić." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "Abonoment njeje so daÅ‚ zniÄić." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index a8d95a851..b3fd3770a 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:56:28+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:03:04+0000\n" "Language-Team: Interlingua\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: out-statusnet\n" @@ -98,7 +98,6 @@ msgstr "Pagina non existe" #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "Usator non existe." @@ -558,7 +557,7 @@ msgstr "" "%3$s le datos de tu conto de %4$s. Tu debe solmente dar " "accesso a tu conto de %4$s a tertie personas in le quales tu ha confidentia." -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Conto" @@ -939,7 +938,7 @@ msgstr "Tu non es le proprietario de iste application." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "Il habeva un problema con tu indicio de session." @@ -1682,7 +1681,7 @@ msgstr "Membros del gruppo %1$s, pagina %2$d" msgid "A list of the users in this group." msgstr "Un lista de usatores in iste gruppo." -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" @@ -2068,7 +2067,7 @@ msgid "Error setting user. You are probably not authorized." msgstr "" "Error de acceder al conto de usator. Tu probabilemente non es autorisate." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Aperir session" @@ -3032,7 +3031,7 @@ msgstr "Pardono, le codice de invitation es invalide." msgid "Registration successful" msgstr "Registration succedite" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Crear conto" @@ -3930,7 +3929,8 @@ msgstr "Nulle codice entrate" msgid "You are not subscribed to that profile." msgstr "Tu non es subscribite a iste profilo." -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "Non poteva salveguardar le subscription." @@ -4392,7 +4392,7 @@ msgstr "" msgid "Plugins" msgstr "Plug-ins" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "Version" @@ -4453,22 +4453,22 @@ msgstr "Non poteva actualisar message con nove URI." msgid "DB error inserting hashtag: %s" msgstr "Error in base de datos durante insertion del marca (hashtag): %s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 msgid "Problem saving notice. Too long." msgstr "Problema salveguardar nota. Troppo longe." -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "Problema salveguardar nota. Usator incognite." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Troppo de notas troppo rapidemente; face un pausa e publica de novo post " "alcun minutas." -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4476,29 +4476,53 @@ msgstr "" "Troppo de messages duplicate troppo rapidemente; face un pausa e publica de " "novo post alcun minutas." -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "Il te es prohibite publicar notas in iste sito." -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "Problema salveguardar nota." -#: classes/Notice.php:790 +#: classes/Notice.php:811 msgid "Problem saving group inbox." msgstr "Problema salveguardar le cassa de entrata del gruppo." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "Error del base de datos durante le insertion del responsa: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "Tu ha essite blocate del subscription." + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "Ja subscribite!" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "Le usator te ha blocate." + +#: classes/Subscription.php:157 +msgid "Not subscribed!" +msgstr "Non subscribite!" + +#: classes/Subscription.php:163 +msgid "Couldn't delete self-subscription." +msgstr "Non poteva deler auto-subscription." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "Non poteva deler subscription." + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Benvenite a %1$s, @%2$s!" @@ -4548,124 +4572,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Pagina sin titulo" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Navigation primari del sito" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "Initio" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Profilo personal e chronologia de amicos" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Cambiar tu e-mail, avatar, contrasigno, profilo" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "Connecter" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect to services" msgstr "Connecter con servicios" -#: lib/action.php:449 +#: lib/action.php:448 msgid "Change site configuration" msgstr "Modificar le configuration del sito" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Invitar" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Invitar amicos e collegas a accompaniar te in %s" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Clauder session" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Terminar le session del sito" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "Crear un conto" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "Identificar te a iste sito" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Adjuta" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "Adjuta me!" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Cercar" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Cercar personas o texto" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "Aviso del sito" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "Vistas local" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "Aviso de pagina" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Navigation secundari del sito" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "A proposito" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "CdS" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "Confidentialitate" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "Fonte" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Contacto" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "Insignia" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Licentia del software StatusNet" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4674,12 +4698,12 @@ msgstr "" "**%%site.name%%** es un servicio de microblog offerite per [%%site.broughtby%" "%](%%site.broughtbyurl%%). " -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** es un servicio de microblog. " -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4690,42 +4714,42 @@ msgstr "" "net/), version %s, disponibile sub le [GNU Affero General Public License]" "(http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "Licentia del contento del sito" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Le contento e datos de %1$s es private e confidential." -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "Contento e datos sub copyright de %1$s. Tote le derectos reservate." -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Contento e datos sub copyright del contributores. Tote le derectos reservate." -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "Totes " -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "licentia." -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "Pagination" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "Post" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "Ante" @@ -5028,82 +5052,87 @@ msgstr "Errur durante le salveguarda del nota." msgid "Specify the name of the user to subscribe to" msgstr "Specifica le nomine del usator al qual subscriber te" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "Usator non existe." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "Subscribite a %s" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "Specifica le nomine del usator al qual cancellar le subscription" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "Subscription a %s cancellate" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "Commando non ancora implementate." -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "Notification disactivate." -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "Non pote disactivar notification." -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "Notification activate." -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "Non pote activar notification." -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "Le commando de apertura de session es disactivate" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" "Iste ligamine pote esser usate solmente un vice, e es valide durante " "solmente 2 minutas: %s" -#: lib/command.php:668 +#: lib/command.php:681 msgid "You are not subscribed to anyone." msgstr "Tu non es subscribite a alcuno." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Tu es subscribite a iste persona:" msgstr[1] "Tu es subscribite a iste personas:" -#: lib/command.php:690 +#: lib/command.php:703 msgid "No one is subscribed to you." msgstr "Necuno es subscribite a te." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Iste persona es subscribite a te:" msgstr[1] "Iste personas es subscribite a te:" -#: lib/command.php:712 +#: lib/command.php:725 msgid "You are not a member of any groups." msgstr "Tu non es membro de alcun gruppo." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Tu es membro de iste gruppo:" msgstr[1] "Tu es membro de iste gruppos:" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5888,10 +5917,6 @@ msgstr "Error durante le insertion del profilo remote" msgid "Duplicate notice" msgstr "Duplicar nota" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "Tu ha essite blocate del subscription." - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Non poteva inserer nove subscription." @@ -6068,34 +6093,6 @@ msgstr "Personas qui seque %s" msgid "Groups %s is a member of" msgstr "Gruppos del quales %s es membro" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "Ja subscribite!" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "Le usator te ha blocate." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "Non poteva subscriber te." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "Non poteva subcriber altere persona a te." - -#: lib/subs.php:137 -msgid "Not subscribed!" -msgstr "Non subscribite!" - -#: lib/subs.php:142 -msgid "Couldn't delete self-subscription." -msgstr "Non poteva deler auto-subscription." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "Non poteva deler subscription." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/is/LC_MESSAGES/statusnet.po b/locale/is/LC_MESSAGES/statusnet.po index 3c1772861..4ff880978 100644 --- a/locale/is/LC_MESSAGES/statusnet.po +++ b/locale/is/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:56:30+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:03:19+0000\n" "Language-Team: Icelandic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: is\n" "X-Message-Group: out-statusnet\n" @@ -107,7 +107,6 @@ msgstr "Ekkert þannig merki." #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "Enginn svoleiðis notandi." @@ -564,7 +563,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Aðgangur" @@ -950,7 +949,7 @@ msgstr "Þú ert ekki meðlimur í þessum hópi." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "Það komu upp vandamál varðandi setutókann þinn." @@ -1709,7 +1708,7 @@ msgstr "Hópmeðlimir %s, síða %d" msgid "A list of the users in this group." msgstr "Listi yfir notendur í þessum hóp." -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Stjórnandi" @@ -2087,7 +2086,7 @@ msgstr "Rangt notendanafn eða lykilorð." msgid "Error setting user. You are probably not authorized." msgstr "Engin heimild." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Innskráning" @@ -3060,7 +3059,7 @@ msgstr "" msgid "Registration successful" msgstr "Nýskráning tókst" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Nýskrá" @@ -3939,7 +3938,8 @@ msgstr "Enginn lykill sleginn inn" msgid "You are not subscribed to that profile." msgstr "Þú ert ekki áskrifandi." -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "Gat ekki vistað áskrift." @@ -4389,7 +4389,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "Persónulegt" @@ -4453,51 +4453,78 @@ msgstr "Gat ekki uppfært skilaboð með nýju veffangi." msgid "DB error inserting hashtag: %s" msgstr "Gagnagrunnsvilla við innsetningu myllumerkis: %s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "Gat ekki vistað babl. Óþekktur notandi." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Of mikið babl í einu; slakaðu aðeins á og haltu svo áfram eftir nokkrar " "mínútur." -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "Það hefur verið lagt bann við babli frá þér á þessari síðu." -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "Vandamál komu upp við að vista babl." -#: classes/Notice.php:790 +#: classes/Notice.php:811 #, fuzzy msgid "Problem saving group inbox." msgstr "Vandamál komu upp við að vista babl." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "Gagnagrunnsvilla við innsetningu svars: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +#, fuzzy +msgid "You have been banned from subscribing." +msgstr "Þessi notandi hefur bannað þér að gerast áskrifandi" + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "Notandinn hefur lokað á þig." + +#: classes/Subscription.php:157 +#, fuzzy +msgid "Not subscribed!" +msgstr "Ekki í áskrift!" + +#: classes/Subscription.php:163 +#, fuzzy +msgid "Couldn't delete self-subscription." +msgstr "Gat ekki eytt áskrift." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "Gat ekki eytt áskrift." + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" @@ -4547,128 +4574,128 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Ónafngreind síða" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Stikl aðalsíðu" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "Heim" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Persónuleg síða og vinarás" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "" "Breyttu tölvupóstinum þínum, einkennismyndinni þinni, lykilorðinu þínu, " "persónulegu síðunni þinni" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "Tengjast" -#: lib/action.php:445 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "Gat ekki framsent til vefþjóns: %s" -#: lib/action.php:449 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "Stikl aðalsíðu" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Bjóða" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Bjóða vinum og vandamönnum að slást í hópinn á %s" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Útskráning" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Skrá þig út af síðunni" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "Búa til aðgang" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "Skrá þig inn á síðuna" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Hjálp" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "Hjálp!" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Leita" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Leita að fólki eða texta" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "Babl vefsíðunnar" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "Staðbundin sýn" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "Babl síðunnar" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Stikl undirsíðu" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "Um" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "Spurt og svarað" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "Friðhelgi" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "Frumþula" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Tengiliður" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Hugbúnaðarleyfi StatusNet" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4677,12 +4704,12 @@ msgstr "" "**%%site.name%%** er örbloggsþjónusta í boði [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** er örbloggsþjónusta." -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4693,42 +4720,42 @@ msgstr "" "sem er gefinn út undir [GNU Affero almenningsleyfinu](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:802 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "Hugbúnaðarleyfi StatusNet" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "Allt " -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "leyfi." -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "Uppröðun" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "Eftir" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "Ãður" @@ -5044,83 +5071,88 @@ msgstr "Vandamál komu upp við að vista babl." msgid "Specify the name of the user to subscribe to" msgstr "Tilgreindu nafn notandans sem þú vilt gerast áskrifandi að" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "Enginn svoleiðis notandi." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "Nú ert þú áskrifandi að %s" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "Tilgreindu nafn notandans sem þú vilt hætta sem áskrifandi að" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "Nú ert þú ekki lengur áskrifandi að %s" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "Skipun hefur ekki verið fullbúin" -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "Tilkynningar af." -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "Get ekki slökkt á tilkynningum." -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "Tilkynningar á." -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "Get ekki kveikt á tilkynningum." -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:668 +#: lib/command.php:681 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Þú ert ekki áskrifandi." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Þú ert nú þegar í áskrift að þessum notendum:" msgstr[1] "Þú ert nú þegar í áskrift að þessum notendum:" -#: lib/command.php:690 +#: lib/command.php:703 #, fuzzy msgid "No one is subscribed to you." msgstr "Gat ekki leyft öðrum að gerast áskrifandi að þér." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Gat ekki leyft öðrum að gerast áskrifandi að þér." msgstr[1] "Gat ekki leyft öðrum að gerast áskrifandi að þér." -#: lib/command.php:712 +#: lib/command.php:725 #, fuzzy msgid "You are not a member of any groups." msgstr "Þú ert ekki meðlimur í þessum hópi." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Þú ert ekki meðlimur í þessum hópi." msgstr[1] "Þú ert ekki meðlimur í þessum hópi." -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5797,11 +5829,6 @@ msgstr "Villa kom upp við að setja inn persónulega fjarsíðu" msgid "Duplicate notice" msgstr "Eyða babli" -#: lib/oauthstore.php:465 lib/subs.php:48 -#, fuzzy -msgid "You have been banned from subscribing." -msgstr "Þessi notandi hefur bannað þér að gerast áskrifandi" - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Gat ekki sett inn nýja áskrift." @@ -5986,36 +6013,6 @@ msgstr "Fólk sem eru áskrifendur að %s" msgid "Groups %s is a member of" msgstr "Hópar sem %s er meðlimur í" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "Notandinn hefur lokað á þig." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "Gat ekki farið í áskrift." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "Gat ekki leyft öðrum að gerast áskrifandi að þér." - -#: lib/subs.php:137 -#, fuzzy -msgid "Not subscribed!" -msgstr "Ekki í áskrift!" - -#: lib/subs.php:142 -#, fuzzy -msgid "Couldn't delete self-subscription." -msgstr "Gat ekki eytt áskrift." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "Gat ekki eytt áskrift." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index ec02b5363..3c2b8cc8a 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:56:42+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:03:22+0000\n" "Language-Team: Italian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: out-statusnet\n" @@ -101,7 +101,6 @@ msgstr "Pagina inesistente." #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "Utente inesistente." @@ -562,7 +561,7 @@ msgstr "" "%3$s ai dati del tuo account %4$s. È consigliato fornire " "accesso al proprio account %4$s solo ad applicazioni di cui ci si può fidare." -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Account" @@ -618,7 +617,7 @@ msgstr "Messaggio eliminato." #: actions/apistatusesshow.php:144 msgid "No status with that ID found." -msgstr "Nessun stato trovato con quel ID." +msgstr "Nessuno stato trovato con quel ID." #: actions/apistatusesupdate.php:161 actions/newnotice.php:155 #: lib/mailhandler.php:60 @@ -940,7 +939,7 @@ msgstr "Questa applicazione non è di tua proprietà." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "Si è verificato un problema con il tuo token di sessione." @@ -1686,7 +1685,7 @@ msgstr "Membri del gruppo %1$s, pagina %2$d" msgid "A list of the users in this group." msgstr "Un elenco degli utenti in questo gruppo." -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Amministra" @@ -2070,7 +2069,7 @@ msgstr "Nome utente o password non corretto." msgid "Error setting user. You are probably not authorized." msgstr "Errore nell'impostare l'utente. Forse non hai l'autorizzazione." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Accedi" @@ -3030,7 +3029,7 @@ msgstr "Codice di invito non valido." msgid "Registration successful" msgstr "Registrazione riuscita" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registra" @@ -3928,7 +3927,8 @@ msgstr "Nessun codice inserito" msgid "You are not subscribed to that profile." msgstr "Non hai una abbonamento a quel profilo." -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "Impossibile salvare l'abbonamento." @@ -4390,7 +4390,7 @@ msgstr "" msgid "Plugins" msgstr "Plugin" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "Versione" @@ -4453,22 +4453,22 @@ msgstr "Impossibile aggiornare il messaggio con il nuovo URI." msgid "DB error inserting hashtag: %s" msgstr "Errore del DB nell'inserire un hashtag: %s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 msgid "Problem saving notice. Too long." msgstr "Problema nel salvare il messaggio. Troppo lungo." -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "Problema nel salvare il messaggio. Utente sconosciuto." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Troppi messaggi troppo velocemente; fai una pausa e scrivi di nuovo tra " "qualche minuto." -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4476,29 +4476,53 @@ msgstr "" "Troppi messaggi duplicati troppo velocemente; fai una pausa e scrivi di " "nuovo tra qualche minuto." -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "Ti è proibito inviare messaggi su questo sito." -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "Problema nel salvare il messaggio." -#: classes/Notice.php:790 +#: classes/Notice.php:811 msgid "Problem saving group inbox." msgstr "Problema nel salvare la casella della posta del gruppo." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "Errore del DB nell'inserire la risposta: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "Non ti è possibile abbonarti." + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "Hai già l'abbonamento!" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "L'utente non ti consente di seguirlo." + +#: classes/Subscription.php:157 +msgid "Not subscribed!" +msgstr "Non hai l'abbonamento!" + +#: classes/Subscription.php:163 +msgid "Couldn't delete self-subscription." +msgstr "Impossibile eliminare l'auto-abbonamento." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "Impossibile eliminare l'abbonamento." + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Benvenuti su %1$s, @%2$s!" @@ -4548,124 +4572,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Pagina senza nome" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Esplorazione sito primaria" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "Home" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Profilo personale e attività degli amici" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Modifica la tua email, immagine, password o il tuo profilo" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "Connetti" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect to services" msgstr "Connettiti con altri servizi" -#: lib/action.php:449 +#: lib/action.php:448 msgid "Change site configuration" msgstr "Modifica la configurazione del sito" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Invita" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Invita amici e colleghi a seguirti su %s" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Esci" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Termina la tua sessione sul sito" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "Crea un account" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "Accedi al sito" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Aiuto" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "Aiutami!" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Cerca" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Cerca persone o del testo" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "Messaggio del sito" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "Viste locali" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "Pagina messaggio" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Esplorazione secondaria del sito" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "Informazioni" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "TOS" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "Privacy" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "Sorgenti" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Contatti" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "Badge" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Licenza del software StatusNet" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4674,12 +4698,12 @@ msgstr "" "**%%site.name%%** è un servizio di microblog offerto da [%%site.broughtby%%]" "(%%site.broughtbyurl%%). " -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** è un servizio di microblog. " -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4690,44 +4714,44 @@ msgstr "" "s, disponibile nei termini della licenza [GNU Affero General Public License]" "(http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "Licenza del contenuto del sito" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "I contenuti e i dati di %1$s sono privati e confidenziali." -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "I contenuti e i dati sono copyright di %1$s. Tutti i diritti riservati." -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "I contenuti e i dati sono forniti dai collaboratori. Tutti i diritti " "riservati." -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "Tutti " -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "licenza." -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "Paginazione" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "Successivi" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "Precedenti" @@ -5029,82 +5053,87 @@ msgstr "Errore nel salvare il messaggio." msgid "Specify the name of the user to subscribe to" msgstr "Specifica il nome dell'utente a cui abbonarti." -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "Utente inesistente." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "Abbonati a %s" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "Specifica il nome dell'utente da cui annullare l'abbonamento." -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "Abbonamento a %s annullato" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "Comando non ancora implementato." -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "Notifiche disattivate." -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "Impossibile disattivare le notifiche." -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "Notifiche attivate." -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "Impossibile attivare le notifiche." -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "Il comando di accesso è disabilitato" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" "Questo collegamento è utilizzabile una sola volta ed è valido solo per 2 " "minuti: %s" -#: lib/command.php:668 +#: lib/command.php:681 msgid "You are not subscribed to anyone." msgstr "Il tuo abbonamento è stato annullato." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Persona di cui hai già un abbonamento:" msgstr[1] "Persone di cui hai già un abbonamento:" -#: lib/command.php:690 +#: lib/command.php:703 msgid "No one is subscribed to you." msgstr "Nessuno è abbonato ai tuoi messaggi." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Questa persona è abbonata ai tuoi messaggi:" msgstr[1] "Queste persone sono abbonate ai tuoi messaggi:" -#: lib/command.php:712 +#: lib/command.php:725 msgid "You are not a member of any groups." msgstr "Non fai parte di alcun gruppo." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Non fai parte di questo gruppo:" msgstr[1] "Non fai parte di questi gruppi:" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5891,10 +5920,6 @@ msgstr "Errore nell'inserire il profilo remoto" msgid "Duplicate notice" msgstr "Messaggio duplicato" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "Non ti è possibile abbonarti." - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Impossibile inserire un nuovo abbonamento." @@ -6071,34 +6096,6 @@ msgstr "Persone abbonate a %s" msgid "Groups %s is a member of" msgstr "Gruppi di cui %s fa parte" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "Hai già l'abbonamento!" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "L'utente non ti consente di seguirlo." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "Impossibile abbonarsi." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "Impossibile abbonare altri a te." - -#: lib/subs.php:137 -msgid "Not subscribed!" -msgstr "Non hai l'abbonamento!" - -#: lib/subs.php:142 -msgid "Couldn't delete self-subscription." -msgstr "Impossibile eliminare l'auto-abbonamento." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "Impossibile eliminare l'abbonamento." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index ba52e7bfb..9b8fd009d 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:56:45+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:03:25+0000\n" "Language-Team: Japanese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: out-statusnet\n" @@ -101,7 +101,6 @@ msgstr "ãã®ã‚ˆã†ãªãƒšãƒ¼ã‚¸ã¯ã‚ã‚Šã¾ã›ã‚“。" #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "ãã®ã‚ˆã†ãªãƒ¦ãƒ¼ã‚¶ã¯ã„ã¾ã›ã‚“。" @@ -556,7 +555,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "アカウント" @@ -933,7 +932,7 @@ msgstr "ã“ã®ã‚¢ãƒ—リケーションã®ã‚ªãƒ¼ãƒŠãƒ¼ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "ã‚ãªãŸã®ã‚»ãƒƒã‚·ãƒ§ãƒ³ãƒˆãƒ¼ã‚¯ãƒ³ã«é–¢ã™ã‚‹å•é¡ŒãŒã‚ã‚Šã¾ã—ãŸã€‚" @@ -1679,7 +1678,7 @@ msgstr "%1$s グループメンãƒãƒ¼ã€ãƒšãƒ¼ã‚¸ %2$d" msgid "A list of the users in this group." msgstr "ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¦ãƒ¼ã‚¶ã®ãƒªã‚¹ãƒˆã€‚" -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "管ç†è€…" @@ -2062,7 +2061,7 @@ msgstr "ユーザåã¾ãŸã¯ãƒ‘スワードãŒé–“é•ã£ã¦ã„ã¾ã™ã€‚" msgid "Error setting user. You are probably not authorized." msgstr "ユーザ設定エラー。 ã‚ãªãŸã¯ãŸã¶ã‚“承èªã•ã‚Œã¦ã„ã¾ã›ã‚“。" -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "ログイン" @@ -3020,7 +3019,7 @@ msgstr "ã™ã¿ã¾ã›ã‚“ã€ä¸æ­£ãªæ‹›å¾…コード。" msgid "Registration successful" msgstr "登録æˆåŠŸ" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "登録" @@ -3921,7 +3920,8 @@ msgstr "コードãŒå…¥åŠ›ã•ã‚Œã¦ã„ã¾ã›ã‚“" msgid "You are not subscribed to that profile." msgstr "ã‚ãªãŸã¯ãã®ãƒ—ロファイルã«ãƒ•ã‚©ãƒ­ãƒ¼ã•ã‚Œã¦ã„ã¾ã›ã‚“。" -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "フォローをä¿å­˜ã§ãã¾ã›ã‚“。" @@ -4371,7 +4371,7 @@ msgstr "" msgid "Plugins" msgstr "プラグイン" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "ãƒãƒ¼ã‚¸ãƒ§ãƒ³" @@ -4435,21 +4435,21 @@ msgstr "æ–°ã—ã„URIã§ãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ã‚’アップデートã§ãã¾ã›ã‚“ã§ã— msgid "DB error inserting hashtag: %s" msgstr "ãƒãƒƒã‚·ãƒ¥ã‚¿ã‚°è¿½åŠ  DB エラー: %s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 msgid "Problem saving notice. Too long." msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚é•·ã™ãŽã§ã™ã€‚" -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚ä¸æ˜Žãªãƒ¦ãƒ¼ã‚¶ã§ã™ã€‚" -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "多ã™ãŽã‚‹ã¤ã¶ã‚„ããŒé€Ÿã™ãŽã¾ã™; 数分間ã®ä¼‘ã¿ã‚’å–ã£ã¦ã‹ã‚‰å†æŠ•ç¨¿ã—ã¦ãã ã•ã„。" -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4457,29 +4457,53 @@ msgstr "" "多ã™ãŽã‚‹é‡è¤‡ãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ãŒé€Ÿã™ãŽã¾ã™; 数分間休ã¿ã‚’å–ã£ã¦ã‹ã‚‰å†åº¦æŠ•ç¨¿ã—ã¦ãã ã•" "ã„。" -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "ã‚ãªãŸã¯ã“ã®ã‚µã‚¤ãƒˆã§ã¤ã¶ã‚„ãを投稿ã™ã‚‹ã®ãŒç¦æ­¢ã•ã‚Œã¦ã„ã¾ã™ã€‚" -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚" -#: classes/Notice.php:790 +#: classes/Notice.php:811 msgid "Problem saving group inbox." msgstr "グループå—信箱をä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚" -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "返信を追加ã™ã‚‹éš›ã«ãƒ‡ãƒ¼ã‚¿ãƒ™ãƒ¼ã‚¹ã‚¨ãƒ©ãƒ¼ : %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "ã‚ãªãŸã¯ãƒ•ã‚©ãƒ­ãƒ¼ãŒç¦æ­¢ã•ã‚Œã¾ã—ãŸã€‚" + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "ã™ã§ã«ãƒ•ã‚©ãƒ­ãƒ¼ã—ã¦ã„ã¾ã™!" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "ユーザã¯ã‚ãªãŸã‚’ブロックã—ã¾ã—ãŸã€‚" + +#: classes/Subscription.php:157 +msgid "Not subscribed!" +msgstr "フォローã—ã¦ã„ã¾ã›ã‚“ï¼" + +#: classes/Subscription.php:163 +msgid "Couldn't delete self-subscription." +msgstr "自己フォローを削除ã§ãã¾ã›ã‚“。" + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "フォローを削除ã§ãã¾ã›ã‚“" + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "よã†ã“ã %1$sã€@%2$s!" @@ -4529,124 +4553,124 @@ msgstr "" msgid "Untitled page" msgstr "å称未設定ページ" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "プライマリサイトナビゲーション" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "ホーム" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "パーソナルプロファイルã¨å‹äººã®ã‚¿ã‚¤ãƒ ãƒ©ã‚¤ãƒ³" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "メールアドレスã€ã‚¢ãƒã‚¿ãƒ¼ã€ãƒ‘スワードã€ãƒ—ロパティã®å¤‰æ›´" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "接続" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect to services" msgstr "サービスã¸æŽ¥ç¶š" -#: lib/action.php:449 +#: lib/action.php:448 msgid "Change site configuration" msgstr "サイト設定ã®å¤‰æ›´" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "招待" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "å‹äººã‚„åŒåƒšãŒ %s ã§åŠ ã‚るよã†èª˜ã£ã¦ãã ã•ã„。" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "ログアウト" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "サイトã‹ã‚‰ãƒ­ã‚°ã‚¢ã‚¦ãƒˆ" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "アカウントを作æˆ" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "サイトã¸ãƒ­ã‚°ã‚¤ãƒ³" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "ヘルプ" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "助ã‘ã¦ï¼" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "検索" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "人々ã‹ãƒ†ã‚­ã‚¹ãƒˆã‚’検索" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "サイトã¤ã¶ã‚„ã" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "ローカルビュー" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "ページã¤ã¶ã‚„ã" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "セカンダリサイトナビゲーション" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "About" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "よãã‚る質å•" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "プライãƒã‚·ãƒ¼" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "ソース" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "連絡先" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "ãƒãƒƒã‚¸" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "StatusNet ソフトウェアライセンス" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4655,12 +4679,12 @@ msgstr "" "**%%site.name%%** 㯠[%%site.broughtby%%](%%site.broughtbyurl%%) ãŒæä¾›ã™ã‚‹ãƒž" "イクロブログサービスã§ã™ã€‚ " -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** ã¯ãƒžã‚¤ã‚¯ãƒ­ãƒ–ログサービスã§ã™ã€‚ " -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4671,41 +4695,41 @@ msgstr "" "ã„ã¦ã„ã¾ã™ã€‚ ライセンス [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)。" -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "サイト内容ライセンス" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "全㦠" -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "ライセンス。" -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "ページ化" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "<<後" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "å‰>>" @@ -5006,77 +5030,82 @@ msgstr "ã¤ã¶ã‚„ãä¿å­˜ã‚¨ãƒ©ãƒ¼ã€‚" msgid "Specify the name of the user to subscribe to" msgstr "フォローã™ã‚‹ãƒ¦ãƒ¼ã‚¶ã®åå‰ã‚’指定ã—ã¦ãã ã•ã„" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "ãã®ã‚ˆã†ãªãƒ¦ãƒ¼ã‚¶ã¯ã„ã¾ã›ã‚“。" + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "%s をフォローã—ã¾ã—ãŸ" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "フォローをやã‚るユーザã®åå‰ã‚’指定ã—ã¦ãã ã•ã„" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "%s ã®ãƒ•ã‚©ãƒ­ãƒ¼ã‚’ã‚„ã‚ã‚‹" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "コマンドã¯ã¾ã å®Ÿè£…ã•ã‚Œã¦ã„ã¾ã›ã‚“。" -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "通知オフ。" -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "通知をオフã§ãã¾ã›ã‚“。" -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "通知オン。" -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "通知をオンã§ãã¾ã›ã‚“。" -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "ログインコマンドãŒç„¡åŠ¹ã«ãªã£ã¦ã„ã¾ã™ã€‚" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "ã“ã®ãƒªãƒ³ã‚¯ã¯ã€ã‹ã¤ã¦ã ã‘使用å¯èƒ½ã§ã‚ã‚Šã€2分間ã ã‘良ã„ã§ã™: %s" -#: lib/command.php:668 +#: lib/command.php:681 msgid "You are not subscribed to anyone." msgstr "ã‚ãªãŸã¯ã ã‚Œã«ã‚‚フォローã•ã‚Œã¦ã„ã¾ã›ã‚“。" -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "ã‚ãªãŸã¯ã“ã®äººã«ãƒ•ã‚©ãƒ­ãƒ¼ã•ã‚Œã¦ã„ã¾ã™:" -#: lib/command.php:690 +#: lib/command.php:703 msgid "No one is subscribed to you." msgstr "誰もフォローã—ã¦ã„ã¾ã›ã‚“。" -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "ã“ã®äººã¯ã‚ãªãŸã«ãƒ•ã‚©ãƒ­ãƒ¼ã•ã‚Œã¦ã„ã‚‹:" -#: lib/command.php:712 +#: lib/command.php:725 msgid "You are not a member of any groups." msgstr "ã‚ãªãŸã¯ã©ã®ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¡ãƒ³ãƒãƒ¼ã§ã‚‚ã‚ã‚Šã¾ã›ã‚“。" -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "ã‚ãªãŸã¯ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¡ãƒ³ãƒãƒ¼ã§ã¯ã‚ã‚Šã¾ã›ã‚“:" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5829,10 +5858,6 @@ msgstr "リモートプロファイル追加エラー" msgid "Duplicate notice" msgstr "é‡è¤‡ã—ãŸã¤ã¶ã‚„ã" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "ã‚ãªãŸã¯ãƒ•ã‚©ãƒ­ãƒ¼ãŒç¦æ­¢ã•ã‚Œã¾ã—ãŸã€‚" - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "サブスクリプションを追加ã§ãã¾ã›ã‚“" @@ -6009,34 +6034,6 @@ msgstr "人々㯠%s をフォローã—ã¾ã—ãŸã€‚" msgid "Groups %s is a member of" msgstr "グループ %s ã¯ãƒ¡ãƒ³ãƒãƒ¼" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "ã™ã§ã«ãƒ•ã‚©ãƒ­ãƒ¼ã—ã¦ã„ã¾ã™!" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "ユーザã¯ã‚ãªãŸã‚’ブロックã—ã¾ã—ãŸã€‚" - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "フォローã§ãã¾ã›ã‚“。" - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "ä»–ã®äººãŒã‚ãªãŸã‚’フォローã§ãã¾ã›ã‚“。" - -#: lib/subs.php:137 -msgid "Not subscribed!" -msgstr "フォローã—ã¦ã„ã¾ã›ã‚“ï¼" - -#: lib/subs.php:142 -msgid "Couldn't delete self-subscription." -msgstr "自己フォローを削除ã§ãã¾ã›ã‚“。" - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "フォローを削除ã§ãã¾ã›ã‚“" - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index dd89d1047..047593b47 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:56:48+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:03:28+0000\n" "Language-Team: Korean\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: out-statusnet\n" @@ -105,7 +105,6 @@ msgstr "그러한 태그가 없습니다." #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "그러한 사용ìžëŠ” 없습니다." @@ -567,7 +566,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "계정" @@ -957,7 +956,7 @@ msgstr "ë‹¹ì‹ ì€ í•´ë‹¹ ê·¸ë£¹ì˜ ë©¤ë²„ê°€ 아닙니다." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "ë‹¹ì‹ ì˜ ì„¸ì…˜í† í°ê´€ë ¨ 문제가 있습니다." @@ -1736,7 +1735,7 @@ msgstr "%s 그룹 회ì›, %d페ì´ì§€" msgid "A list of the users in this group." msgstr "ì´ ê·¸ë£¹ì˜ íšŒì›ë¦¬ìŠ¤íŠ¸" -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "관리ìž" @@ -2108,7 +2107,7 @@ msgstr "틀린 계정 ë˜ëŠ” 비밀 번호" msgid "Error setting user. You are probably not authorized." msgstr "ì¸ì¦ì´ ë˜ì§€ 않았습니다." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "로그ì¸" @@ -3075,7 +3074,7 @@ msgstr "í™•ì¸ ì½”ë“œ 오류" msgid "Registration successful" msgstr "íšŒì› ê°€ìž…ì´ ì„±ê³µì ìž…니다." -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "회ì›ê°€ìž…" @@ -3963,7 +3962,8 @@ msgstr "코드가 ìž…ë ¥ ë˜ì§€ 않았습니다." msgid "You are not subscribed to that profile." msgstr "ë‹¹ì‹ ì€ ì´ í”„ë¡œí•„ì— êµ¬ë…ë˜ì§€ 않고있습니다." -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "구ë…ì„ ì €ìž¥í•  수 없습니다." @@ -4410,7 +4410,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "ê°œì¸ì ì¸" @@ -4474,23 +4474,23 @@ msgstr "새 URI와 함께 메시지를 ì—…ë°ì´íŠ¸í•  수 없습니다." msgid "DB error inserting hashtag: %s" msgstr "해쉬테그를 추가 í•  ë•Œì— ë°ì´íƒ€ë² ì´ìŠ¤ ì—러 : %s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 #, fuzzy msgid "Problem saving notice. Too long." msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "게시글 저장문제. ì•Œë ¤ì§€ì§€ì•Šì€ íšŒì›" -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "너무 ë§Žì€ ê²Œì‹œê¸€ì´ ë„ˆë¬´ 빠르게 올ë¼ì˜µë‹ˆë‹¤. 한숨고르고 ëª‡ë¶„í›„ì— ë‹¤ì‹œ í¬ìŠ¤íŠ¸ë¥¼ " "해보세요." -#: classes/Notice.php:229 +#: classes/Notice.php:230 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4499,30 +4499,57 @@ msgstr "" "너무 ë§Žì€ ê²Œì‹œê¸€ì´ ë„ˆë¬´ 빠르게 올ë¼ì˜µë‹ˆë‹¤. 한숨고르고 ëª‡ë¶„í›„ì— ë‹¤ì‹œ í¬ìŠ¤íŠ¸ë¥¼ " "해보세요." -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "ì´ ì‚¬ì´íŠ¸ì— 게시글 í¬ìŠ¤íŒ…으로부터 ë‹¹ì‹ ì€ ê¸ˆì§€ë˜ì—ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:790 +#: classes/Notice.php:811 #, fuzzy msgid "Problem saving group inbox." msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "ë‹µì‹ ì„ ì¶”ê°€ í•  ë•Œì— ë°ì´íƒ€ë² ì´ìŠ¤ ì—러 : %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +#, fuzzy +msgid "You have been banned from subscribing." +msgstr "ì´ íšŒì›ì€ 구ë…으로부터 ë‹¹ì‹ ì„ ì°¨ë‹¨í•´ì™”ë‹¤." + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "회ì›ì´ ë‹¹ì‹ ì„ ì°¨ë‹¨í•´ì™”ìŠµë‹ˆë‹¤." + +#: classes/Subscription.php:157 +#, fuzzy +msgid "Not subscribed!" +msgstr "구ë…하고 있지 않습니다!" + +#: classes/Subscription.php:163 +#, fuzzy +msgid "Couldn't delete self-subscription." +msgstr "예약 구ë…ì„ ì‚­ì œ í•  수 없습니다." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "예약 구ë…ì„ ì‚­ì œ í•  수 없습니다." + +#: classes/User.php:372 #, fuzzy, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "%2$sì—ì„œ %1$s까지 메시지" @@ -4573,127 +4600,127 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "제목없는 페ì´ì§€" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "주 사ì´íŠ¸ 네비게ì´ì…˜" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "홈" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "ê°œì¸ í”„ë¡œí•„ê³¼ 친구 타임ë¼ì¸" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "ë‹¹ì‹ ì˜ ì´ë©”ì¼, 아바타, 비밀 번호, í”„ë¡œí•„ì„ ë³€ê²½í•˜ì„¸ìš”." -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "ì—°ê²°" -#: lib/action.php:445 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "ì„œë²„ì— ìž¬ì ‘ì† í•  수 없습니다 : %s" -#: lib/action.php:449 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "주 사ì´íŠ¸ 네비게ì´ì…˜" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "초대" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "%sì— ì¹œêµ¬ë¥¼ 가입시키기 위해 친구와 ë™ë£Œë¥¼ 초대합니다." -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "로그아웃" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "ì´ ì‚¬ì´íŠ¸ë¡œë¶€í„° 로그아웃" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "계정 만들기" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "ì´ ì‚¬ì´íŠ¸ 로그ì¸" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "ë„움ë§" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "ë„ì›€ì´ í•„ìš”í•´!" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "검색" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "프로필ì´ë‚˜ í…스트 검색" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "사ì´íŠ¸ 공지" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "로컬 ë·°" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "페ì´ì§€ 공지" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "ë³´ì¡° 사ì´íŠ¸ 네비게ì´ì…˜" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "ì •ë³´" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "ìžì£¼ 묻는 질문" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "ê°œì¸ì •ë³´ 취급방침" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "소스 코드" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "ì—°ë½í•˜ê¸°" -#: lib/action.php:752 +#: lib/action.php:751 #, fuzzy msgid "Badge" msgstr "찔러 보기" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "ë¼ì½”니카 소프트웨어 ë¼ì´ì„ ìŠ¤" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4702,12 +4729,12 @@ msgstr "" "**%%site.name%%** 는 [%%site.broughtby%%](%%site.broughtbyurl%%)ê°€ 제공하는 " "마ì´í¬ë¡œë¸”로깅서비스입니다." -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** 는 마ì´í¬ë¡œë¸”로깅서비스입니다." -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4718,42 +4745,42 @@ msgstr "" "ì„ ì‚¬ìš©í•©ë‹ˆë‹¤. StatusNet는 [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html) ë¼ì´ì„ ìŠ¤ì— ë”°ë¼ ì‚¬ìš©í•  수 있습니다." -#: lib/action.php:802 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "ë¼ì½”니카 소프트웨어 ë¼ì´ì„ ìŠ¤" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "모든 것" -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "ë¼ì´ì„ ìŠ¤" -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "페ì´ì§€ìˆ˜" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "ë’· 페ì´ì§€" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "ì•ž 페ì´ì§€" @@ -5071,80 +5098,85 @@ msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." msgid "Specify the name of the user to subscribe to" msgstr "구ë…하려는 사용ìžì˜ ì´ë¦„ì„ ì§€ì •í•˜ì‹­ì‹œì˜¤." -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "그러한 사용ìžëŠ” 없습니다." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "%sì—게 구ë…ë˜ì—ˆìŠµë‹ˆë‹¤." -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "구ë…ì„ í•´ì œí•˜ë ¤ëŠ” 사용ìžì˜ ì´ë¦„ì„ ì§€ì •í•˜ì‹­ì‹œì˜¤." -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "%sì—ì„œ 구ë…ì„ í•´ì œí–ˆìŠµë‹ˆë‹¤." -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "ëª…ë ¹ì´ ì•„ì§ ì‹¤í–‰ë˜ì§€ 않았습니다." -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "알림ë„기." -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "ì•Œë¦¼ì„ ëŒ ìˆ˜ 없습니다." -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "ì•Œë¦¼ì´ ì¼œì¡ŒìŠµë‹ˆë‹¤." -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "ì•Œë¦¼ì„ ì¼¤ 수 없습니다." -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:668 +#: lib/command.php:681 #, fuzzy msgid "You are not subscribed to anyone." msgstr "ë‹¹ì‹ ì€ ì´ í”„ë¡œí•„ì— êµ¬ë…ë˜ì§€ 않고있습니다." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "ë‹¹ì‹ ì€ ë‹¤ìŒ ì‚¬ìš©ìžë¥¼ ì´ë¯¸ 구ë…하고 있습니다." -#: lib/command.php:690 +#: lib/command.php:703 #, fuzzy msgid "No one is subscribed to you." msgstr "다른 ì‚¬ëžŒì„ êµ¬ë… í•˜ì‹¤ 수 없습니다." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "다른 ì‚¬ëžŒì„ êµ¬ë… í•˜ì‹¤ 수 없습니다." -#: lib/command.php:712 +#: lib/command.php:725 #, fuzzy msgid "You are not a member of any groups." msgstr "ë‹¹ì‹ ì€ í•´ë‹¹ ê·¸ë£¹ì˜ ë©¤ë²„ê°€ 아닙니다." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "ë‹¹ì‹ ì€ í•´ë‹¹ ê·¸ë£¹ì˜ ë©¤ë²„ê°€ 아닙니다." -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5821,11 +5853,6 @@ msgstr "리모트 프로필 추가 오류" msgid "Duplicate notice" msgstr "통지 ì‚­ì œ" -#: lib/oauthstore.php:465 lib/subs.php:48 -#, fuzzy -msgid "You have been banned from subscribing." -msgstr "ì´ íšŒì›ì€ 구ë…으로부터 ë‹¹ì‹ ì„ ì°¨ë‹¨í•´ì™”ë‹¤." - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "예약 구ë…ì„ ì¶”ê°€ í•  수 없습니다." @@ -6013,36 +6040,6 @@ msgstr "%sì— ì˜í•´ 구ë…ë˜ëŠ” 사람들" msgid "Groups %s is a member of" msgstr "%s ê·¸ë£¹ë“¤ì€ ì˜ ë©¤ë²„ìž…ë‹ˆë‹¤." -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "회ì›ì´ ë‹¹ì‹ ì„ ì°¨ë‹¨í•´ì™”ìŠµë‹ˆë‹¤." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "êµ¬ë… í•˜ì‹¤ 수 없습니다." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "다른 ì‚¬ëžŒì„ êµ¬ë… í•˜ì‹¤ 수 없습니다." - -#: lib/subs.php:137 -#, fuzzy -msgid "Not subscribed!" -msgstr "구ë…하고 있지 않습니다!" - -#: lib/subs.php:142 -#, fuzzy -msgid "Couldn't delete self-subscription." -msgstr "예약 구ë…ì„ ì‚­ì œ í•  수 없습니다." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "예약 구ë…ì„ ì‚­ì œ í•  수 없습니다." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index 5e7aba59f..16697578b 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:56:51+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:03:31+0000\n" "Language-Team: Macedonian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: out-statusnet\n" @@ -101,7 +101,6 @@ msgstr "Ðема таква Ñтраница" #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "Ðема таков кориÑник." @@ -562,7 +561,7 @@ msgstr "" "%3$s податоците за Вашата %4$s Ñметка. Треба да дозволувате " "приÑтап до Вашата %4$s Ñметка Ñамо на трети Ñтрани на кои им верувате." -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Сметка" @@ -943,7 +942,7 @@ msgstr "Ðе Ñте ÑопÑтвеник на овој програм." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "Се појави проблем Ñо Вашиот ÑеÑиÑки жетон." @@ -1691,7 +1690,7 @@ msgstr "Членови на групата %1$s, ÑÑ‚Ñ€. %2$d" msgid "A list of the users in this group." msgstr "ЛиÑта на кориÑниците на овааг група." -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "ÐдминиÑтратор" @@ -2077,7 +2076,7 @@ msgstr "Ðеточно кориÑничко име или лозинка" msgid "Error setting user. You are probably not authorized." msgstr "Грешка при поÑтавувањето на кориÑникот. Веројатно не Ñе заверени." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Ðајава" @@ -3045,7 +3044,7 @@ msgstr "Жалиме, неважечки код за поканата." msgid "Registration successful" msgstr "РегиÑтрацијата е уÑпешна" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "РегиÑтрирај Ñе" @@ -3951,7 +3950,8 @@ msgstr "Ðема внеÑено код" msgid "You are not subscribed to that profile." msgstr "Ðе Ñте претплатени на тој профил." -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "Ðе можев да ја зачувам претплатата." @@ -4413,7 +4413,7 @@ msgstr "" msgid "Plugins" msgstr "Приклучоци" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "Верзија" @@ -4475,22 +4475,22 @@ msgstr "Ðе можев да ја подновам пораката Ñо нов msgid "DB error inserting hashtag: %s" msgstr "Грешка во базата на податоци при вметнувањето на хеш-ознака: %s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 msgid "Problem saving notice. Too long." msgstr "Проблем Ñо зачувувањето на белешката. Премногу долго." -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "Проблем Ñо зачувувањето на белешката. Ðепознат кориÑник." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Премногу забелњшки за прекратко време; здивнете малку и продолжете за " "неколку минути." -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4498,29 +4498,54 @@ msgstr "" "Премногу дуплирани пораки во прекратко време; здивнете малку и продолжете за " "неколку минути." -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "Забрането Ви е да објавувате забелешки на оваа веб-Ñтраница." -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "Проблем во зачувувањето на белешката." -#: classes/Notice.php:790 +#: classes/Notice.php:811 msgid "Problem saving group inbox." msgstr "Проблем при зачувувањето на групното приемно Ñандаче." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "Одговор од внеÑот во базата: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "Блокирани Ñте од претплаќање." + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "Веќе претплатено!" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "КориÑникот Ве има блокирано." + +#: classes/Subscription.php:157 +#, fuzzy +msgid "Not subscribed!" +msgstr "Ðе Ñте претплатени!" + +#: classes/Subscription.php:163 +msgid "Couldn't delete self-subscription." +msgstr "Ðе можам да ја избришам Ñамопретплатата." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "Претплата не може да Ñе избрише." + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Добредојдовте на %1$s, @%2$s!" @@ -4570,124 +4595,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Страница без наÑлов" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Главна навигација" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "Дома" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Личен профил и иÑторија на пријатели" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Промена на е-пошта, аватар, лозинка, профил" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "Поврзи Ñе" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect to services" msgstr "Поврзи Ñе Ñо уÑлуги" -#: lib/action.php:449 +#: lib/action.php:448 msgid "Change site configuration" msgstr "Промена на конфигурацијата на веб-Ñтраницата" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Покани" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Поканете пријатели и колеги да Ви Ñе придружат на %s" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Одјави Ñе" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Одјава" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "Создај Ñметка" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "Ðајава" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Помош" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "Ðапомош!" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Барај" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Пребарајте луѓе или текÑÑ‚" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "Ðапомена за веб-Ñтраницата" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "Локални прегледи" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "Ðапомена за Ñтраницата" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Споредна навигација" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "За" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "ЧПП" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "УÑлови" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "ПриватноÑÑ‚" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "Изворен код" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Контакт" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "Значка" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Лиценца на програмот StatusNet" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4696,12 +4721,12 @@ msgstr "" "**%%site.name%%** е ÑÐµÑ€Ð²Ð¸Ñ Ð·Ð° микроблогирање што ви го овозможува [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** е ÑÐµÑ€Ð²Ð¸Ñ Ð·Ð° микроблогирање." -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4712,45 +4737,45 @@ msgstr "" "верзија %s, доÑтапен пд [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "Лиценца на Ñодржините на веб-Ñтраницата" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Содржината и податоците на %1$s Ñе лични и доверливи." -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "ÐвторÑките права на Ñодржината и податоците Ñе во ÑопÑтвеноÑÑ‚ на %1$s. Сите " "права задржани." -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "ÐвторÑките права на Ñодржината и податоците им припаѓаат на учеÑниците. Сите " "права задржани." -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "Сите " -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "лиценца." -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "Прелом на Ñтраници" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "По" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "Пред" @@ -5053,80 +5078,85 @@ msgstr "Грешка при зачувувањето на белешката." msgid "Specify the name of the user to subscribe to" msgstr "Ðазначете го името на кориÑникот на којшто Ñакате да Ñе претплатите" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "Ðема таков кориÑник." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "Претплатено на %s" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "Ðазначете го името на кориÑникот од кого откажувате претплата." -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "Претплатата на %s е откажана" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "Ðаредбата Ñè уште не е имплементирана." -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "ИзвеÑтувањето е иÑклучено." -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "Ðе можам да иÑклучам извеÑтување." -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "ИзвеÑтувањето е вклучено." -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "Ðе можам да вклучам извеÑтување." -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "Ðаредбата за најава е оневозможена" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "Оваа врÑка може да Ñе употреби Ñамо еднаш, и трае Ñамо 2 минути: %s" -#: lib/command.php:668 +#: lib/command.php:681 msgid "You are not subscribed to anyone." msgstr "Ðе Ñте претплатени никому." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Ðе ни го иÑпративте тој профил." msgstr[1] "Ðе ни го иÑпративте тој профил." -#: lib/command.php:690 +#: lib/command.php:703 msgid "No one is subscribed to you." msgstr "Ðикој не е претплатен на ВаÑ." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Оддалечена претплата" msgstr[1] "Оддалечена претплата" -#: lib/command.php:712 +#: lib/command.php:725 msgid "You are not a member of any groups." msgstr "Ðе членувате во ниедна група." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Ðе ни го иÑпративте тој профил." msgstr[1] "Ðе ни го иÑпративте тој профил." -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5915,10 +5945,6 @@ msgstr "Грешка во внеÑувањето на оддалечениот msgid "Duplicate notice" msgstr "Дуплирај забелешка" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "Блокирани Ñте од претплаќање." - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Ðе може да Ñе внеÑе нова претплата." @@ -6095,35 +6121,6 @@ msgstr "Луѓе претплатени на %s" msgid "Groups %s is a member of" msgstr "Групи кадешто членува %s" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "Веќе претплатено!" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "КориÑникот Ве има блокирано." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "Претплатата е неуÑпешна." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "Ðе можев да прептлатам друг кориÑник на ВаÑ." - -#: lib/subs.php:137 -#, fuzzy -msgid "Not subscribed!" -msgstr "Ðе Ñте претплатени!" - -#: lib/subs.php:142 -msgid "Couldn't delete self-subscription." -msgstr "Ðе можам да ја избришам Ñамопретплатата." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "Претплата не може да Ñе избрише." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index 5e48b8635..c107f4906 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:56:54+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:03:34+0000\n" "Language-Team: Norwegian (bokmÃ¥l)‬\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: out-statusnet\n" @@ -98,7 +98,6 @@ msgstr "Ingen slik side" #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "Ingen slik bruker" @@ -552,7 +551,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Konto" @@ -925,7 +924,7 @@ msgstr "Du er ikke eieren av dette programmet." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "" @@ -1663,7 +1662,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "En liste over brukerne i denne gruppen." -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" @@ -2021,7 +2020,7 @@ msgstr "Feil brukernavn eller passord" msgid "Error setting user. You are probably not authorized." msgstr "Ikke autorisert." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Logg inn" @@ -2959,7 +2958,7 @@ msgstr "" msgid "Registration successful" msgstr "" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "" @@ -3824,7 +3823,8 @@ msgstr "" msgid "You are not subscribed to that profile." msgstr "" -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 #, fuzzy msgid "Could not save subscription." msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" @@ -4260,7 +4260,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "Personlig" @@ -4323,48 +4323,74 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:214 +#: classes/Notice.php:215 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "" -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:790 +#: classes/Notice.php:811 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "" + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "" + +#: classes/Subscription.php:157 +#, fuzzy +msgid "Not subscribed!" +msgstr "Alle abonnementer" + +#: classes/Subscription.php:163 +#, fuzzy +msgid "Couldn't delete self-subscription." +msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "" + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" @@ -4417,126 +4443,126 @@ msgstr "%1$s sin status pÃ¥ %2$s" msgid "Untitled page" msgstr "" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "Hjem" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "Koble til" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect to services" msgstr "" -#: lib/action.php:449 +#: lib/action.php:448 msgid "Change site configuration" msgstr "" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Logg ut" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "" -#: lib/action.php:464 +#: lib/action.php:463 #, fuzzy msgid "Create an account" msgstr "Opprett en ny konto" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Hjelp" -#: lib/action.php:470 +#: lib/action.php:469 #, fuzzy msgid "Help me!" msgstr "Hjelp" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Søk" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "Om" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "OSS/FAQ" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "Kilde" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4545,12 +4571,12 @@ msgstr "" "**%%site.name%%** er en mikrobloggingtjeneste av [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** er en mikrobloggingtjeneste. " -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4558,41 +4584,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "" -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "" -#: lib/action.php:1150 +#: lib/action.php:1149 #, fuzzy msgid "Before" msgstr "Tidligere »" @@ -4898,83 +4924,88 @@ msgstr "" msgid "Specify the name of the user to subscribe to" msgstr "" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "Ingen slik bruker" + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "" -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "" -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "" -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "" -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "" -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:668 +#: lib/command.php:681 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Ikke autorisert." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Ikke autorisert." msgstr[1] "Ikke autorisert." -#: lib/command.php:690 +#: lib/command.php:703 #, fuzzy msgid "No one is subscribed to you." msgstr "Svar til %s" -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Svar til %s" msgstr[1] "Svar til %s" -#: lib/command.php:712 +#: lib/command.php:725 #, fuzzy msgid "You are not a member of any groups." msgstr "Du er allerede logget inn!" -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Du er allerede logget inn!" msgstr[1] "Du er allerede logget inn!" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5653,10 +5684,6 @@ msgstr "" msgid "Duplicate notice" msgstr "" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "" - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "" @@ -5842,36 +5869,6 @@ msgstr "Svar til %s" msgid "Groups %s is a member of" msgstr "" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "" - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "" - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "" - -#: lib/subs.php:137 -#, fuzzy -msgid "Not subscribed!" -msgstr "Alle abonnementer" - -#: lib/subs.php:142 -#, fuzzy -msgid "Couldn't delete self-subscription." -msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "" - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index 54c042b2f..34f28afbd 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:57:00+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:03:41+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: out-statusnet\n" @@ -100,7 +100,6 @@ msgstr "Deze pagina bestaat niet" #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "Onbekende gebruiker." @@ -572,7 +571,7 @@ msgstr "" "van het type \"%3$s tot uw gebruikersgegevens. Geef alleen " "toegang tot uw gebruiker bij %4$s aan derde partijen die u vertrouwt." -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Gebruiker" @@ -952,7 +951,7 @@ msgstr "U bent niet de eigenaar van deze applicatie." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "Er is een probleem met uw sessietoken." @@ -1705,7 +1704,7 @@ msgstr "%1$s groeps leden, pagina %2$d" msgid "A list of the users in this group." msgstr "Ledenlijst van deze groep" -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Beheerder" @@ -2095,7 +2094,7 @@ msgstr "" "Er is een fout opgetreden bij het maken van de instellingen. U hebt " "waarschijnlijk niet de juiste rechten." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Aanmelden" @@ -3068,7 +3067,7 @@ msgstr "Sorry. De uitnodigingscode is ongeldig." msgid "Registration successful" msgstr "De registratie is voltooid" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registreren" @@ -3975,7 +3974,8 @@ msgstr "Er is geen code ingevoerd" msgid "You are not subscribed to that profile." msgstr "U bent niet geabonneerd op dat profiel." -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "Het was niet mogelijk het abonnement op te slaan." @@ -4440,7 +4440,7 @@ msgstr "" msgid "Plugins" msgstr "Plug-ins" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "Versie" @@ -4503,26 +4503,26 @@ msgstr "Het was niet mogelijk het bericht bij te werken met de nieuwe URI." msgid "DB error inserting hashtag: %s" msgstr "Er is een databasefout opgetreden bij de invoer van de hashtag: %s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 msgid "Problem saving notice. Too long." msgstr "" "Er is een probleem opgetreden bij het opslaan van de mededeling. Deze is te " "lang." -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "" "Er was een probleem bij het opslaan van de mededeling. De gebruiker is " "onbekend." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "U hebt te snel te veel mededelingen verstuurd. Kom even op adem en probeer " "het over enige tijd weer." -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4530,33 +4530,57 @@ msgstr "" "Te veel duplicaatberichten te snel achter elkaar. Neem een adempauze en " "plaats over een aantal minuten pas weer een bericht." -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "" "U bent geblokkeerd en mag geen mededelingen meer achterlaten op deze site." -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "Er is een probleem opgetreden bij het opslaan van de mededeling." -#: classes/Notice.php:790 +#: classes/Notice.php:811 msgid "Problem saving group inbox." msgstr "" "Er is een probleem opgetreden bij het opslaan van het Postvak IN van de " "groep." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "" "Er is een databasefout opgetreden bij het invoegen van het antwoord: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "U mag zich niet abonneren." + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "U bent al gebonneerd!" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "Deze gebruiker negeert u." + +#: classes/Subscription.php:157 +msgid "Not subscribed!" +msgstr "Niet geabonneerd!" + +#: classes/Subscription.php:163 +msgid "Couldn't delete self-subscription." +msgstr "Het was niet mogelijk het abonnement op uzelf te verwijderen." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "Kon abonnement niet verwijderen." + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Welkom bij %1$s, @%2$s!" @@ -4606,124 +4630,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Naamloze pagina" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Primaire sitenavigatie" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "Start" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Persoonlijk profiel en tijdlijn van vrienden" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Uw e-mailadres, avatar, wachtwoord of profiel wijzigen" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "Koppelen" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect to services" msgstr "Met diensten verbinden" -#: lib/action.php:449 +#: lib/action.php:448 msgid "Change site configuration" msgstr "Websiteinstellingen wijzigen" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Uitnodigen" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Vrienden en collega's uitnodigen om u te vergezellen op %s" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Afmelden" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Van de site afmelden" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "Gebruiker aanmaken" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "Bij de site aanmelden" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Help" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "Help me!" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Zoeken" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Naar gebruikers of tekst zoeken" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "Mededeling van de website" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "Lokale weergaven" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "Mededeling van de pagina" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Secundaire sitenavigatie" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "Over" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "Veel gestelde vragen" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "Gebruiksvoorwaarden" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "Privacy" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "Broncode" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Contact" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "Widget" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Licentie van de StatusNet-software" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4732,12 +4756,12 @@ msgstr "" "**%%site.name%%** is een microblogdienst van [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** is een microblogdienst. " -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4748,45 +4772,45 @@ msgstr "" "versie %s, beschikbaar onder de [GNU Affero General Public License](http://" "www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "Licentie voor siteinhoud" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Inhoud en gegevens van %1$s zijn persoonlijk en vertrouwelijk." -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "Auteursrechten op inhoud en gegevens rusten bij %1$s. Alle rechten " "voorbehouden." -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Auteursrechten op inhoud en gegevens rusten bij de respectievelijke " "gebruikers. Alle rechten voorbehouden." -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "Alle " -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "licentie." -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "Paginering" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "Later" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "Eerder" @@ -5091,83 +5115,88 @@ msgstr "Er is een fout opgetreden bij het opslaan van de mededeling." msgid "Specify the name of the user to subscribe to" msgstr "Geef de naam op van de gebruiker waarop u wilt abonneren" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "Onbekende gebruiker." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "Geabonneerd op %s" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "" "Geef de naam op van de gebruiker waarvoor u het abonnement wilt opzeggen" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "Uw abonnement op %s is opgezegd" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "Dit commando is nog niet geïmplementeerd." -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "Notificaties uitgeschakeld." -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "Het is niet mogelijk de mededelingen uit te schakelen." -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "Notificaties ingeschakeld." -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "Het is niet mogelijk de notificatie uit te schakelen." -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "Het aanmeldcommando is uitgeschakeld" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" "Deze verwijzing kan slechts één keer gebruikt worden en is twee minuten " "geldig: %s" -#: lib/command.php:668 +#: lib/command.php:681 msgid "You are not subscribed to anyone." msgstr "U bent op geen enkele gebruiker geabonneerd." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "U bent geabonneerd op deze gebruiker:" msgstr[1] "U bent geabonneerd op deze gebruikers:" -#: lib/command.php:690 +#: lib/command.php:703 msgid "No one is subscribed to you." msgstr "Niemand heeft een abonnenment op u." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Deze gebruiker is op u geabonneerd:" msgstr[1] "Deze gebruikers zijn op u geabonneerd:" -#: lib/command.php:712 +#: lib/command.php:725 msgid "You are not a member of any groups." msgstr "U bent lid van geen enkele groep." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "U bent lid van deze groep:" msgstr[1] "U bent lid van deze groepen:" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5959,10 +5988,6 @@ msgstr "" msgid "Duplicate notice" msgstr "Duplicaatmelding" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "U mag zich niet abonneren." - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Kon nieuw abonnement niet toevoegen." @@ -6139,34 +6164,6 @@ msgstr "Gebruikers met een abonnement op %s" msgid "Groups %s is a member of" msgstr "Groepen waar %s lid van is" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "U bent al gebonneerd!" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "Deze gebruiker negeert u." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "Kan niet abonneren " - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "Het was niet mogelijk om een ander op u te laten abonneren" - -#: lib/subs.php:137 -msgid "Not subscribed!" -msgstr "Niet geabonneerd!" - -#: lib/subs.php:142 -msgid "Couldn't delete self-subscription." -msgstr "Het was niet mogelijk het abonnement op uzelf te verwijderen." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "Kon abonnement niet verwijderen." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/nn/LC_MESSAGES/statusnet.po b/locale/nn/LC_MESSAGES/statusnet.po index b82d1f96a..02da6a191 100644 --- a/locale/nn/LC_MESSAGES/statusnet.po +++ b/locale/nn/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:56:57+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:03:37+0000\n" "Language-Team: Norwegian Nynorsk\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nn\n" "X-Message-Group: out-statusnet\n" @@ -105,7 +105,6 @@ msgstr "Dette emneord finst ikkje." #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "Brukaren finst ikkje." @@ -565,7 +564,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Konto" @@ -955,7 +954,7 @@ msgstr "Du er ikkje medlem av den gruppa." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "Det var eit problem med sesjons billetten din." @@ -1736,7 +1735,7 @@ msgstr "%s medlemmar i gruppa, side %d" msgid "A list of the users in this group." msgstr "Ei liste over brukarane i denne gruppa." -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" @@ -2110,7 +2109,7 @@ msgstr "Feil brukarnamn eller passord" msgid "Error setting user. You are probably not authorized." msgstr "Ikkje autorisert." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Logg inn" @@ -3085,7 +3084,7 @@ msgstr "Feil med stadfestingskode." msgid "Registration successful" msgstr "Registreringa gikk bra" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registrér" @@ -3977,7 +3976,8 @@ msgstr "Ingen innskriven kode" msgid "You are not subscribed to that profile." msgstr "Du tingar ikkje oppdateringar til den profilen." -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "Kunne ikkje lagra abonnement." @@ -4429,7 +4429,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "Personleg" @@ -4493,22 +4493,22 @@ msgstr "Kunne ikkje oppdatere melding med ny URI." msgid "DB error inserting hashtag: %s" msgstr "databasefeil ved innsetjing av skigardmerkelapp (#merkelapp): %s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Eit problem oppstod ved lagring av notis." -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "Feil ved lagring av notis. Ukjend brukar." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "For mange notisar for raskt; tek ei pause, og prøv igjen om eit par minutt." -#: classes/Notice.php:229 +#: classes/Notice.php:230 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4516,30 +4516,57 @@ msgid "" msgstr "" "For mange notisar for raskt; tek ei pause, og prøv igjen om eit par minutt." -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "Du kan ikkje lengre legge inn notisar pÃ¥ denne sida." -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "Eit problem oppstod ved lagring av notis." -#: classes/Notice.php:790 +#: classes/Notice.php:811 #, fuzzy msgid "Problem saving group inbox." msgstr "Eit problem oppstod ved lagring av notis." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "Databasefeil, kan ikkje lagra svar: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +#, fuzzy +msgid "You have been banned from subscribing." +msgstr "Brukaren tillet deg ikkje Ã¥ tinga meldingane sine." + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "Brukar har blokkert deg." + +#: classes/Subscription.php:157 +#, fuzzy +msgid "Not subscribed!" +msgstr "Ikkje tinga." + +#: classes/Subscription.php:163 +#, fuzzy +msgid "Couldn't delete self-subscription." +msgstr "Kan ikkje sletta tinging." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "Kan ikkje sletta tinging." + +#: classes/User.php:372 #, fuzzy, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Melding til %1$s pÃ¥ %2$s" @@ -4590,127 +4617,127 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Ingen tittel" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Navigasjon for hovudsida" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "Heim" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Personleg profil og oversyn over vener" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Endra e-posten, avataren, passordet eller profilen" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "Kopla til" -#: lib/action.php:445 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "Klarte ikkje Ã¥ omdirigera til tenaren: %s" -#: lib/action.php:449 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "Navigasjon for hovudsida" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Invitér" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Inviter vennar og kollega til Ã¥ bli med deg pÃ¥ %s" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Logg ut" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Logg ut or sida" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "Opprett ny konto" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "Logg inn or sida" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Hjelp" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "Hjelp meg!" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Søk" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Søk etter folk eller innhald" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "Statusmelding" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "Lokale syningar" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "Sidenotis" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "AndrenivÃ¥s side navigasjon" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "Om" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "OSS" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "Personvern" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "Kjeldekode" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:752 +#: lib/action.php:751 #, fuzzy msgid "Badge" msgstr "Dult" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "StatusNets programvarelisens" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4719,12 +4746,12 @@ msgstr "" "**%%site.name%%** er ei mikrobloggingteneste av [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** er ei mikrobloggingteneste. " -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4735,42 +4762,42 @@ msgstr "" "%s, tilgjengeleg under [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:802 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "StatusNets programvarelisens" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "Alle" -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "lisens." -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "Paginering" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "« Etter" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "Før »" @@ -5088,83 +5115,88 @@ msgstr "Eit problem oppstod ved lagring av notis." msgid "Specify the name of the user to subscribe to" msgstr "Spesifer namnet til brukaren du vil tinge" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "Brukaren finst ikkje." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "Tingar %s" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "Spesifer namnet til brukar du vil fjerne tinging pÃ¥" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "Tingar ikkje %s lengre" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "Kommando ikkje implementert." -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "Notifikasjon av." -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "Kan ikkje skru av notifikasjon." -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "Notifikasjon pÃ¥." -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "Kan ikkje slÃ¥ pÃ¥ notifikasjon." -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:668 +#: lib/command.php:681 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Du tingar ikkje oppdateringar til den profilen." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Du tingar allereie oppdatering frÃ¥ desse brukarane:" msgstr[1] "Du tingar allereie oppdatering frÃ¥ desse brukarane:" -#: lib/command.php:690 +#: lib/command.php:703 #, fuzzy msgid "No one is subscribed to you." msgstr "Kan ikkje tinga andre til deg." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Kan ikkje tinga andre til deg." msgstr[1] "Kan ikkje tinga andre til deg." -#: lib/command.php:712 +#: lib/command.php:725 #, fuzzy msgid "You are not a member of any groups." msgstr "Du er ikkje medlem av den gruppa." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Du er ikkje medlem av den gruppa." msgstr[1] "Du er ikkje medlem av den gruppa." -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5848,11 +5880,6 @@ msgstr "Feil med Ã¥ henta inn ekstern profil" msgid "Duplicate notice" msgstr "Slett notis" -#: lib/oauthstore.php:465 lib/subs.php:48 -#, fuzzy -msgid "You have been banned from subscribing." -msgstr "Brukaren tillet deg ikkje Ã¥ tinga meldingane sine." - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Kan ikkje leggja til ny tinging." @@ -6040,36 +6067,6 @@ msgstr "Mennesker som tingar %s" msgid "Groups %s is a member of" msgstr "Grupper %s er medlem av" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "Brukar har blokkert deg." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "Kan ikkje tinga." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "Kan ikkje tinga andre til deg." - -#: lib/subs.php:137 -#, fuzzy -msgid "Not subscribed!" -msgstr "Ikkje tinga." - -#: lib/subs.php:142 -#, fuzzy -msgid "Couldn't delete self-subscription." -msgstr "Kan ikkje sletta tinging." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "Kan ikkje sletta tinging." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index a66185027..d404e00bd 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:57:04+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:03:44+0000\n" "Last-Translator: Piotr DrÄ…g \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -19,7 +19,7 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: out-statusnet\n" @@ -103,7 +103,6 @@ msgstr "Nie ma takiej strony" #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "Brak takiego użytkownika." @@ -562,7 +561,7 @@ msgstr "" "uzyskać możliwość %3$s danych konta %4$s. DostÄ™p do konta %4" "$s powinien być udostÄ™pniany tylko zaufanym osobom trzecim." -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Konto" @@ -938,7 +937,7 @@ msgstr "Nie jesteÅ› wÅ‚aÅ›cicielem tej aplikacji." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "WystÄ…piÅ‚ problem z tokenem sesji." @@ -1675,7 +1674,7 @@ msgstr "CzÅ‚onkowie grupy %1$s, strona %2$d" msgid "A list of the users in this group." msgstr "Lista użytkowników znajdujÄ…cych siÄ™ w tej grupie." -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" @@ -2059,7 +2058,7 @@ msgstr "Niepoprawna nazwa użytkownika lub hasÅ‚o." msgid "Error setting user. You are probably not authorized." msgstr "BÅ‚Ä…d podczas ustawiania użytkownika. Prawdopodobnie brak upoważnienia." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Zaloguj siÄ™" @@ -3019,7 +3018,7 @@ msgstr "NieprawidÅ‚owy kod zaproszenia." msgid "Registration successful" msgstr "Rejestracja powiodÅ‚a siÄ™" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Zarejestruj siÄ™" @@ -3919,7 +3918,8 @@ msgstr "Nie podano kodu" msgid "You are not subscribed to that profile." msgstr "Nie jesteÅ› subskrybowany do tego profilu." -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "Nie można zapisać subskrypcji." @@ -4380,7 +4380,7 @@ msgstr "" msgid "Plugins" msgstr "Wtyczki" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "Wersja" @@ -4444,22 +4444,22 @@ msgstr "Nie można zaktualizować wiadomoÅ›ci za pomocÄ… nowego adresu URL." msgid "DB error inserting hashtag: %s" msgstr "BÅ‚Ä…d bazy danych podczas wprowadzania znacznika mieszania: %s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 msgid "Problem saving notice. Too long." msgstr "Problem podczas zapisywania wpisu. Za dÅ‚ugi." -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "Problem podczas zapisywania wpisu. Nieznany użytkownik." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Za dużo wpisów w za krótkim czasie, weź gÅ‚Ä™boki oddech i wyÅ›lij ponownie za " "kilka minut." -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4467,29 +4467,53 @@ msgstr "" "Za dużo takich samych wiadomoÅ›ci w za krótkim czasie, weź gÅ‚Ä™boki oddech i " "wyÅ›lij ponownie za kilka minut." -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "Zabroniono ci wysyÅ‚ania wpisów na tej witrynie." -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "Problem podczas zapisywania wpisu." -#: classes/Notice.php:790 +#: classes/Notice.php:811 msgid "Problem saving group inbox." msgstr "Problem podczas zapisywania skrzynki odbiorczej grupy." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "BÅ‚Ä…d bazy danych podczas wprowadzania odpowiedzi: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "Zablokowano subskrybowanie." + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "Już subskrybowane." + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "Użytkownik zablokowaÅ‚ ciÄ™." + +#: classes/Subscription.php:157 +msgid "Not subscribed!" +msgstr "Niesubskrybowane." + +#: classes/Subscription.php:163 +msgid "Couldn't delete self-subscription." +msgstr "Nie można usunąć autosubskrypcji." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "Nie można usunąć subskrypcji." + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Witaj w %1$s, @%2$s." @@ -4539,124 +4563,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Strona bez nazwy" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Główna nawigacja witryny" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "Strona domowa" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Profil osobisty i oÅ› czasu przyjaciół" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "ZmieÅ„ adres e-mail, awatar, hasÅ‚o, profil" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "PoÅ‚Ä…cz" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect to services" msgstr "PoÅ‚Ä…cz z serwisami" -#: lib/action.php:449 +#: lib/action.php:448 msgid "Change site configuration" msgstr "ZmieÅ„ konfiguracjÄ™ witryny" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "ZaproÅ›" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "ZaproÅ› przyjaciół i kolegów do doÅ‚Ä…czenia do ciebie na %s" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Wyloguj siÄ™" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Wyloguj siÄ™ z witryny" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "Utwórz konto" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "Zaloguj siÄ™ na witrynie" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Pomoc" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "Pomóż mi." -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Wyszukaj" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Wyszukaj osoby lub tekst" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "Wpis witryny" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "Lokalne widoki" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "Wpis strony" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Druga nawigacja witryny" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "O usÅ‚udze" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "TOS" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "Prywatność" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "Kod źródÅ‚owy" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "Odznaka" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Licencja oprogramowania StatusNet" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4665,12 +4689,12 @@ msgstr "" "**%%site.name%%** jest usÅ‚ugÄ… mikroblogowania prowadzonÄ… przez [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** jest usÅ‚ugÄ… mikroblogowania. " -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4681,45 +4705,45 @@ msgstr "" "status.net/) w wersji %s, dostÄ™pnego na [Powszechnej Licencji Publicznej GNU " "Affero](http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "Licencja zawartoÅ›ci witryny" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Treść i dane %1$s sÄ… prywatne i poufne." -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "Prawa autorskie do treÅ›ci i danych sÄ… wÅ‚asnoÅ›ciÄ… %1$s. Wszystkie prawa " "zastrzeżone." -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Prawa autorskie do treÅ›ci i danych sÄ… wÅ‚asnoÅ›ciÄ… współtwórców. Wszystkie " "prawa zastrzeżone." -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "Wszystko " -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "licencja." -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "Paginacja" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "Później" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "WczeÅ›niej" @@ -5021,85 +5045,90 @@ msgstr "BÅ‚Ä…d podczas zapisywania wpisu." msgid "Specify the name of the user to subscribe to" msgstr "Podaj nazwÄ™ użytkownika do subskrybowania." -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "Brak takiego użytkownika." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "Subskrybowano użytkownika %s" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "Podaj nazwÄ™ użytkownika do usuniÄ™cia subskrypcji." -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "UsuniÄ™to subskrypcjÄ™ użytkownika %s" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "Nie zaimplementowano polecenia." -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "WyÅ‚Ä…czono powiadomienia." -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "Nie można wyÅ‚Ä…czyć powiadomieÅ„." -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "WÅ‚Ä…czono powiadomienia." -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "Nie można wÅ‚Ä…czyć powiadomieÅ„." -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "Polecenie logowania jest wyÅ‚Ä…czone" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" "Tego odnoÅ›nika można użyć tylko raz i bÄ™dzie prawidÅ‚owy tylko przez dwie " "minuty: %s." -#: lib/command.php:668 +#: lib/command.php:681 msgid "You are not subscribed to anyone." msgstr "Nie subskrybujesz nikogo." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Subskrybujesz tÄ™ osobÄ™:" msgstr[1] "Subskrybujesz te osoby:" msgstr[2] "Subskrybujesz te osoby:" -#: lib/command.php:690 +#: lib/command.php:703 msgid "No one is subscribed to you." msgstr "Nikt ciÄ™ nie subskrybuje." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Ta osoba ciÄ™ subskrybuje:" msgstr[1] "Te osoby ciÄ™ subskrybujÄ…:" msgstr[2] "Te osoby ciÄ™ subskrybujÄ…:" -#: lib/command.php:712 +#: lib/command.php:725 msgid "You are not a member of any groups." msgstr "Nie jesteÅ› czÅ‚onkiem żadnej grupy." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "JesteÅ› czÅ‚onkiem tej grupy:" msgstr[1] "JesteÅ› czÅ‚onkiem tych grup:" msgstr[2] "JesteÅ› czÅ‚onkiem tych grup:" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5884,10 +5913,6 @@ msgstr "BÅ‚Ä…d podczas wprowadzania zdalnego profilu" msgid "Duplicate notice" msgstr "Duplikat wpisu" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "Zablokowano subskrybowanie." - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Nie można wprowadzić nowej subskrypcji." @@ -6065,34 +6090,6 @@ msgstr "Osoby subskrybowane do %s" msgid "Groups %s is a member of" msgstr "Grupy %s sÄ… czÅ‚onkiem" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "Już subskrybowane." - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "Użytkownik zablokowaÅ‚ ciÄ™." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "Nie można subskrybować." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "Nie można subskrybować innych do ciebie." - -#: lib/subs.php:137 -msgid "Not subscribed!" -msgstr "Niesubskrybowane." - -#: lib/subs.php:142 -msgid "Couldn't delete self-subscription." -msgstr "Nie można usunąć autosubskrypcji." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "Nie można usunąć subskrypcji." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index 7b700eded..5fb83226e 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:57:07+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:03:46+0000\n" "Language-Team: Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: out-statusnet\n" @@ -102,7 +102,6 @@ msgstr "Página não encontrada." #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "Utilizador não encontrado." @@ -558,7 +557,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Conta" @@ -940,7 +939,7 @@ msgstr "Não é membro deste grupo." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "Ocorreu um problema com a sua sessão." @@ -1702,7 +1701,7 @@ msgstr "Membros do grupo %1$s, página %2$d" msgid "A list of the users in this group." msgstr "Uma lista dos utilizadores neste grupo." -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Gestor" @@ -2086,7 +2085,7 @@ msgstr "Nome de utilizador ou senha incorrectos." msgid "Error setting user. You are probably not authorized." msgstr "Erro ao preparar o utilizador. Provavelmente não está autorizado." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Entrar" @@ -3061,7 +3060,7 @@ msgstr "Desculpe, código de convite inválido." msgid "Registration successful" msgstr "Registo efectuado" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registar" @@ -3964,7 +3963,8 @@ msgstr "Nenhum código introduzido" msgid "You are not subscribed to that profile." msgstr "Não subscreveu esse perfil." -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "Não foi possível gravar a subscrição." @@ -4424,7 +4424,7 @@ msgstr "" msgid "Plugins" msgstr "Plugins" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "Versão" @@ -4489,22 +4489,22 @@ msgstr "Não foi possível actualizar a mensagem com a nova URI." msgid "DB error inserting hashtag: %s" msgstr "Erro na base de dados ao inserir a marca: %s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 msgid "Problem saving notice. Too long." msgstr "Problema na gravação da nota. Demasiado longa." -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "Problema na gravação da nota. Utilizador desconhecido." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Demasiadas notas, demasiado rápido; descanse e volte a publicar daqui a " "alguns minutos." -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4512,30 +4512,54 @@ msgstr "" "Demasiadas mensagens duplicadas, demasiado rápido; descanse e volte a " "publicar daqui a alguns minutos." -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "Está proibido de publicar notas neste site." -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "Problema na gravação da nota." -#: classes/Notice.php:790 +#: classes/Notice.php:811 #, fuzzy msgid "Problem saving group inbox." msgstr "Problema na gravação da nota." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "Ocorreu um erro na base de dados ao inserir a resposta: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "Foi bloqueado de fazer subscrições" + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "Já subscrito!" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "O utilizador bloqueou-o." + +#: classes/Subscription.php:157 +msgid "Not subscribed!" +msgstr "Não subscrito!" + +#: classes/Subscription.php:163 +msgid "Couldn't delete self-subscription." +msgstr "Não foi possível apagar a auto-subscrição." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "Não foi possível apagar a subscrição." + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "%1$s dá-lhe as boas-vindas, @%2$s!" @@ -4585,124 +4609,124 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Página sem título" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Navegação primária deste site" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "Início" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Perfil pessoal e notas dos amigos" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Altere o seu endereço electrónico, avatar, senha, perfil" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "Ligar" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect to services" msgstr "Ligar aos serviços" -#: lib/action.php:449 +#: lib/action.php:448 msgid "Change site configuration" msgstr "Alterar a configuração do site" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Convidar" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Convidar amigos e colegas para se juntarem a si em %s" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Sair" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Terminar esta sessão" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "Criar uma conta" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "Iniciar uma sessão" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Ajuda" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "Ajudem-me!" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Pesquisa" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Procurar pessoas ou pesquisar texto" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "Aviso do site" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "Vistas locais" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "Aviso da página" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Navegação secundária deste site" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "Sobre" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "Termos" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "Privacidade" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "Código" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Contacto" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "Emblema" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Licença de software do StatusNet" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4711,12 +4735,12 @@ msgstr "" "**%%site.name%%** é um serviço de microblogues disponibilizado por [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** é um serviço de microblogues. " -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4727,41 +4751,41 @@ msgstr "" "disponibilizado nos termos da [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "Licença de conteúdos do site" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "Tudo " -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "licença." -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "Paginação" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "Posteriores" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "Anteriores" @@ -5066,82 +5090,87 @@ msgstr "Erro ao gravar nota." msgid "Specify the name of the user to subscribe to" msgstr "Introduza o nome do utilizador para subscrever" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "Utilizador não encontrado." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "Subscreveu %s" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "Introduza o nome do utilizador para deixar de subscrever" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "Deixou de subscrever %s" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "Comando ainda não implementado." -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "Notificação desligada." -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "Não foi possível desligar a notificação." -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "Notificação ligada." -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "Não foi possível ligar a notificação." -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "Comando para iniciar sessão foi desactivado" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" "Esta ligação é utilizável uma única vez e só durante os próximos 2 minutos: %" "s" -#: lib/command.php:668 +#: lib/command.php:681 msgid "You are not subscribed to anyone." msgstr "Não subscreveu ninguém." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Subscreveu esta pessoa:" msgstr[1] "Subscreveu estas pessoas:" -#: lib/command.php:690 +#: lib/command.php:703 msgid "No one is subscribed to you." msgstr "Ninguém subscreve as suas notas." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Esta pessoa subscreve as suas notas:" msgstr[1] "Estas pessoas subscrevem as suas notas:" -#: lib/command.php:712 +#: lib/command.php:725 msgid "You are not a member of any groups." msgstr "Não está em nenhum grupo." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Está no grupo:" msgstr[1] "Está nos grupos:" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5925,10 +5954,6 @@ msgstr "Erro ao inserir perfil remoto" msgid "Duplicate notice" msgstr "Nota duplicada" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "Foi bloqueado de fazer subscrições" - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Não foi possível inserir nova subscrição." @@ -6105,34 +6130,6 @@ msgstr "Pessoas que subscrevem %s" msgid "Groups %s is a member of" msgstr "Grupos de que %s é membro" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "Já subscrito!" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "O utilizador bloqueou-o." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "Não foi possível subscrever." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "Não foi possível que outro o subscrevesse." - -#: lib/subs.php:137 -msgid "Not subscribed!" -msgstr "Não subscrito!" - -#: lib/subs.php:142 -msgid "Couldn't delete self-subscription." -msgstr "Não foi possível apagar a auto-subscrição." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "Não foi possível apagar a subscrição." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index 0d3d92e18..93e575677 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:57:10+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:03:50+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" @@ -101,7 +101,6 @@ msgstr "Esta página não existe." #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "Este usuário não existe." @@ -567,7 +566,7 @@ msgstr "" "fornecer acesso à sua conta %4$s somente para terceiros nos quais você " "confia." -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Conta" @@ -945,7 +944,7 @@ msgstr "Você não é o dono desta aplicação." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "Ocorreu um problema com o seu token de sessão." @@ -1694,7 +1693,7 @@ msgstr "Membros do grupo %1$s, pág. %2$d" msgid "A list of the users in this group." msgstr "Uma lista dos usuários deste grupo." -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" @@ -2081,7 +2080,7 @@ msgid "Error setting user. You are probably not authorized." msgstr "" "Erro na configuração do usuário. Você provavelmente não tem autorização." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Entrar" @@ -3053,7 +3052,7 @@ msgstr "Desculpe, mas o código do convite é inválido." msgid "Registration successful" msgstr "Registro realizado com sucesso" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registrar-se" @@ -3380,9 +3379,9 @@ msgid "Statistics" msgstr "Estatísticas" #: actions/showapplication.php:203 -#, fuzzy, php-format +#, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" -msgstr "criado por %1$s - %2$s acessa por padrão - %3$d usuários" +msgstr "Criado por %1$s - acesso %2$s por padrão - %3$d usuários" #: actions/showapplication.php:213 msgid "Application actions" @@ -3425,14 +3424,13 @@ msgstr "" "assinatura em texto plano." #: actions/showapplication.php:309 -#, fuzzy msgid "Are you sure you want to reset your consumer key and secret?" -msgstr "Tem certeza que deseja excluir esta mensagem?" +msgstr "Tem certeza que deseja restaurar sua chave e segredo de consumidor?" #: actions/showfavorites.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s's favorite notices, page %2$d" -msgstr "Mensagens favoritas de %s" +msgstr "Mensagens favoritas de %1$s, pág. %2$d" #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." @@ -3492,9 +3490,9 @@ msgid "%s group" msgstr "Grupo %s" #: actions/showgroup.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s group, page %2$d" -msgstr "Membros do grupo %1$s, pág. %2$d" +msgstr "Grupo %1$s, pág. %2$d" #: actions/showgroup.php:218 msgid "Group profile" @@ -3617,9 +3615,9 @@ msgid " tagged %s" msgstr " etiquetada %s" #: actions/showstream.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s, page %2$d" -msgstr "%1$s e amigos, pág. %2$d" +msgstr "%1$s, pág. %2$d" #: actions/showstream.php:122 #, php-format @@ -3953,7 +3951,8 @@ msgstr "Não foi digitado nenhum código" msgid "You are not subscribed to that profile." msgstr "Você não está assinando esse perfil." -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "Não foi possível salvar a assinatura." @@ -4055,9 +4054,9 @@ msgid "SMS" msgstr "SMS" #: actions/tag.php:68 -#, fuzzy, php-format +#, php-format msgid "Notices tagged with %1$s, page %2$d" -msgstr "Usuários auto-etiquetados com %1$s - pág. %2$d" +msgstr "Mensagens etiquetadas com %1$s, pág. %2$d" #: actions/tag.php:86 #, php-format @@ -4342,9 +4341,9 @@ msgid "Enjoy your hotdog!" msgstr "Aproveite o seu cachorro-quente!" #: actions/usergroups.php:64 -#, fuzzy, php-format +#, php-format msgid "%1$s groups, page %2$d" -msgstr "Membros do grupo %1$s, pág. %2$d" +msgstr "Grupos de %1$s, pág. %2$d" #: actions/usergroups.php:130 msgid "Search for more groups" @@ -4417,7 +4416,7 @@ msgstr "" msgid "Plugins" msgstr "Plugins" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "Versão" @@ -4478,22 +4477,22 @@ msgstr "Não foi possível atualizar a mensagem com a nova URI." msgid "DB error inserting hashtag: %s" msgstr "Erro no banco de dados durante a inserção da hashtag: %s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 msgid "Problem saving notice. Too long." msgstr "Problema no salvamento da mensagem. Ela é muito extensa." -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "Problema no salvamento da mensagem. Usuário desconhecido." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Muitas mensagens em um período curto de tempo; dê uma respirada e publique " "novamente daqui a alguns minutos." -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4501,30 +4500,53 @@ msgstr "" "Muitas mensagens duplicadas em um período curto de tempo; dê uma respirada e " "publique novamente daqui a alguns minutos." -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "Você está proibido de publicar mensagens neste site." -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "Problema no salvamento da mensagem." -#: classes/Notice.php:790 -#, fuzzy +#: classes/Notice.php:811 msgid "Problem saving group inbox." -msgstr "Problema no salvamento da mensagem." +msgstr "Problema no salvamento das mensagens recebidas do grupo." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "Erro no banco de dados na inserção da reposta: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "Você está proibido de assinar." + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "Já assinado!" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "O usuário bloqueou você." + +#: classes/Subscription.php:157 +msgid "Not subscribed!" +msgstr "Não assinado!" + +#: classes/Subscription.php:163 +msgid "Couldn't delete self-subscription." +msgstr "Não foi possível excluir a auto-assinatura." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "Não foi possível excluir a assinatura." + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Bem vindo(a) a %1$s, @%2$s!" @@ -4574,124 +4596,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Página sem título" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Navegação primária no site" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "Início" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Perfil pessoal e fluxo de mensagens dos amigos" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Mude seu e-mail, avatar, senha, perfil" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "Conectar" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect to services" msgstr "Conecte-se a outros serviços" -#: lib/action.php:449 +#: lib/action.php:448 msgid "Change site configuration" msgstr "Mude as configurações do site" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Convidar" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Convide seus amigos e colegas para unir-se a você no %s" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Sair" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Sai do site" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "Cria uma conta" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "Autentique-se no site" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Ajuda" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "Ajudem-me!" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Procurar" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Procura por pessoas ou textos" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "Mensagem do site" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "Visualizações locais" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "Notícia da página" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Navegação secundária no site" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "Sobre" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "Termos de uso" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "Privacidade" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "Fonte" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Contato" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "Mini-aplicativo" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Licença do software StatusNet" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4700,12 +4722,12 @@ msgstr "" "**%%site.name%%** é um serviço de microblog disponibilizado por [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** é um serviço de microblog. " -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4716,43 +4738,43 @@ msgstr "" "versão %s, disponível sob a [GNU Affero General Public License] (http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "Licença do conteúdo do site" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "O conteúdo e os dados de %1$s são privados e confidenciais." -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "Conteúdo e dados licenciados sob %1$s. Todos os direitos reservados." -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Conteúdo e dados licenciados pelos colaboradores. Todos os direitos " "reservados." -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "Todas " -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "licença." -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "Paginação" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "Próximo" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "Anterior" @@ -4785,32 +4807,33 @@ msgid "Design configuration" msgstr "Configuração da aparência" #: lib/adminpanelaction.php:322 -#, fuzzy msgid "User configuration" -msgstr "Configuração dos caminhos" +msgstr "Configuração do usuário" #: lib/adminpanelaction.php:327 -#, fuzzy msgid "Access configuration" -msgstr "Configuração da aparência" +msgstr "Configuração do acesso" #: lib/adminpanelaction.php:332 msgid "Paths configuration" msgstr "Configuração dos caminhos" #: lib/adminpanelaction.php:337 -#, fuzzy msgid "Sessions configuration" -msgstr "Configuração da aparência" +msgstr "Configuração das sessões" #: lib/apiauth.php:95 msgid "API resource requires read-write access, but you only have read access." msgstr "" +"Os recursos de API exigem acesso de leitura e escrita, mas você possui " +"somente acesso de leitura." #: lib/apiauth.php:273 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" +"A tentativa de autenticação na API falhou, identificação = %1$s, proxy = %2" +"$s, ip = %3$s" #: lib/applicationeditform.php:136 msgid "Edit application" @@ -5055,82 +5078,87 @@ msgstr "Erro no salvamento da mensagem." msgid "Specify the name of the user to subscribe to" msgstr "Especifique o nome do usuário que será assinado" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "Este usuário não existe." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "Efetuada a assinatura de %s" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "Especifique o nome do usuário cuja assinatura será cancelada" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "Cancelada a assinatura de %s" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "O comando não foi implementado ainda." -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "Notificação desligada." -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "Não é possível desligar a notificação." -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "Notificação ligada." -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "Não é possível ligar a notificação." -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "O comando para autenticação está desabilitado" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" "Este link é utilizável somente uma vez e é válido somente por dois minutos: %" "s" -#: lib/command.php:668 +#: lib/command.php:681 msgid "You are not subscribed to anyone." msgstr "Você não está assinando ninguém." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Você já está assinando esta pessoa:" msgstr[1] "Você já está assinando estas pessoas:" -#: lib/command.php:690 +#: lib/command.php:703 msgid "No one is subscribed to you." msgstr "Ninguém o assinou ainda." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Esta pessoa está assinando você:" msgstr[1] "Estas pessoas estão assinando você:" -#: lib/command.php:712 +#: lib/command.php:725 msgid "You are not a member of any groups." msgstr "Você não é membro de nenhum grupo." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Você é membro deste grupo:" msgstr[1] "Você é membro destes grupos:" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5917,10 +5945,6 @@ msgstr "Erro na inserção do perfil remoto" msgid "Duplicate notice" msgstr "Duplicar a mensagem" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "Você está proibido de assinar." - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Não foi possível inserir a nova assinatura." @@ -6028,7 +6052,7 @@ msgstr "Repetir esta mensagem" #: lib/router.php:665 msgid "No single user defined for single-user mode." -msgstr "" +msgstr "Nenhum usuário definido para o modo de usuário único." #: lib/sandboxform.php:67 msgid "Sandbox" @@ -6097,34 +6121,6 @@ msgstr "Assinantes de %s" msgid "Groups %s is a member of" msgstr "Grupos dos quais %s é membro" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "Já assinado!" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "O usuário bloqueou você." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "Não foi possível assinar." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "Não foi possível fazer com que outros o assinem." - -#: lib/subs.php:137 -msgid "Not subscribed!" -msgstr "Não assinado!" - -#: lib/subs.php:142 -msgid "Couldn't delete self-subscription." -msgstr "Não foi possível excluir a auto-assinatura." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "Não foi possível excluir a assinatura." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index e1dd38e99..57cb89884 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:57:13+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:03:52+0000\n" "Language-Team: Russian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: out-statusnet\n" @@ -104,7 +104,6 @@ msgstr "Ðет такой Ñтраницы" #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "Ðет такого пользователÑ." @@ -565,7 +564,7 @@ msgstr "" "предоÑтавлÑÑ‚ÑŒ разрешение на доÑтуп к вашей учётной запиÑи %4$s только тем " "Ñторонним приложениÑм, которым вы доверÑете." -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "ÐаÑтройки" @@ -942,7 +941,7 @@ msgstr "Ð’Ñ‹ не ÑвлÑетеÑÑŒ владельцем Ñтого прило #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "Проблема Ñ Ð’Ð°ÑˆÐµÐ¹ ÑеÑÑией. Попробуйте ещё раз, пожалуйÑта." @@ -1695,7 +1694,7 @@ msgstr "УчаÑтники группы %1$s, Ñтраница %2$d" msgid "A list of the users in this group." msgstr "СпиÑок пользователей, ÑвлÑющихÑÑ Ñ‡Ð»ÐµÐ½Ð°Ð¼Ð¸ Ñтой группы." -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "ÐаÑтройки" @@ -2081,7 +2080,7 @@ msgstr "Ðекорректное Ð¸Ð¼Ñ Ð¸Ð»Ð¸ пароль." msgid "Error setting user. You are probably not authorized." msgstr "Ошибка уÑтановки пользователÑ. Ð’Ñ‹, вероÑтно, не авторизованы." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Вход" @@ -3036,7 +3035,7 @@ msgstr "Извините, неверный приглаÑительный код msgid "Registration successful" msgstr "РегиÑÑ‚Ñ€Ð°Ñ†Ð¸Ñ ÑƒÑпешна!" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "РегиÑтрациÑ" @@ -3942,7 +3941,8 @@ msgstr "Код не введён" msgid "You are not subscribed to that profile." msgstr "Ð’Ñ‹ не подпиÑаны на Ñтот профиль." -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "Ðе удаётÑÑ Ñохранить подпиÑку." @@ -4403,7 +4403,7 @@ msgstr "" msgid "Plugins" msgstr "Плагины" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "ВерÑиÑ" @@ -4464,22 +4464,22 @@ msgstr "Ðе удаётÑÑ Ð¾Ð±Ð½Ð¾Ð²Ð¸Ñ‚ÑŒ Ñообщение Ñ Ð½Ð¾Ð²Ñ‹Ð¼ UR msgid "DB error inserting hashtag: %s" msgstr "Ошибка баз данных при вÑтавке хеш-тегов Ð´Ð»Ñ %s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 msgid "Problem saving notice. Too long." msgstr "Проблемы Ñ Ñохранением запиÑи. Слишком длинно." -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "Проблема при Ñохранении запиÑи. ÐеизвеÑтный пользователь." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Слишком много запиÑей за Ñтоль короткий Ñрок; передохните немного и " "попробуйте вновь через пару минут." -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4487,29 +4487,53 @@ msgstr "" "Слишком много одинаковых запиÑей за Ñтоль короткий Ñрок; передохните немного " "и попробуйте вновь через пару минут." -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "Вам запрещено поÑтитьÑÑ Ð½Ð° Ñтом Ñайте (бан)" -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "Проблемы Ñ Ñохранением запиÑи." -#: classes/Notice.php:790 +#: classes/Notice.php:811 msgid "Problem saving group inbox." msgstr "Проблемы Ñ Ñохранением входÑщих Ñообщений группы." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "Ошибка баз данных при вÑтавке ответа Ð´Ð»Ñ %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "Ð’Ñ‹ заблокированы от подпиÑки." + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "Уже подпиÑаны!" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "Пользователь заблокировал ВаÑ." + +#: classes/Subscription.php:157 +msgid "Not subscribed!" +msgstr "Ðе подпиÑаны!" + +#: classes/Subscription.php:163 +msgid "Couldn't delete self-subscription." +msgstr "Ðевозможно удалить ÑамоподпиÑку." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "Ðе удаётÑÑ ÑƒÐ´Ð°Ð»Ð¸Ñ‚ÑŒ подпиÑку." + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Добро пожаловать на %1$s, @%2$s!" @@ -4559,124 +4583,124 @@ msgstr "%1$s — %2$s" msgid "Untitled page" msgstr "Страница без названиÑ" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Ð“Ð»Ð°Ð²Ð½Ð°Ñ Ð½Ð°Ð²Ð¸Ð³Ð°Ñ†Ð¸Ñ" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "Моё" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Личный профиль и лента друзей" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Изменить ваш email, аватару, пароль, профиль" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "Соединить" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect to services" msgstr "Соединить Ñ ÑервиÑами" -#: lib/action.php:449 +#: lib/action.php:448 msgid "Change site configuration" msgstr "Изменить конфигурацию Ñайта" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "ПриглаÑить" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "ПриглаÑите друзей и коллег Ñтать такими же как вы учаÑтниками %s" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Выход" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Выйти" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "Создать новый аккаунт" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "Войти" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Помощь" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "Помощь" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "ПоиÑк" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "ИÑкать людей или текÑÑ‚" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "ÐÐ¾Ð²Ð°Ñ Ð·Ð°Ð¿Ð¸ÑÑŒ" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "Локальные виды" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "ÐÐ¾Ð²Ð°Ñ Ð·Ð°Ð¿Ð¸ÑÑŒ" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "ÐÐ°Ð²Ð¸Ð³Ð°Ñ†Ð¸Ñ Ð¿Ð¾ подпиÑкам" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "О проекте" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "ЧаВо" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "TOS" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "ПользовательÑкое Ñоглашение" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "ИÑходный код" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "ÐšÐ¾Ð½Ñ‚Ð°ÐºÑ‚Ð½Ð°Ñ Ð¸Ð½Ñ„Ð¾Ñ€Ð¼Ð°Ñ†Ð¸Ñ" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "Бедж" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "StatusNet лицензиÑ" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4685,12 +4709,12 @@ msgstr "" "**%%site.name%%** — Ñто ÑÐµÑ€Ð²Ð¸Ñ Ð¼Ð¸ÐºÑ€Ð¾Ð±Ð»Ð¾Ð³Ð¸Ð½Ð³Ð°, Ñозданный Ð´Ð»Ñ Ð²Ð°Ñ Ð¿Ñ€Ð¸ помощи [%" "%site.broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** — ÑÐµÑ€Ð²Ð¸Ñ Ð¼Ð¸ÐºÑ€Ð¾Ð±Ð»Ð¾Ð³Ð¸Ð½Ð³Ð°. " -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4702,44 +4726,44 @@ msgstr "" "лицензией [GNU Affero General Public License](http://www.fsf.org/licensing/" "licenses/agpl-3.0.html)." -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "Ð›Ð¸Ñ†ÐµÐ½Ð·Ð¸Ñ Ñодержимого Ñайта" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Содержание и данные %1$s ÑвлÑÑŽÑ‚ÑÑ Ð»Ð¸Ñ‡Ð½Ñ‹Ð¼Ð¸ и конфиденциальными." -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "ÐвторÑкие права на Ñодержание и данные принадлежат %1$s. Ð’Ñе права защищены." -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "ÐвторÑкие права на Ñодержание и данные принадлежат разработчикам. Ð’Ñе права " "защищены." -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "All " -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "license." -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "Разбиение на Ñтраницы" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "Сюда" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "Туда" @@ -5041,83 +5065,88 @@ msgstr "Проблемы Ñ Ñохранением запиÑи." msgid "Specify the name of the user to subscribe to" msgstr "Укажите Ð¸Ð¼Ñ Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð´Ð»Ñ Ð¿Ð¾Ð´Ð¿Ð¸Ñки." -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "Ðет такого пользователÑ." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "ПодпиÑано на %s" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "Укажите Ð¸Ð¼Ñ Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð´Ð»Ñ Ð¾Ñ‚Ð¼ÐµÐ½Ñ‹ подпиÑки." -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "ОтпиÑано от %s" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "Команда ещё не выполнена." -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "Оповещение отÑутÑтвует." -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "Ðет оповещениÑ." -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "ЕÑÑ‚ÑŒ оповещение." -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "ЕÑÑ‚ÑŒ оповещение." -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "Команда входа отключена" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "Эта ÑÑылка дейÑтвительна только один раз в течение 2 минут: %s" -#: lib/command.php:668 +#: lib/command.php:681 msgid "You are not subscribed to anyone." msgstr "Ð’Ñ‹ ни на кого не подпиÑаны." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Ð’Ñ‹ подпиÑаны на Ñтих людей:" msgstr[1] "Ð’Ñ‹ подпиÑаны на Ñтих людей:" msgstr[2] "Ð’Ñ‹ подпиÑаны на Ñтих людей:" -#: lib/command.php:690 +#: lib/command.php:703 msgid "No one is subscribed to you." msgstr "Ðикто не подпиÑан на ваÑ." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Эти люди подпиÑалиÑÑŒ на ваÑ:" msgstr[1] "Эти люди подпиÑалиÑÑŒ на ваÑ:" msgstr[2] "Эти люди подпиÑалиÑÑŒ на ваÑ:" -#: lib/command.php:712 +#: lib/command.php:725 msgid "You are not a member of any groups." msgstr "Ð’Ñ‹ не ÑоÑтоите ни в одной группе." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Ð’Ñ‹ ÑвлÑетеÑÑŒ учаÑтником Ñледующих групп:" msgstr[1] "Ð’Ñ‹ ÑвлÑетеÑÑŒ учаÑтником Ñледующих групп:" msgstr[2] "Ð’Ñ‹ ÑвлÑетеÑÑŒ учаÑтником Ñледующих групп:" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5901,10 +5930,6 @@ msgstr "Ошибка вÑтавки удалённого профилÑ" msgid "Duplicate notice" msgstr "Дублировать запиÑÑŒ" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "Ð’Ñ‹ заблокированы от подпиÑки." - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Ðе удаётÑÑ Ð²Ñтавить новую подпиÑку." @@ -6081,34 +6106,6 @@ msgstr "Люди подпиÑанные на %s" msgid "Groups %s is a member of" msgstr "Группы, в которых ÑоÑтоит %s" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "Уже подпиÑаны!" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "Пользователь заблокировал ВаÑ." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "ПодпиÑка неудачна." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "Ðе удаётÑÑ Ð¿Ð¾Ð´Ð¿Ð¸Ñать других на вашу ленту." - -#: lib/subs.php:137 -msgid "Not subscribed!" -msgstr "Ðе подпиÑаны!" - -#: lib/subs.php:142 -msgid "Couldn't delete self-subscription." -msgstr "Ðевозможно удалить ÑамоподпиÑку." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "Ðе удаётÑÑ ÑƒÐ´Ð°Ð»Ð¸Ñ‚ÑŒ подпиÑку." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/statusnet.po b/locale/statusnet.po index 6fbf80065..13b038cbf 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -96,7 +96,6 @@ msgstr "" #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "" @@ -536,7 +535,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "" @@ -909,7 +908,7 @@ msgstr "" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "" @@ -1625,7 +1624,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -1955,7 +1954,7 @@ msgstr "" msgid "Error setting user. You are probably not authorized." msgstr "" -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "" @@ -2873,7 +2872,7 @@ msgstr "" msgid "Registration successful" msgstr "" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "" @@ -3697,7 +3696,8 @@ msgstr "" msgid "You are not subscribed to that profile." msgstr "" -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "" @@ -4119,7 +4119,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "" @@ -4178,48 +4178,72 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:214 +#: classes/Notice.php:215 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "" -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:790 +#: classes/Notice.php:811 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "" + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "" + +#: classes/Subscription.php:157 +msgid "Not subscribed!" +msgstr "" + +#: classes/Subscription.php:163 +msgid "Couldn't delete self-subscription." +msgstr "" + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "" + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" @@ -4269,136 +4293,136 @@ msgstr "" msgid "Untitled page" msgstr "" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect to services" msgstr "" -#: lib/action.php:449 +#: lib/action.php:448 msgid "Change site configuration" msgstr "" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." "broughtby%%](%%site.broughtbyurl%%). " msgstr "" -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4406,41 +4430,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "" -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "" @@ -4734,80 +4758,84 @@ msgstr "" msgid "Specify the name of the user to subscribe to" msgstr "" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +msgid "No such user" +msgstr "" + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "" -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "" -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "" -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "" -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "" -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:668 +#: lib/command.php:681 msgid "You are not subscribed to anyone." msgstr "" -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "" msgstr[1] "" -#: lib/command.php:690 +#: lib/command.php:703 msgid "No one is subscribed to you." msgstr "" -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "" msgstr[1] "" -#: lib/command.php:712 +#: lib/command.php:725 msgid "You are not a member of any groups." msgstr "" -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "" msgstr[1] "" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5459,10 +5487,6 @@ msgstr "" msgid "Duplicate notice" msgstr "" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "" - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "" @@ -5639,34 +5663,6 @@ msgstr "" msgid "Groups %s is a member of" msgstr "" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "" - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "" - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "" - -#: lib/subs.php:137 -msgid "Not subscribed!" -msgstr "" - -#: lib/subs.php:142 -msgid "Couldn't delete self-subscription." -msgstr "" - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "" - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index cc959b8ea..ed733a719 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:57:16+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:03:56+0000\n" "Language-Team: Swedish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: out-statusnet\n" @@ -100,7 +100,6 @@ msgstr "Ingen sÃ¥dan sida" #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "Ingen sÃ¥dan användare." @@ -553,7 +552,7 @@ msgstr "" "möjligheten att %3$s din %4$s kontoinformation. Du bör bara " "ge tillgÃ¥ng till ditt %4$s-konto till tredje-parter du litar pÃ¥." -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Konto" @@ -931,7 +930,7 @@ msgstr "Du är inte ägaren av denna applikation." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "Det var ett problem med din sessions-token." @@ -1674,7 +1673,7 @@ msgstr "%1$s gruppmedlemmar, sida %2$d" msgid "A list of the users in this group." msgstr "En lista av användarna i denna grupp." -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Administratör" @@ -2059,7 +2058,7 @@ msgstr "Felaktigt användarnamn eller lösenord." msgid "Error setting user. You are probably not authorized." msgstr "Fel vid inställning av användare. Du har sannolikt inte tillstÃ¥nd." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Logga in" @@ -3019,7 +3018,7 @@ msgstr "Tyvärr, ogiltig inbjudningskod." msgid "Registration successful" msgstr "Registreringen genomförd" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Registrera" @@ -3918,7 +3917,8 @@ msgstr "Ingen kod ifylld" msgid "You are not subscribed to that profile." msgstr "Du är inte prenumerat hos den profilen." -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "Kunde inte spara prenumeration." @@ -4382,7 +4382,7 @@ msgstr "" msgid "Plugins" msgstr "Insticksmoduler" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "Version" @@ -4443,22 +4443,22 @@ msgstr "Kunde inte uppdatera meddelande med ny URI." msgid "DB error inserting hashtag: %s" msgstr "Databasfel vid infogning av hashtag: %s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 msgid "Problem saving notice. Too long." msgstr "Problem vid sparande av notis. För lÃ¥ngt." -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "Problem vid sparande av notis. Okänd användare." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "För mÃ¥nga notiser för snabbt; ta en vilopaus och posta igen om ett par " "minuter." -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4466,29 +4466,53 @@ msgstr "" "För mÃ¥nga duplicerade meddelanden för snabbt; ta en vilopaus och posta igen " "om ett par minuter." -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "Du är utestängd frÃ¥n att posta notiser pÃ¥ denna webbplats." -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "Problem med att spara notis." -#: classes/Notice.php:790 +#: classes/Notice.php:811 msgid "Problem saving group inbox." msgstr "Problem med att spara gruppinkorg." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "Databasfel vid infogning av svar: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "Du har blivit utestängd frÃ¥n att prenumerera." + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "Redan prenumerant!" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "Användaren har blockerat dig." + +#: classes/Subscription.php:157 +msgid "Not subscribed!" +msgstr "Inte prenumerant!" + +#: classes/Subscription.php:163 +msgid "Couldn't delete self-subscription." +msgstr "Kunde inte ta bort själv-prenumeration." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "Kunde inte ta bort prenumeration." + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Välkommen till %1$s, @%2$s!" @@ -4538,124 +4562,124 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Namnlös sida" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Primär webbplatsnavigation" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "Hem" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "Personlig profil och vänners tidslinje" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Ändra din e-post, avatar, lösenord, profil" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "Anslut" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect to services" msgstr "Anslut till tjänster" -#: lib/action.php:449 +#: lib/action.php:448 msgid "Change site configuration" msgstr "Ändra webbplatskonfiguration" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "Bjud in" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "Bjud in vänner och kollegor att gÃ¥ med dig pÃ¥ %s" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Logga ut" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Logga ut frÃ¥n webbplatsen" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "Skapa ett konto" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "Logga in pÃ¥ webbplatsen" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Hjälp" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "Hjälp mig!" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Sök" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Sök efter personer eller text" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "Webbplatsnotis" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "Lokala vyer" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "Sidnotis" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "Sekundär webbplatsnavigation" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "Om" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "FrÃ¥gor & svar" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "Användarvillkor" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "Sekretess" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "Källa" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "Emblem" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Programvarulicens för StatusNet" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4664,12 +4688,12 @@ msgstr "" "**%%site.name%%** är en mikrobloggtjänst tillhandahÃ¥llen av [%%site.broughtby" "%%](%%site.broughtbyurl%%). " -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** är en mikrobloggtjänst. " -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4680,42 +4704,42 @@ msgstr "" "version %s, tillgänglig under [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "Licens för webbplatsinnehÃ¥ll" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "InnehÃ¥ll och data av %1$s är privat och konfidensiell." -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "InnehÃ¥ll och data copyright av %1$s. Alla rättigheter reserverade." -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "InnehÃ¥ll och data copyright av medarbetare. Alla rättigheter reserverade." -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "Alla " -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "licens." -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "Numrering av sidor" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "Senare" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "Tidigare" @@ -5016,81 +5040,86 @@ msgstr "Fel vid sparande av notis." msgid "Specify the name of the user to subscribe to" msgstr "Ange namnet pÃ¥ användaren att prenumerara pÃ¥" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "Ingen sÃ¥dan användare." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "Prenumerar pÃ¥ %s" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "Ange namnet pÃ¥ användaren att avsluta prenumeration pÃ¥" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "Prenumeration hos %s avslutad" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "Kommando inte implementerat än." -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "Notifikation av." -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "Kan inte sätta pÃ¥ notifikation." -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "Notifikation pÃ¥." -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "Kan inte stänga av notifikation." -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "Inloggningskommando är inaktiverat" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" "Denna länk är endast användbar en gÃ¥ng, och gäller bara i 2 minuter: %s" -#: lib/command.php:668 +#: lib/command.php:681 msgid "You are not subscribed to anyone." msgstr "Du prenumererar inte pÃ¥ nÃ¥gon." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Du prenumererar pÃ¥ denna person:" msgstr[1] "Du prenumererar pÃ¥ dessa personer:" -#: lib/command.php:690 +#: lib/command.php:703 msgid "No one is subscribed to you." msgstr "Ingen prenumerar pÃ¥ dig." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Denna person prenumererar pÃ¥ dig:" msgstr[1] "Dessa personer prenumererar pÃ¥ dig:" -#: lib/command.php:712 +#: lib/command.php:725 msgid "You are not a member of any groups." msgstr "Du är inte medlem i nÃ¥gra grupper." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Du är en medlem i denna grupp:" msgstr[1] "Du är en medlem i dessa grupper:" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5872,10 +5901,6 @@ msgstr "Fel vid infogning av fjärrprofilen" msgid "Duplicate notice" msgstr "Duplicerad notis" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "Du har blivit utestängd frÃ¥n att prenumerera." - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Kunde inte infoga ny prenumeration." @@ -6052,34 +6077,6 @@ msgstr "Personer som prenumererar pÃ¥ %s" msgid "Groups %s is a member of" msgstr "Grupper %s är en medlem i" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "Redan prenumerant!" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "Användaren har blockerat dig." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "Kunde inte prenumerera." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "Kunde inte göra andra till prenumeranter hos dig." - -#: lib/subs.php:137 -msgid "Not subscribed!" -msgstr "Inte prenumerant!" - -#: lib/subs.php:142 -msgid "Couldn't delete self-subscription." -msgstr "Kunde inte ta bort själv-prenumeration." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "Kunde inte ta bort prenumeration." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index fce5e5d69..19debf94d 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:57:19+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:04:04+0000\n" "Language-Team: Telugu\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: out-statusnet\n" @@ -101,7 +101,6 @@ msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ పేజీ లేదà±" #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ వాడà±à°•à°°à°¿ లేరà±." @@ -551,7 +550,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "ఖాతా" @@ -927,7 +926,7 @@ msgstr "మీరౠఈ ఉపకరణం యొకà±à°• యజమాని #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "" @@ -1657,7 +1656,7 @@ msgstr "%1$s à°—à±à°‚పౠసభà±à°¯à±à°²à±, పేజీ %2$d" msgid "A list of the users in this group." msgstr "à°ˆ à°—à±à°‚à°ªà±à°²à±‹ వాడà±à°•à°°à±à°²à± జాబితా." -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -1996,7 +1995,7 @@ msgstr "వాడà±à°•à°°à°¿à°ªà±‡à°°à± లేదా సంకేతపదం msgid "Error setting user. You are probably not authorized." msgstr "" -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "à°ªà±à°°à°µà±‡à°¶à°¿à°‚à°šà°‚à°¡à°¿" @@ -2947,7 +2946,7 @@ msgstr "à°•à±à°·à°®à°¿à°‚à°šà°‚à°¡à°¿, తపà±à°ªà± ఆహà±à°µà°¾à°¨ à°¸ msgid "Registration successful" msgstr "నమోదౠవిజయవంతం" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "నమోదà±" @@ -3802,7 +3801,8 @@ msgstr "" msgid "You are not subscribed to that profile." msgstr "" -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 #, fuzzy msgid "Could not save subscription." msgstr "చందాని సృషà±à°Ÿà°¿à°‚చలేకపోయాం." @@ -4232,7 +4232,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "సంచిక" @@ -4291,51 +4291,77 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:214 +#: classes/Notice.php:215 #, fuzzy msgid "Problem saving notice. Too long." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:218 +#: classes/Notice.php:219 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "à°ˆ సైటà±à°²à±‹ నోటీసà±à°²à± రాయడం à°¨à±à°‚à°¡à°¿ మిమà±à°®à°²à±à°¨à°¿ నిషేధించారà±." -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:790 +#: classes/Notice.php:811 #, fuzzy msgid "Problem saving group inbox." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "చందాచేరడం à°¨à±à°‚à°¡à°¿ మిమà±à°®à°²à±à°¨à°¿ నిషేధించారà±." + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "ఇపà±à°ªà°Ÿà°¿à°•à±‡ చందాచేరారà±!" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "వాడà±à°•à°°à°¿ మిమà±à°®à°²à±à°¨à°¿ నిరోధించారà±." + +#: classes/Subscription.php:157 +#, fuzzy +msgid "Not subscribed!" +msgstr "చందాదారà±à°²à±" + +#: classes/Subscription.php:163 +#, fuzzy +msgid "Couldn't delete self-subscription." +msgstr "చందాని తొలగించలేకపోయాం." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "చందాని తొలగించలేకపోయాం." + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "@%2$s, %1$sà°•à°¿ à°¸à±à°µà°¾à°—తం!" @@ -4386,126 +4412,126 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "à°®à±à°‚గిలి" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "మీ ఈమెయిలà±, అవతారం, సంకేతపదం మరియౠపà±à°°à±Œà°«à±ˆà°³à±à°³à°¨à± మారà±à°šà±à°•à±‹à°‚à°¡à°¿" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "à°…à°¨à±à°¸à°‚ధానించà±" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect to services" msgstr "" -#: lib/action.php:449 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "చందాలà±" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "ఆహà±à°µà°¾à°¨à°¿à°‚à°šà±" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "నిషà±à°•à±à°°à°®à°¿à°‚à°šà±" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "సైటౠనà±à°‚à°¡à°¿ నిషà±à°•à±à°°à°®à°¿à°‚à°šà±" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "కొతà±à°¤ ఖాతా సృషà±à°Ÿà°¿à°‚à°šà±" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "సైటà±à°²à±‹à°¨à°¿ à°ªà±à°°à°µà±‡à°¶à°¿à°‚à°šà±" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "సహాయం" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "సహాయం కావాలి!" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "వెతà±à°•à±" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "సైటౠగమనిక" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "à°¸à±à°¥à°¾à°¨à°¿à°• వీకà±à°·à°£à°²à±" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "పేజీ గమనిక" -#: lib/action.php:728 +#: lib/action.php:727 #, fuzzy msgid "Secondary site navigation" msgstr "చందాలà±" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "à°—à±à°°à°¿à°‚à°šà°¿" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "à°ªà±à°°à°¶à±à°¨à°²à±" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "సేవా నియమాలà±" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "అంతరంగికత" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "మూలమà±" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "సంపà±à°°à°¦à°¿à°‚à°šà±" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "బాడà±à°œà°¿" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "à°¸à±à°Ÿà±‡à°Ÿà°¸à±â€Œà°¨à±†à°Ÿà± మృదూపకరణ లైసెనà±à°¸à±" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4514,12 +4540,12 @@ msgstr "" "**%%site.name%%** అనేది [%%site.broughtby%%](%%site.broughtbyurl%%) వారౠ" "అందిసà±à°¤à±à°¨à±à°¨ మైకà±à°°à±‹ à°¬à±à°²à°¾à°—ింగౠసదà±à°ªà°¾à°¯à°‚. " -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** అనేది మైకà±à°°à±‹ à°¬à±à°²à°¾à°—ింగౠసదà±à°ªà°¾à°¯à°‚." -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4530,42 +4556,42 @@ msgstr "" "html) à°•à°¿à°‚à°¦ లభà±à°¯à°®à°¯à±à°¯à±‡ [à°¸à±à°Ÿà±‡à°Ÿà°¸à±‌నెటà±](http://status.net/) మైకà±à°°à±‹à°¬à±à°²à°¾à°—ింగౠఉపకరణం సంచిక %s " "పై నడà±à°¸à±à°¤à±à°‚ది." -#: lib/action.php:802 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "కొతà±à°¤ సందేశం" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "à°…à°¨à±à°¨à±€ " -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "పేజీకరణ" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "తరà±à°µà°¾à°¤" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "ఇంతకà±à°°à°¿à°¤à°‚" @@ -4875,80 +4901,85 @@ msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొ msgid "Specify the name of the user to subscribe to" msgstr "à°à°µà°°à°¿à°•à°¿ చందా చేరాలనà±à°•à±à°‚à°Ÿà±à°¨à±à°¨à°¾à°°à±‹ à°† వాడà±à°•à°°à°¿ పేరౠతెలియజేయండి" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ వాడà±à°•à°°à°¿ లేరà±." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "%sà°•à°¿ చందా చేరారà±" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "ఎవరి à°¨à±à°‚à°¡à°¿ చందా విరమించాలనà±à°•à±à°‚à°Ÿà±à°¨à±à°¨à°¾à°°à±‹ à°† వాడà±à°•à°°à°¿ పేరౠతెలియజేయండి" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "%s à°¨à±à°‚à°¡à°¿ చందా విరమించారà±" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "" -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "" -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "" -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "" -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "" -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "à°ˆ లంకెని ఒకే సారి ఉపయోగించగలరà±, మరియౠఅది పనిచేసేది 2 నిమిషాలౠమాతà±à°°à°®à±‡: %s" -#: lib/command.php:668 +#: lib/command.php:681 msgid "You are not subscribed to anyone." msgstr "మీరౠఎవరికీ చందాచేరలేదà±." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "%sà°•à°¿ à°¸à±à°ªà°‚దనలà±" msgstr[1] "%sà°•à°¿ à°¸à±à°ªà°‚దనలà±" -#: lib/command.php:690 +#: lib/command.php:703 msgid "No one is subscribed to you." msgstr "మీకౠచందాదారà±à°²à± ఎవరూ లేరà±." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "%sà°•à°¿ à°¸à±à°ªà°‚దనలà±" msgstr[1] "%sà°•à°¿ à°¸à±à°ªà°‚దనలà±" -#: lib/command.php:712 +#: lib/command.php:725 msgid "You are not a member of any groups." msgstr "మీరౠఠగà±à°‚à°ªà±à°²à±‹à°¨à±‚ సభà±à°¯à±à°²à± కాదà±." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "మీరౠఇపà±à°ªà°Ÿà°¿à°•à±‡ లోనికి à°ªà±à°°à°µà±‡à°¶à°¿à°‚చారà±!" msgstr[1] "మీరౠఇపà±à°ªà°Ÿà°¿à°•à±‡ లోనికి à°ªà±à°°à°µà±‡à°¶à°¿à°‚చారà±!" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5635,10 +5666,6 @@ msgstr "దూరపౠపà±à°°à±Šà°ªà±ˆà°²à±à°¨à°¿ చేరà±à°šà°Ÿà°‚à°² msgid "Duplicate notice" msgstr "కొతà±à°¤ సందేశం" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "చందాచేరడం à°¨à±à°‚à°¡à°¿ మిమà±à°®à°²à±à°¨à°¿ నిషేధించారà±." - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "" @@ -5821,36 +5848,6 @@ msgstr "%sà°•à°¿ చందాచేరిన à°µà±à°¯à°•à±à°¤à±à°²à±" msgid "Groups %s is a member of" msgstr "%s సభà±à°¯à±à°²à±à°—à°¾ ఉనà±à°¨ à°—à±à°‚à°ªà±à°²à±" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "ఇపà±à°ªà°Ÿà°¿à°•à±‡ చందాచేరారà±!" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "వాడà±à°•à°°à°¿ మిమà±à°®à°²à±à°¨à°¿ నిరోధించారà±." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "చందా చేరà±à°šà°²à±‡à°•à°ªà±‹à°¯à°¾à°‚." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "" - -#: lib/subs.php:137 -#, fuzzy -msgid "Not subscribed!" -msgstr "చందాదారà±à°²à±" - -#: lib/subs.php:142 -#, fuzzy -msgid "Couldn't delete self-subscription." -msgstr "చందాని తొలగించలేకపోయాం." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "చందాని తొలగించలేకపోయాం." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index d65a14b40..441b4458f 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:57:22+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:04:14+0000\n" "Language-Team: Turkish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: out-statusnet\n" @@ -106,7 +106,6 @@ msgstr "Böyle bir durum mesajı yok." #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "Böyle bir kullanıcı yok." @@ -567,7 +566,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 #, fuzzy msgid "Account" msgstr "Hakkında" @@ -962,7 +961,7 @@ msgstr "Bize o profili yollamadınız" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "" @@ -1728,7 +1727,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -2080,7 +2079,7 @@ msgstr "Yanlış kullanıcı adı veya parola." msgid "Error setting user. You are probably not authorized." msgstr "YetkilendirilmemiÅŸ." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "GiriÅŸ" @@ -3048,7 +3047,7 @@ msgstr "Onay kodu hatası." msgid "Registration successful" msgstr "" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Kayıt" @@ -3905,7 +3904,8 @@ msgstr "" msgid "You are not subscribed to that profile." msgstr "Bize o profili yollamadınız" -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 #, fuzzy msgid "Could not save subscription." msgstr "Abonelik oluÅŸturulamadı." @@ -4350,7 +4350,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "KiÅŸisel" @@ -4413,51 +4413,78 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:214 +#: classes/Notice.php:215 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:218 +#: classes/Notice.php:219 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:790 +#: classes/Notice.php:811 #, fuzzy msgid "Problem saving group inbox." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "Cevap eklenirken veritabanı hatası: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "" + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "" + +#: classes/Subscription.php:74 +#, fuzzy +msgid "User has blocked you." +msgstr "Kullanıcının profili yok." + +#: classes/Subscription.php:157 +#, fuzzy +msgid "Not subscribed!" +msgstr "Bu kullanıcıyı zaten takip etmiyorsunuz!" + +#: classes/Subscription.php:163 +#, fuzzy +msgid "Couldn't delete self-subscription." +msgstr "Abonelik silinemedi." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "Abonelik silinemedi." + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" @@ -4511,131 +4538,131 @@ msgstr "%1$s'in %2$s'deki durum mesajları " msgid "Untitled page" msgstr "" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "BaÅŸlangıç" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "BaÄŸlan" -#: lib/action.php:445 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "Sunucuya yönlendirme yapılamadı: %s" -#: lib/action.php:449 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "Abonelikler" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Çıkış" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "" -#: lib/action.php:464 +#: lib/action.php:463 #, fuzzy msgid "Create an account" msgstr "Yeni hesap oluÅŸtur" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Yardım" -#: lib/action.php:470 +#: lib/action.php:469 #, fuzzy msgid "Help me!" msgstr "Yardım" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Ara" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "" -#: lib/action.php:494 +#: lib/action.php:493 #, fuzzy msgid "Site notice" msgstr "Yeni durum mesajı" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "" -#: lib/action.php:626 +#: lib/action.php:625 #, fuzzy msgid "Page notice" msgstr "Yeni durum mesajı" -#: lib/action.php:728 +#: lib/action.php:727 #, fuzzy msgid "Secondary site navigation" msgstr "Abonelikler" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "Hakkında" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "SSS" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "Gizlilik" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "Kaynak" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Ä°letiÅŸim" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4644,12 +4671,12 @@ msgstr "" "**%%site.name%%** [%%site.broughtby%%](%%site.broughtbyurl%%)\" tarafından " "hazırlanan anında mesajlaÅŸma ağıdır. " -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** bir aninda mesajlaÅŸma sosyal ağıdır." -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4660,43 +4687,43 @@ msgstr "" "licenses/agpl-3.0.html) lisansı ile korunan [StatusNet](http://status.net/) " "microbloglama yazılımının %s. versiyonunu kullanmaktadır." -#: lib/action.php:802 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "Yeni durum mesajı" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "" -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "" -#: lib/action.php:1142 +#: lib/action.php:1141 #, fuzzy msgid "After" msgstr "« Sonra" -#: lib/action.php:1150 +#: lib/action.php:1149 #, fuzzy msgid "Before" msgstr "Önce »" @@ -5013,80 +5040,85 @@ msgstr "Durum mesajını kaydederken hata oluÅŸtu." msgid "Specify the name of the user to subscribe to" msgstr "" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "Böyle bir kullanıcı yok." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "" -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "" -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "" -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "" -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "" -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:668 +#: lib/command.php:681 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Bize o profili yollamadınız" -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Bize o profili yollamadınız" -#: lib/command.php:690 +#: lib/command.php:703 #, fuzzy msgid "No one is subscribed to you." msgstr "Uzaktan abonelik" -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Uzaktan abonelik" -#: lib/command.php:712 +#: lib/command.php:725 #, fuzzy msgid "You are not a member of any groups." msgstr "Bize o profili yollamadınız" -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Bize o profili yollamadınız" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5772,10 +5804,6 @@ msgstr "Uzak profil eklemede hata oluÅŸtu" msgid "Duplicate notice" msgstr "Yeni durum mesajı" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "" - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Yeni abonelik eklenemedi." @@ -5962,37 +5990,6 @@ msgstr "Uzaktan abonelik" msgid "Groups %s is a member of" msgstr "" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "" - -#: lib/subs.php:56 -#, fuzzy -msgid "User has blocked you." -msgstr "Kullanıcının profili yok." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "" - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "" - -#: lib/subs.php:137 -#, fuzzy -msgid "Not subscribed!" -msgstr "Bu kullanıcıyı zaten takip etmiyorsunuz!" - -#: lib/subs.php:142 -#, fuzzy -msgid "Couldn't delete self-subscription." -msgstr "Abonelik silinemedi." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "Abonelik silinemedi." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index 9899d51db..3efac8de1 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:57:25+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:04:18+0000\n" "Language-Team: Ukrainian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: out-statusnet\n" @@ -103,7 +103,6 @@ msgstr "Ðемає такої Ñторінки" #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "Такого кориÑтувача немає." @@ -562,7 +561,7 @@ msgstr "" "на доÑтуп до Вашого акаунту %4$s лише тим Ñтороннім додаткам, Ñким Ви " "довірÑєте." -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "Ðкаунт" @@ -940,7 +939,7 @@ msgstr "Ви не Ñ” влаÑником цього додатку." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "Виникли певні проблеми з токеном поточної ÑеÑÑ–Ñ—." @@ -1679,7 +1678,7 @@ msgstr "УчаÑники групи %1$s, Ñторінка %2$d" msgid "A list of the users in this group." msgstr "СпиÑок учаÑників цієї групи." -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Ðдмін" @@ -2066,7 +2065,7 @@ msgstr "Ðеточне Ñ–Ð¼â€™Ñ Ð°Ð±Ð¾ пароль." msgid "Error setting user. You are probably not authorized." msgstr "Помилка. Можливо, Ви не авторизовані." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Увійти" @@ -3030,7 +3029,7 @@ msgstr "Даруйте, помилка у коді запрошеннÑ." msgid "Registration successful" msgstr "РеєÑÑ‚Ñ€Ð°Ñ†Ñ–Ñ ÑƒÑпішна" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "РеєÑтраціÑ" @@ -3928,7 +3927,8 @@ msgstr "Код не введено" msgid "You are not subscribed to that profile." msgstr "Ви не підпиÑані до цього профілю." -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 msgid "Could not save subscription." msgstr "Ðе вдалоÑÑ Ð·Ð±ÐµÑ€ÐµÐ³Ñ‚Ð¸ підпиÑку." @@ -4389,7 +4389,7 @@ msgstr "" msgid "Plugins" msgstr "Додатки" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 msgid "Version" msgstr "ВерÑÑ–Ñ" @@ -4450,22 +4450,22 @@ msgstr "Ðе можна оновити Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ð· новим UR msgid "DB error inserting hashtag: %s" msgstr "Помилка бази даних при додаванні теґу: %s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 msgid "Problem saving notice. Too long." msgstr "Проблема при збереженні допиÑу. Ðадто довге." -#: classes/Notice.php:218 +#: classes/Notice.php:219 msgid "Problem saving notice. Unknown user." msgstr "Проблема при збереженні допиÑу. Ðевідомий кориÑтувач." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Дуже багато допиÑів за короткий термін; ходіть подихайте повітрÑм Ñ– " "повертайтеÑÑŒ за кілька хвилин." -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4473,29 +4473,53 @@ msgstr "" "Дуже багато повідомлень за короткий термін; ходіть подихайте повітрÑм Ñ– " "повертайтеÑÑŒ за кілька хвилин." -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "Вам заборонено надÑилати допиÑи до цього Ñайту." -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "Проблема при збереженні допиÑу." -#: classes/Notice.php:790 +#: classes/Notice.php:811 msgid "Problem saving group inbox." msgstr "Проблема при збереженні вхідних допиÑів Ð´Ð»Ñ Ð³Ñ€ÑƒÐ¿Ð¸." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "Помилка бази даних при додаванні відповіді: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "Ð’Ð°Ñ Ð¿Ð¾Ð·Ð±Ð°Ð²Ð»ÐµÐ½Ð¾ можливоÑÑ‚Ñ– підпиÑатиÑÑŒ." + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "Вже підпиÑаний!" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "КориÑтувач заблокував ВаÑ." + +#: classes/Subscription.php:157 +msgid "Not subscribed!" +msgstr "Ðе підпиÑано!" + +#: classes/Subscription.php:163 +msgid "Couldn't delete self-subscription." +msgstr "Ðе можу видалити ÑамопідпиÑку." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "Ðе вдалоÑÑ Ð²Ð¸Ð´Ð°Ð»Ð¸Ñ‚Ð¸ підпиÑку." + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Вітаємо на %1$s, @%2$s!" @@ -4545,124 +4569,124 @@ msgstr "%1$s — %2$s" msgid "Untitled page" msgstr "Сторінка без заголовку" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "Відправна Ð½Ð°Ð²Ñ–Ð³Ð°Ñ†Ñ–Ñ Ð¿Ð¾ Ñайту" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "Дім" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "ПерÑональний профіль Ñ– Ñтрічка друзів" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "Змінити електронну адреÑу, аватару, пароль, профіль" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "З’єднаннÑ" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect to services" msgstr "Ð—â€™Ñ”Ð´Ð½Ð°Ð½Ð½Ñ Ð· ÑервіÑами" -#: lib/action.php:449 +#: lib/action.php:448 msgid "Change site configuration" msgstr "Змінити конфігурацію Ñайту" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "ЗапроÑити" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "ЗапроÑÑ–Ñ‚ÑŒ друзів та колег приєднатиÑÑŒ до Ð’Ð°Ñ Ð½Ð° %s" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Вийти" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "Вийти з Ñайту" -#: lib/action.php:464 +#: lib/action.php:463 msgid "Create an account" msgstr "Створити новий акаунт" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "Увійти на Ñайт" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "Допомога" -#: lib/action.php:470 +#: lib/action.php:469 msgid "Help me!" msgstr "Допоможіть!" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Пошук" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "Пошук людей або текÑтів" -#: lib/action.php:494 +#: lib/action.php:493 msgid "Site notice" msgstr "Ð—Ð°ÑƒÐ²Ð°Ð¶ÐµÐ½Ð½Ñ Ñайту" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "ОглÑд" -#: lib/action.php:626 +#: lib/action.php:625 msgid "Page notice" msgstr "Ð—Ð°ÑƒÐ²Ð°Ð¶ÐµÐ½Ð½Ñ Ñторінки" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "ДругорÑдна Ð½Ð°Ð²Ñ–Ð³Ð°Ñ†Ñ–Ñ Ð¿Ð¾ Ñайту" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "Про" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "ЧаПи" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "Умови" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "КонфіденційніÑÑ‚ÑŒ" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "Джерело" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Контакт" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "Бедж" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "Ð›Ñ–Ñ†ÐµÐ½Ð·Ñ–Ñ Ð¿Ñ€Ð¾Ð³Ñ€Ð°Ð¼Ð½Ð¾Ð³Ð¾ Ð·Ð°Ð±ÐµÐ·Ð¿ÐµÑ‡ÐµÐ½Ð½Ñ StatusNet" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4671,12 +4695,12 @@ msgstr "" "**%%site.name%%** — це ÑÐµÑ€Ð²Ñ–Ñ Ð¼Ñ–ÐºÑ€Ð¾Ð±Ð»Ð¾Ò‘Ñ–Ð² наданий вам [%%site.broughtby%%](%%" "site.broughtbyurl%%). " -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** — це ÑÐµÑ€Ð²Ñ–Ñ Ð¼Ñ–ÐºÑ€Ð¾Ð±Ð»Ð¾Ò‘Ñ–Ð². " -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4687,42 +4711,42 @@ msgstr "" "Ð´Ð»Ñ Ð¼Ñ–ÐºÑ€Ð¾Ð±Ð»Ð¾Ò‘Ñ–Ð², верÑÑ–Ñ %s, доÑтупному під [GNU Affero General Public " "License](http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:802 +#: lib/action.php:801 msgid "Site content license" msgstr "Ð›Ñ–Ñ†ÐµÐ½Ð·Ñ–Ñ Ð·Ð¼Ñ–Ñту Ñайту" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "ЗміÑÑ‚ Ñ– дані %1$s Ñ” приватними Ñ– конфіденційними." -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "ÐвторÑькі права на зміÑÑ‚ Ñ– дані належать %1$s. Ð’ÑÑ– права захищено." -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "ÐвторÑькі права на зміÑÑ‚ Ñ– дані належать розробникам. Ð’ÑÑ– права захищено." -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "Ð’ÑÑ– " -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "ліцензіÑ." -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "ÐÑƒÐ¼ÐµÑ€Ð°Ñ†Ñ–Ñ Ñторінок" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "Вперед" -#: lib/action.php:1150 +#: lib/action.php:1149 msgid "Before" msgstr "Ðазад" @@ -5023,84 +5047,89 @@ msgstr "Проблема при збереженні допиÑу." msgid "Specify the name of the user to subscribe to" msgstr "Зазначте Ñ–Ð¼â€™Ñ ÐºÐ¾Ñ€Ð¸Ñтувача, до Ñкого бажаєте підпиÑатиÑÑŒ" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "Такого кориÑтувача немає." + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "ПідпиÑано до %s" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "Зазначте Ñ–Ð¼â€™Ñ ÐºÐ¾Ñ€Ð¸Ñтувача, від Ñкого бажаєте відпиÑатиÑÑŒ" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "ВідпиÑано від %s" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "Ð’Ð¸ÐºÐ¾Ð½Ð°Ð½Ð½Ñ ÐºÐ¾Ð¼Ð°Ð½Ð´Ð¸ ще не завершено." -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "Ð¡Ð¿Ð¾Ð²Ñ–Ñ‰ÐµÐ½Ð½Ñ Ð²Ð¸Ð¼ÐºÐ½ÑƒÑ‚Ð¾." -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "Ðе можна вимкнути ÑповіщеннÑ." -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "Ð¡Ð¿Ð¾Ð²Ñ–Ñ‰ÐµÐ½Ð½Ñ ÑƒÐ²Ñ–Ð¼ÐºÐ½ÑƒÑ‚Ð¾." -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "Ðе можна увімкнути ÑповіщеннÑ." -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "Команду входу відключено" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" "Це поÑÐ¸Ð»Ð°Ð½Ð½Ñ Ð¼Ð¾Ð¶Ð½Ð° викориÑтати лише раз, воно дійÑне протÑгом 2 хвилин: %s" -#: lib/command.php:668 +#: lib/command.php:681 msgid "You are not subscribed to anyone." msgstr "Ви не маєте жодних підпиÑок." -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Ви підпиÑані до цієї оÑоби:" msgstr[1] "Ви підпиÑані до цих людей:" msgstr[2] "Ви підпиÑані до цих людей:" -#: lib/command.php:690 +#: lib/command.php:703 msgid "No one is subscribed to you." msgstr "До Ð’Ð°Ñ Ð½Ñ–Ñ…Ñ‚Ð¾ не підпиÑаний." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Ð¦Ñ Ð¾Ñоба Ñ” підпиÑаною до ВаÑ:" msgstr[1] "Ці люди підпиÑані до ВаÑ:" msgstr[2] "Ці люди підпиÑані до ВаÑ:" -#: lib/command.php:712 +#: lib/command.php:725 msgid "You are not a member of any groups." msgstr "Ви не Ñ” учаÑником жодної групи." -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Ви Ñ” учаÑником групи:" msgstr[1] "Ви Ñ” учаÑником таких груп:" msgstr[2] "Ви Ñ” учаÑником таких груп:" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5881,10 +5910,6 @@ msgstr "Помилка при додаванні віддаленого проф msgid "Duplicate notice" msgstr "Дублікат допиÑу" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "Ð’Ð°Ñ Ð¿Ð¾Ð·Ð±Ð°Ð²Ð»ÐµÐ½Ð¾ можливоÑÑ‚Ñ– підпиÑатиÑÑŒ." - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Ðе вдалоÑÑ Ð´Ð¾Ð´Ð°Ñ‚Ð¸ нову підпиÑку." @@ -6061,34 +6086,6 @@ msgstr "Люди підпиÑані до %s" msgid "Groups %s is a member of" msgstr "%s бере учаÑÑ‚ÑŒ в цих групах" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "Вже підпиÑаний!" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "КориÑтувач заблокував ВаÑ." - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "Ðевдала підпиÑка." - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "Ðе вдалоÑÑ Ð¿Ñ–Ð´Ð¿Ð¸Ñати інших до ВаÑ." - -#: lib/subs.php:137 -msgid "Not subscribed!" -msgstr "Ðе підпиÑано!" - -#: lib/subs.php:142 -msgid "Couldn't delete self-subscription." -msgstr "Ðе можу видалити ÑамопідпиÑку." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "Ðе вдалоÑÑ Ð²Ð¸Ð´Ð°Ð»Ð¸Ñ‚Ð¸ підпиÑку." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/vi/LC_MESSAGES/statusnet.po b/locale/vi/LC_MESSAGES/statusnet.po index dcfb3d767..34e7f4123 100644 --- a/locale/vi/LC_MESSAGES/statusnet.po +++ b/locale/vi/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:57:29+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:04:21+0000\n" "Language-Team: Vietnamese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: vi\n" "X-Message-Group: out-statusnet\n" @@ -105,7 +105,6 @@ msgstr "Không có tin nhắn nào." #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "Không có user nào." @@ -569,7 +568,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 #, fuzzy msgid "Account" msgstr "Giá»›i thiệu" @@ -966,7 +965,7 @@ msgstr "Bạn chÆ°a cập nhật thông tin riêng" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 #, fuzzy msgid "There was a problem with your session token." msgstr "Có lá»—i xảy ra khi thao tác. Hãy thá»­ lại lần nữa." @@ -1771,7 +1770,7 @@ msgstr "Thành viên" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -2161,7 +2160,7 @@ msgstr "Sai tên đăng nhập hoặc mật khẩu." msgid "Error setting user. You are probably not authorized." msgstr "ChÆ°a được phép." -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "Äăng nhập" @@ -3148,7 +3147,7 @@ msgstr "Lá»—i xảy ra vá»›i mã xác nhận." msgid "Registration successful" msgstr "Äăng ký thành công" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "Äăng ký" @@ -4044,7 +4043,8 @@ msgstr "Không có mã nào được nhập" msgid "You are not subscribed to that profile." msgstr "Bạn chÆ°a cập nhật thông tin riêng" -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 #, fuzzy msgid "Could not save subscription." msgstr "Không thể tạo đăng nhận." @@ -4499,7 +4499,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "Cá nhân" @@ -4565,51 +4565,78 @@ msgstr "Không thể cập nhật thông tin user vá»›i địa chỉ email đã msgid "DB error inserting hashtag: %s" msgstr "Lá»—i cÆ¡ sở dữ liệu khi chèn trả lá»i: %s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:218 +#: classes/Notice.php:219 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:790 +#: classes/Notice.php:811 #, fuzzy msgid "Problem saving group inbox." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "Lá»—i cÆ¡ sở dữ liệu khi chèn trả lá»i: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%s (%s)" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "" + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "" + +#: classes/Subscription.php:74 +#, fuzzy +msgid "User has blocked you." +msgstr "NgÆ°á»i dùng không có thông tin." + +#: classes/Subscription.php:157 +#, fuzzy +msgid "Not subscribed!" +msgstr "ChÆ°a đăng nhận!" + +#: classes/Subscription.php:163 +#, fuzzy +msgid "Couldn't delete self-subscription." +msgstr "Không thể xóa đăng nhận." + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "Không thể xóa đăng nhận." + +#: classes/User.php:372 #, fuzzy, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "%s chào mừng bạn " @@ -4664,135 +4691,135 @@ msgstr "%s (%s)" msgid "Untitled page" msgstr "" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "Trang chủ" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:441 #, fuzzy msgid "Change your email, avatar, password, profile" msgstr "Thay đổi mật khẩu của bạn" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "Kết nối" -#: lib/action.php:445 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "Không thể chuyển đến máy chủ: %s" -#: lib/action.php:449 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "Tôi theo" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "ThÆ° má»i" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, fuzzy, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" "Äiá»n địa chỉ email và ná»™i dung tin nhắn để gá»­i thÆ° má»i bạn bè và đồng nghiệp " "của bạn tham gia vào dịch vụ này." -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "Thoát" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "" -#: lib/action.php:464 +#: lib/action.php:463 #, fuzzy msgid "Create an account" msgstr "Tạo tài khoản má»›i" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "HÆ°á»›ng dẫn" -#: lib/action.php:470 +#: lib/action.php:469 #, fuzzy msgid "Help me!" msgstr "HÆ°á»›ng dẫn" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "Tìm kiếm" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "" -#: lib/action.php:494 +#: lib/action.php:493 #, fuzzy msgid "Site notice" msgstr "Thông báo má»›i" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "" -#: lib/action.php:626 +#: lib/action.php:625 #, fuzzy msgid "Page notice" msgstr "Thông báo má»›i" -#: lib/action.php:728 +#: lib/action.php:727 #, fuzzy msgid "Secondary site navigation" msgstr "Tôi theo" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "Giá»›i thiệu" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "Riêng tÆ°" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "Nguồn" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "Liên hệ" -#: lib/action.php:752 +#: lib/action.php:751 #, fuzzy msgid "Badge" msgstr "Tin đã gá»­i" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4801,12 +4828,12 @@ msgstr "" "**%%site.name%%** là dịch vụ gá»­i tin nhắn được cung cấp từ [%%site.broughtby%" "%](%%site.broughtbyurl%%). " -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** là dịch vụ gá»­i tin nhắn. " -#: lib/action.php:787 +#: lib/action.php:786 #, fuzzy, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4817,43 +4844,43 @@ msgstr "" "quyá»n [GNU Affero General Public License](http://www.fsf.org/licensing/" "licenses/agpl-3.0.html)." -#: lib/action.php:802 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "Tìm theo ná»™i dung của tin nhắn" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "" -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "" -#: lib/action.php:1142 +#: lib/action.php:1141 #, fuzzy msgid "After" msgstr "Sau" -#: lib/action.php:1150 +#: lib/action.php:1149 #, fuzzy msgid "Before" msgstr "TrÆ°á»›c" @@ -5176,82 +5203,87 @@ msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." msgid "Specify the name of the user to subscribe to" msgstr "" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "Không có user nào." + +#: lib/command.php:561 #, fuzzy, php-format msgid "Subscribed to %s" msgstr "Theo nhóm này" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "" -#: lib/command.php:582 +#: lib/command.php:595 #, fuzzy, php-format msgid "Unsubscribed from %s" msgstr "Hết theo" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "" -#: lib/command.php:603 +#: lib/command.php:616 #, fuzzy msgid "Notification off." msgstr "Không có mã số xác nhận." -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "" -#: lib/command.php:626 +#: lib/command.php:639 #, fuzzy msgid "Notification on." msgstr "Không có mã số xác nhận." -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "" -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:668 +#: lib/command.php:681 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Bạn chÆ°a cập nhật thông tin riêng" -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Bạn đã theo những ngÆ°á»i này:" -#: lib/command.php:690 +#: lib/command.php:703 #, fuzzy msgid "No one is subscribed to you." msgstr "Không thể tạo favorite." -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Không thể tạo favorite." -#: lib/command.php:712 +#: lib/command.php:725 #, fuzzy msgid "You are not a member of any groups." msgstr "Bạn chÆ°a cập nhật thông tin riêng" -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Bạn chÆ°a cập nhật thông tin riêng" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -6001,10 +6033,6 @@ msgstr "Lá»—i xảy ra khi thêm má»›i hồ sÆ¡ cá nhân" msgid "Duplicate notice" msgstr "Xóa tin nhắn" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "" - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "Không thể chèn thêm vào đăng nhận." @@ -6197,39 +6225,6 @@ msgstr "Theo nhóm này" msgid "Groups %s is a member of" msgstr "" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "" - -#: lib/subs.php:56 -#, fuzzy -msgid "User has blocked you." -msgstr "NgÆ°á»i dùng không có thông tin." - -#: lib/subs.php:63 -#, fuzzy -msgid "Could not subscribe." -msgstr "ChÆ°a đăng nhận!" - -#: lib/subs.php:82 -#, fuzzy -msgid "Could not subscribe other to you." -msgstr "Không thể tạo favorite." - -#: lib/subs.php:137 -#, fuzzy -msgid "Not subscribed!" -msgstr "ChÆ°a đăng nhận!" - -#: lib/subs.php:142 -#, fuzzy -msgid "Couldn't delete self-subscription." -msgstr "Không thể xóa đăng nhận." - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "Không thể xóa đăng nhận." - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index 038dd6498..838ed646d 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:57:32+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:04:24+0000\n" "Language-Team: Simplified Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: out-statusnet\n" @@ -107,7 +107,6 @@ msgstr "没有该页é¢" #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "没有这个用户。" @@ -567,7 +566,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" msgstr "å¸å·" @@ -962,7 +961,7 @@ msgstr "您未告知此个人信æ¯" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 #, fuzzy msgid "There was a problem with your session token." msgstr "会è¯æ ‡è¯†æœ‰é—®é¢˜ï¼Œè¯·é‡è¯•ã€‚" @@ -1748,7 +1747,7 @@ msgstr "%s 组æˆå‘˜, 第 %d 页" msgid "A list of the users in this group." msgstr "该组æˆå‘˜åˆ—表。" -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "admin管ç†å‘˜" @@ -2119,7 +2118,7 @@ msgstr "用户å或密ç ä¸æ­£ç¡®ã€‚" msgid "Error setting user. You are probably not authorized." msgstr "未认è¯ã€‚" -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "登录" @@ -3086,7 +3085,7 @@ msgstr "验è¯ç å‡ºé”™ã€‚" msgid "Registration successful" msgstr "注册æˆåŠŸã€‚" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "注册" @@ -3973,7 +3972,8 @@ msgstr "没有输入验è¯ç " msgid "You are not subscribed to that profile." msgstr "您未告知此个人信æ¯" -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 #, fuzzy msgid "Could not save subscription." msgstr "无法删除订阅。" @@ -4426,7 +4426,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "个人" @@ -4490,52 +4490,80 @@ msgstr "无法添加新URIçš„ä¿¡æ¯ã€‚" msgid "DB error inserting hashtag: %s" msgstr "添加标签时数æ®åº“出错:%s" -#: classes/Notice.php:214 +#: classes/Notice.php:215 #, fuzzy msgid "Problem saving notice. Too long." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:218 +#: classes/Notice.php:219 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "你在短时间里å‘布了过多的消æ¯ï¼Œè¯·æ·±å‘¼å¸ï¼Œè¿‡å‡ åˆ†é’Ÿå†å‘消æ¯ã€‚" -#: classes/Notice.php:229 +#: classes/Notice.php:230 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "你在短时间里å‘布了过多的消æ¯ï¼Œè¯·æ·±å‘¼å¸ï¼Œè¿‡å‡ åˆ†é’Ÿå†å‘消æ¯ã€‚" -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "在这个网站你被ç¦æ­¢å‘布消æ¯ã€‚" -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:790 +#: classes/Notice.php:811 #, fuzzy msgid "Problem saving group inbox." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "添加回å¤æ—¶æ•°æ®åº“出错:%s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +#, fuzzy +msgid "You have been banned from subscribing." +msgstr "那个用户阻止了你的订阅。" + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "" + +#: classes/Subscription.php:74 +#, fuzzy +msgid "User has blocked you." +msgstr "用户没有个人信æ¯ã€‚" + +#: classes/Subscription.php:157 +#, fuzzy +msgid "Not subscribed!" +msgstr "未订阅ï¼" + +#: classes/Subscription.php:163 +#, fuzzy +msgid "Couldn't delete self-subscription." +msgstr "无法删除订阅。" + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "无法删除订阅。" + +#: classes/User.php:372 #, fuzzy, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "å‘é€ç»™ %1$s çš„ %2$s 消æ¯" @@ -4587,133 +4615,133 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "无标题页" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "主站导航" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "主页" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "个人资料åŠæœ‹å‹å¹´è¡¨" -#: lib/action.php:442 +#: lib/action.php:441 #, fuzzy msgid "Change your email, avatar, password, profile" msgstr "修改资料" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "连接" -#: lib/action.php:445 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "无法é‡å®šå‘到æœåŠ¡å™¨ï¼š%s" -#: lib/action.php:449 +#: lib/action.php:448 #, fuzzy msgid "Change site configuration" msgstr "主站导航" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "邀请" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, fuzzy, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "使用这个表å•æ¥é‚€è¯·å¥½å‹å’ŒåŒäº‹åŠ å…¥ã€‚" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "登出" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "登出本站" -#: lib/action.php:464 +#: lib/action.php:463 #, fuzzy msgid "Create an account" msgstr "创建新å¸å·" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "登入本站" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "帮助" -#: lib/action.php:470 +#: lib/action.php:469 #, fuzzy msgid "Help me!" msgstr "帮助" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "æœç´¢" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "检索人或文字" -#: lib/action.php:494 +#: lib/action.php:493 #, fuzzy msgid "Site notice" msgstr "新通告" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "本地显示" -#: lib/action.php:626 +#: lib/action.php:625 #, fuzzy msgid "Page notice" msgstr "新通告" -#: lib/action.php:728 +#: lib/action.php:727 #, fuzzy msgid "Secondary site navigation" msgstr "次项站导航" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "关于" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "常è§é—®é¢˜FAQ" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "éšç§" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "æ¥æº" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "è”系人" -#: lib/action.php:752 +#: lib/action.php:751 #, fuzzy msgid "Badge" msgstr "呼å«" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "StatusNet软件注册è¯" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4722,12 +4750,12 @@ msgstr "" "**%%site.name%%** 是一个微åšå®¢æœåŠ¡ï¼Œæ供者为 [%%site.broughtby%%](%%site." "broughtbyurl%%)。" -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** 是一个微åšå®¢æœåŠ¡ã€‚" -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4738,43 +4766,43 @@ msgstr "" "General Public License](http://www.fsf.org/licensing/licenses/agpl-3.0.html)" "授æƒã€‚" -#: lib/action.php:802 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "StatusNet软件注册è¯" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "全部" -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "注册è¯" -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "分页" -#: lib/action.php:1142 +#: lib/action.php:1141 #, fuzzy msgid "After" msgstr "« 之åŽ" -#: lib/action.php:1150 +#: lib/action.php:1149 #, fuzzy msgid "Before" msgstr "ä¹‹å‰ Â»" @@ -5093,80 +5121,85 @@ msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" msgid "Specify the name of the user to subscribe to" msgstr "指定è¦è®¢é˜…的用户å" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "没有这个用户。" + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "订阅 %s" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "指定è¦å–消订阅的用户å" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "å–消订阅 %s" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "命令尚未实现。" -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "通告关闭。" -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "无法关闭通告。" -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "通告开å¯ã€‚" -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "无法开å¯é€šå‘Šã€‚" -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:668 +#: lib/command.php:681 #, fuzzy msgid "You are not subscribed to anyone." msgstr "您未告知此个人信æ¯" -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "您已订阅这些用户:" -#: lib/command.php:690 +#: lib/command.php:703 #, fuzzy msgid "No one is subscribed to you." msgstr "无法订阅他人更新。" -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "无法订阅他人更新。" -#: lib/command.php:712 +#: lib/command.php:725 #, fuzzy msgid "You are not a member of any groups." msgstr "您未告知此个人信æ¯" -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "您未告知此个人信æ¯" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5867,11 +5900,6 @@ msgstr "添加远程的个人信æ¯å‡ºé”™" msgid "Duplicate notice" msgstr "删除通告" -#: lib/oauthstore.php:465 lib/subs.php:48 -#, fuzzy -msgid "You have been banned from subscribing." -msgstr "那个用户阻止了你的订阅。" - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "无法添加新的订阅。" @@ -6063,37 +6091,6 @@ msgstr "订阅 %s" msgid "Groups %s is a member of" msgstr "%s 组是æˆå‘˜ç»„æˆäº†" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "" - -#: lib/subs.php:56 -#, fuzzy -msgid "User has blocked you." -msgstr "用户没有个人信æ¯ã€‚" - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "无法订阅。" - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "无法订阅他人更新。" - -#: lib/subs.php:137 -#, fuzzy -msgid "Not subscribed!" -msgstr "未订阅ï¼" - -#: lib/subs.php:142 -#, fuzzy -msgid "Couldn't delete self-subscription." -msgstr "无法删除订阅。" - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "无法删除订阅。" - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" diff --git a/locale/zh_TW/LC_MESSAGES/statusnet.po b/locale/zh_TW/LC_MESSAGES/statusnet.po index e6996e152..be69293d2 100644 --- a/locale/zh_TW/LC_MESSAGES/statusnet.po +++ b/locale/zh_TW/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-18 22:55+0000\n" -"PO-Revision-Date: 2010-02-18 22:57:35+0000\n" +"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"PO-Revision-Date: 2010-02-21 23:04:27+0000\n" "Language-Team: Traditional Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62678); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hant\n" "X-Message-Group: out-statusnet\n" @@ -103,7 +103,6 @@ msgstr "無此通知" #: lib/command.php:163 lib/command.php:302 lib/command.php:355 #: lib/command.php:401 lib/command.php:462 lib/command.php:518 #: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 -#: lib/subs.php:34 lib/subs.php:125 msgid "No such user." msgstr "無此使用者" @@ -559,7 +558,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:442 +#: actions/apioauthauthorize.php:310 lib/action.php:441 #, fuzzy msgid "Account" msgstr "關於" @@ -952,7 +951,7 @@ msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1198 +#: lib/action.php:1197 msgid "There was a problem with your session token." msgstr "" @@ -1710,7 +1709,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:449 lib/groupnav.php:107 +#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -2048,7 +2047,7 @@ msgstr "使用者å稱或密碼錯誤" msgid "Error setting user. You are probably not authorized." msgstr "" -#: actions/login.php:188 actions/login.php:241 lib/action.php:467 +#: actions/login.php:188 actions/login.php:241 lib/action.php:466 #: lib/logingroupnav.php:79 msgid "Login" msgstr "登入" @@ -2989,7 +2988,7 @@ msgstr "確èªç¢¼ç™¼ç”ŸéŒ¯èª¤" msgid "Registration successful" msgstr "" -#: actions/register.php:114 actions/register.php:503 lib/action.php:464 +#: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" msgstr "" @@ -3836,7 +3835,8 @@ msgstr "" msgid "You are not subscribed to that profile." msgstr "" -#: actions/subedit.php:83 +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 #, fuzzy msgid "Could not save subscription." msgstr "註冊失敗" @@ -4272,7 +4272,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:748 +#: actions/version.php:196 lib/action.php:747 #, fuzzy msgid "Version" msgstr "地點" @@ -4335,51 +4335,77 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:214 +#: classes/Notice.php:215 #, fuzzy msgid "Problem saving notice. Too long." msgstr "儲存使用者發生錯誤" -#: classes/Notice.php:218 +#: classes/Notice.php:219 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "儲存使用者發生錯誤" -#: classes/Notice.php:223 +#: classes/Notice.php:224 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:229 +#: classes/Notice.php:230 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:235 +#: classes/Notice.php:236 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:294 classes/Notice.php:320 +#: classes/Notice.php:302 classes/Notice.php:328 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:790 +#: classes/Notice.php:811 #, fuzzy msgid "Problem saving group inbox." msgstr "儲存使用者發生錯誤" -#: classes/Notice.php:850 +#: classes/Notice.php:871 #, php-format msgid "DB error inserting reply: %s" msgstr "增加回覆時,資料庫發生錯誤: %s" -#: classes/Notice.php:1274 +#: classes/Notice.php:1328 #, php-format msgid "RT @%1$s %2$s" msgstr "" -#: classes/User.php:385 +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "" + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "" + +#: classes/Subscription.php:157 +#, fuzzy +msgid "Not subscribed!" +msgstr "此帳號已註冊" + +#: classes/Subscription.php:163 +#, fuzzy +msgid "Couldn't delete self-subscription." +msgstr "無法刪除帳號" + +#: classes/Subscription.php:179 +msgid "Couldn't delete subscription." +msgstr "無法刪除帳號" + +#: classes/User.php:372 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" @@ -4433,129 +4459,129 @@ msgstr "%1$s的狀態是%2$s" msgid "Untitled page" msgstr "" -#: lib/action.php:434 +#: lib/action.php:433 msgid "Primary site navigation" msgstr "" -#: lib/action.php:440 +#: lib/action.php:439 msgid "Home" msgstr "主é " -#: lib/action.php:440 +#: lib/action.php:439 msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:441 msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:445 +#: lib/action.php:444 msgid "Connect" msgstr "連çµ" -#: lib/action.php:445 +#: lib/action.php:444 #, fuzzy msgid "Connect to services" msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" -#: lib/action.php:449 +#: lib/action.php:448 msgid "Change site configuration" msgstr "" -#: lib/action.php:453 lib/subgroupnav.php:105 +#: lib/action.php:452 lib/subgroupnav.php:105 msgid "Invite" msgstr "" -#: lib/action.php:454 lib/subgroupnav.php:106 +#: lib/action.php:453 lib/subgroupnav.php:106 #, php-format msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout" msgstr "登出" -#: lib/action.php:459 +#: lib/action.php:458 msgid "Logout from the site" msgstr "" -#: lib/action.php:464 +#: lib/action.php:463 #, fuzzy msgid "Create an account" msgstr "新增帳號" -#: lib/action.php:467 +#: lib/action.php:466 msgid "Login to the site" msgstr "" -#: lib/action.php:470 lib/action.php:733 +#: lib/action.php:469 lib/action.php:732 msgid "Help" msgstr "求救" -#: lib/action.php:470 +#: lib/action.php:469 #, fuzzy msgid "Help me!" msgstr "求救" -#: lib/action.php:473 lib/searchaction.php:127 +#: lib/action.php:472 lib/searchaction.php:127 msgid "Search" msgstr "" -#: lib/action.php:473 +#: lib/action.php:472 msgid "Search for people or text" msgstr "" -#: lib/action.php:494 +#: lib/action.php:493 #, fuzzy msgid "Site notice" msgstr "新訊æ¯" -#: lib/action.php:560 +#: lib/action.php:559 msgid "Local views" msgstr "" -#: lib/action.php:626 +#: lib/action.php:625 #, fuzzy msgid "Page notice" msgstr "新訊æ¯" -#: lib/action.php:728 +#: lib/action.php:727 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:735 +#: lib/action.php:734 msgid "About" msgstr "關於" -#: lib/action.php:737 +#: lib/action.php:736 msgid "FAQ" msgstr "常見å•é¡Œ" -#: lib/action.php:741 +#: lib/action.php:740 msgid "TOS" msgstr "" -#: lib/action.php:744 +#: lib/action.php:743 msgid "Privacy" msgstr "" -#: lib/action.php:746 +#: lib/action.php:745 msgid "Source" msgstr "" -#: lib/action.php:750 +#: lib/action.php:749 msgid "Contact" msgstr "好å‹åå–®" -#: lib/action.php:752 +#: lib/action.php:751 msgid "Badge" msgstr "" -#: lib/action.php:780 +#: lib/action.php:779 msgid "StatusNet software license" msgstr "" -#: lib/action.php:783 +#: lib/action.php:782 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4564,12 +4590,12 @@ msgstr "" "**%%site.name%%**是由[%%site.broughtby%%](%%site.broughtbyurl%%)所æ供的微型" "部è½æ ¼æœå‹™" -#: lib/action.php:785 +#: lib/action.php:784 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%**是個微型部è½æ ¼" -#: lib/action.php:787 +#: lib/action.php:786 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4577,42 +4603,42 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:802 +#: lib/action.php:801 #, fuzzy msgid "Site content license" msgstr "新訊æ¯" -#: lib/action.php:807 +#: lib/action.php:806 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:812 +#: lib/action.php:811 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:815 +#: lib/action.php:814 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:828 +#: lib/action.php:827 msgid "All " msgstr "" -#: lib/action.php:834 +#: lib/action.php:833 msgid "license." msgstr "" -#: lib/action.php:1133 +#: lib/action.php:1132 msgid "Pagination" msgstr "" -#: lib/action.php:1142 +#: lib/action.php:1141 msgid "After" msgstr "" -#: lib/action.php:1150 +#: lib/action.php:1149 #, fuzzy msgid "Before" msgstr "之å‰çš„內容»" @@ -4919,80 +4945,85 @@ msgstr "儲存使用者發生錯誤" msgid "Specify the name of the user to subscribe to" msgstr "" -#: lib/command.php:554 +#: lib/command.php:554 lib/command.php:589 +#, fuzzy +msgid "No such user" +msgstr "無此使用者" + +#: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "" -#: lib/command.php:575 +#: lib/command.php:582 msgid "Specify the name of the user to unsubscribe from" msgstr "" -#: lib/command.php:582 +#: lib/command.php:595 #, php-format msgid "Unsubscribed from %s" msgstr "" -#: lib/command.php:600 lib/command.php:623 +#: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." msgstr "" -#: lib/command.php:603 +#: lib/command.php:616 msgid "Notification off." msgstr "" -#: lib/command.php:605 +#: lib/command.php:618 msgid "Can't turn off notification." msgstr "" -#: lib/command.php:626 +#: lib/command.php:639 msgid "Notification on." msgstr "" -#: lib/command.php:628 +#: lib/command.php:641 msgid "Can't turn on notification." msgstr "" -#: lib/command.php:641 +#: lib/command.php:654 msgid "Login command is disabled" msgstr "" -#: lib/command.php:652 +#: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:668 +#: lib/command.php:681 #, fuzzy msgid "You are not subscribed to anyone." msgstr "此帳號已註冊" -#: lib/command.php:670 +#: lib/command.php:683 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "此帳號已註冊" -#: lib/command.php:690 +#: lib/command.php:703 #, fuzzy msgid "No one is subscribed to you." msgstr "無此訂閱" -#: lib/command.php:692 +#: lib/command.php:705 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "無此訂閱" -#: lib/command.php:712 +#: lib/command.php:725 #, fuzzy msgid "You are not a member of any groups." msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" -#: lib/command.php:714 +#: lib/command.php:727 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "無法連çµåˆ°ä¼ºæœå™¨:%s" -#: lib/command.php:728 +#: lib/command.php:741 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5671,10 +5702,6 @@ msgstr "新增外部個人資料發生錯誤(Error inserting remote profile)" msgid "Duplicate notice" msgstr "新訊æ¯" -#: lib/oauthstore.php:465 lib/subs.php:48 -msgid "You have been banned from subscribing." -msgstr "" - #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." msgstr "無法新增訂閱" @@ -5858,36 +5885,6 @@ msgstr "此帳號已註冊" msgid "Groups %s is a member of" msgstr "" -#: lib/subs.php:52 -msgid "Already subscribed!" -msgstr "" - -#: lib/subs.php:56 -msgid "User has blocked you." -msgstr "" - -#: lib/subs.php:63 -msgid "Could not subscribe." -msgstr "" - -#: lib/subs.php:82 -msgid "Could not subscribe other to you." -msgstr "" - -#: lib/subs.php:137 -#, fuzzy -msgid "Not subscribed!" -msgstr "此帳號已註冊" - -#: lib/subs.php:142 -#, fuzzy -msgid "Couldn't delete self-subscription." -msgstr "無法刪除帳號" - -#: lib/subs.php:158 -msgid "Couldn't delete subscription." -msgstr "無法刪除帳號" - #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" -- cgit v1.2.3-54-g00ecf From f0d1d07b94fbd2fe0ecd1c2f18d831a177d11c5c Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Mon, 22 Feb 2010 22:57:16 -0500 Subject: Add lose command to the command interpreter --- lib/command.php | 29 +++++++++++++++++++++++++++++ lib/commandinterpreter.php | 11 +++++++++++ lib/subs.php | 45 ++++++++++++++++++++++++++++++++++++++++++++- 3 files changed, 84 insertions(+), 1 deletion(-) diff --git a/lib/command.php b/lib/command.php index ea7b60372..db8e80030 100644 --- a/lib/command.php +++ b/lib/command.php @@ -668,6 +668,34 @@ class LoginCommand extends Command } } +class LoseCommand extends Command +{ + + var $other = null; + + function __construct($user, $other) + { + parent::__construct($user); + $this->other = $other; + } + + function execute($channel) + { + if(!$this->other) { + $channel->error($this->user, _('Specify the name of the user to unsubscribe from')); + return; + } + + $result=subs_unsubscribe_from($this->user, $this->other); + + if ($result) { + $channel->output($this->user, sprintf(_('Unsubscribed %s'), $this->other)); + } else { + $channel->error($this->user, $result); + } + } +} + class SubscriptionsCommand extends Command { function execute($channel) @@ -750,6 +778,7 @@ class HelpCommand extends Command "d - direct message to user\n". "get - get last notice from user\n". "whois - get profile info on user\n". + "lose - force user to stop following you\n". "fav - add user's last notice as a 'fave'\n". "fav # - add notice with the given id as a 'fave'\n". "repeat # - repeat a notice with a given id\n". diff --git a/lib/commandinterpreter.php b/lib/commandinterpreter.php index c2add7299..fbc6174bb 100644 --- a/lib/commandinterpreter.php +++ b/lib/commandinterpreter.php @@ -47,6 +47,17 @@ class CommandInterpreter } else { return new LoginCommand($user); } + case 'lose': + if ($arg) { + list($other, $extra) = $this->split_arg($arg); + if ($extra) { + return null; + } else { + return new LoseCommand($user, $other); + } + } else { + return null; + } case 'subscribers': if ($arg) { return null; diff --git a/lib/subs.php b/lib/subs.php index 1c240c475..e2ce0667e 100644 --- a/lib/subs.php +++ b/lib/subs.php @@ -42,4 +42,47 @@ function subs_unsubscribe_to($user, $other) } catch (Exception $e) { return $e->getMessage(); } -} \ No newline at end of file +} + +function subs_unsubscribe_from($user, $other){ + $local = User::staticGet("nickname",$other); + if($local){ + return subs_unsubscribe_to($local,$user); + } else { + try { + $remote = Profile::staticGet("nickname",$other); + if(is_string($remote)){ + return $remote; + } + if (Event::handle('StartUnsubscribe', array($remote,$user))) { + + $sub = DB_DataObject::factory('subscription'); + + $sub->subscriber = $remote->id; + $sub->subscribed = $user->id; + + $sub->find(true); + + // note we checked for existence above + + if (!$sub->delete()) + return _('Couldn\'t delete subscription.'); + + $cache = common_memcache(); + + if ($cache) { + $cache->delete(common_cache_key('user:notices_with_friends:' . $remote->id)); + } + + + $user->blowSubscribersCount(); + $remote->blowSubscribersCount(); + + Event::handle('EndUnsubscribe', array($remote, $user)); + } + } catch (Exception $e) { + return $e->getMessage(); + } + } +} + -- cgit v1.2.3-54-g00ecf From 3dc86f2bd328986e9ca3d7edd8355be91b1bfb7f Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Thu, 25 Feb 2010 00:53:50 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans Signed-off-by: Siebrand Mazeland --- locale/ar/LC_MESSAGES/statusnet.po | 158 ++++++++++++++++------------ locale/arz/LC_MESSAGES/statusnet.po | 158 ++++++++++++++++------------ locale/bg/LC_MESSAGES/statusnet.po | 160 +++++++++++++++------------- locale/ca/LC_MESSAGES/statusnet.po | 160 +++++++++++++++------------- locale/cs/LC_MESSAGES/statusnet.po | 158 ++++++++++++++++------------ locale/de/LC_MESSAGES/statusnet.po | 189 ++++++++++++++++++---------------- locale/el/LC_MESSAGES/statusnet.po | 156 ++++++++++++++++------------ locale/en_GB/LC_MESSAGES/statusnet.po | 160 +++++++++++++++------------- locale/es/LC_MESSAGES/statusnet.po | 159 +++++++++++++++------------- locale/fa/LC_MESSAGES/statusnet.po | 157 ++++++++++++++++------------ locale/fi/LC_MESSAGES/statusnet.po | 160 +++++++++++++++------------- locale/fr/LC_MESSAGES/statusnet.po | 161 ++++++++++++++++------------- locale/ga/LC_MESSAGES/statusnet.po | 160 +++++++++++++++------------- locale/he/LC_MESSAGES/statusnet.po | 158 ++++++++++++++++------------ locale/hsb/LC_MESSAGES/statusnet.po | 159 ++++++++++++++++------------ locale/ia/LC_MESSAGES/statusnet.po | 163 ++++++++++++++++------------- locale/is/LC_MESSAGES/statusnet.po | 160 +++++++++++++++------------- locale/it/LC_MESSAGES/statusnet.po | 161 ++++++++++++++++------------- locale/ja/LC_MESSAGES/statusnet.po | 159 ++++++++++++++++------------ locale/ko/LC_MESSAGES/statusnet.po | 160 +++++++++++++++------------- locale/mk/LC_MESSAGES/statusnet.po | 163 ++++++++++++++++------------- locale/nb/LC_MESSAGES/statusnet.po | 157 ++++++++++++++++------------ locale/nl/LC_MESSAGES/statusnet.po | 164 ++++++++++++++++------------- locale/nn/LC_MESSAGES/statusnet.po | 160 +++++++++++++++------------- locale/pl/LC_MESSAGES/statusnet.po | 161 ++++++++++++++++------------- locale/pt/LC_MESSAGES/statusnet.po | 160 ++++++++++++++++------------ locale/pt_BR/LC_MESSAGES/statusnet.po | 161 ++++++++++++++++------------- locale/ru/LC_MESSAGES/statusnet.po | 161 ++++++++++++++++------------- locale/statusnet.po | 151 +++++++++++++++------------ locale/sv/LC_MESSAGES/statusnet.po | 161 ++++++++++++++++------------- locale/te/LC_MESSAGES/statusnet.po | 161 ++++++++++++++++------------- locale/tr/LC_MESSAGES/statusnet.po | 158 ++++++++++++++++------------ locale/uk/LC_MESSAGES/statusnet.po | 161 ++++++++++++++++------------- locale/vi/LC_MESSAGES/statusnet.po | 158 ++++++++++++++++------------ locale/zh_CN/LC_MESSAGES/statusnet.po | 159 +++++++++++++++------------- locale/zh_TW/LC_MESSAGES/statusnet.po | 157 ++++++++++++++++------------ 36 files changed, 3282 insertions(+), 2487 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index ebaf7290c..26f956329 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:02:19+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:50:01+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" @@ -62,7 +62,7 @@ msgstr "عطّل التسجيل الجديد." #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -184,7 +184,7 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -485,7 +485,7 @@ msgstr "حجم غير صالح." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -737,7 +737,7 @@ msgid "Preview" msgstr "عاين" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "احذÙ" @@ -946,7 +946,7 @@ msgstr "احذ٠هذا الإشعار" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -975,7 +975,7 @@ msgstr "أمتأكد من أنك تريد حذ٠هذا الإشعار؟" msgid "Do not delete this notice" msgstr "لا تحذ٠هذا الإشعار" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "احذ٠هذا الإشعار" @@ -1213,7 +1213,7 @@ msgstr "" msgid "Could not update group." msgstr "تعذر تحديث المجموعة." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "تعذّر إنشاء الكنى." @@ -2644,23 +2644,23 @@ msgstr "" msgid "Invalid tag: \"%s\"" msgstr "وسم غير صالح: \"%s\"" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "" -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 msgid "Couldn't save location prefs." msgstr "لم يمكن Ø­Ùظ تÙضيلات الموقع." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "تعذّر Ø­Ùظ المل٠الشخصي." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "تعذّر Ø­Ùظ الوسوم." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "Ø­ÙÙظت الإعدادات." @@ -3055,7 +3055,7 @@ msgstr "لا يمكنك تكرار ملاحظتك الشخصية." msgid "You already repeated that notice." msgstr "أنت كررت هذه الملاحظة بالÙعل." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 msgid "Repeated" msgstr "مكرر" @@ -3730,11 +3730,20 @@ msgstr "" msgid "Could not save subscription." msgstr "تعذّر Ø­Ùظ الاشتراك." -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "ليس Ù…Ùستخدمًا محليًا." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "لا مل٠كهذا." + +#: actions/subscribe.php:117 +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "" -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "Ù…Ùشترك" @@ -3794,7 +3803,7 @@ msgstr "هؤلاء الأشخاص الذي تستمع إليهم." msgid "These are the people whose notices %s listens to." msgstr "هؤلاء الأشخاص الذي يستمع %s إليهم." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -3804,16 +3813,16 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "" -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "جابر" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "رسائل قصيرة" @@ -4207,44 +4216,39 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:215 +#: classes/Notice.php:222 msgid "Problem saving notice. Too long." msgstr "مشكلة ÙÙŠ Ø­Ùظ الإشعار. طويل جدًا." -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "مشكلة ÙÙŠ Ø­Ùظ الإشعار. مستخدم غير معروÙ." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "مشكلة أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:811 +#: classes/Notice.php:882 #, fuzzy msgid "Problem saving group inbox." msgstr "مشكلة أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تي @%1$s %2$s" @@ -4269,7 +4273,7 @@ msgstr "غير مشترك!" msgid "Couldn't delete self-subscription." msgstr "لم يمكن حذ٠اشتراك ذاتي." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "تعذّر حذ٠الاشتراك." @@ -4278,11 +4282,11 @@ msgstr "تعذّر حذ٠الاشتراك." msgid "Welcome to %1$s, @%2$s!" msgstr "أهلا بكم ÙÙŠ %1$s يا @%2$s!" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "تعذّر إنشاء المجموعة." -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "تعذّر ضبط عضوية المجموعة." @@ -4503,6 +4507,18 @@ msgstr "بعد" msgid "Before" msgstr "قبل" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "" @@ -4809,7 +4825,7 @@ msgstr "لا مستخدم كهذا." msgid "Subscribed to %s" msgstr "Ù…Ùشترك ب%s" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "" @@ -4847,11 +4863,16 @@ msgstr "" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "ألغ٠الاشتراك" + +#: lib/command.php:709 msgid "You are not subscribed to anyone." msgstr "لست Ù…Ùشتركًا بأي أحد." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "لست مشتركًا بأحد." @@ -4861,11 +4882,11 @@ msgstr[3] "أنت مشترك بهؤلاء الأشخاص:" msgstr[4] "" msgstr[5] "" -#: lib/command.php:703 +#: lib/command.php:731 msgid "No one is subscribed to you." msgstr "لا أحد مشترك بك." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "لا أحد مشترك بك." @@ -4875,11 +4896,11 @@ msgstr[3] "هؤلاء الأشخاص مشتركون بك:" msgstr[4] "" msgstr[5] "" -#: lib/command.php:725 +#: lib/command.php:753 msgid "You are not a member of any groups." msgstr "لست عضوًا ÙÙŠ أي مجموعة." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "لست عضوًا ÙÙŠ أي مجموعة." @@ -4889,7 +4910,7 @@ msgstr[3] "أنت عضو ÙÙŠ هذه المجموعات:" msgstr[4] "" msgstr[5] "" -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -4903,6 +4924,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -4930,19 +4952,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 msgid "No configuration file found. " msgstr "" -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "اذهب إلى المÙثبّت." @@ -5358,7 +5380,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "من" @@ -5503,23 +5525,23 @@ msgstr "غ" msgid "at" msgstr "ÙÙŠ" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "ÙÙŠ السياق" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 msgid "Repeated by" msgstr "مكرر بواسطة" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "رÙد على هذا الإشعار" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "رÙد" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 msgid "Notice repeated" msgstr "الإشعار مكرر" @@ -5797,47 +5819,47 @@ msgstr "رسالة" msgid "Moderate" msgstr "" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "قبل لحظات قليلة" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "قبل دقيقة تقريبًا" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "قبل ساعة تقريبًا" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "قبل يوم تقريبا" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "قبل شهر تقريبًا" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "قبل سنة تقريبًا" diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index 9c0e7c4dd..cd8640753 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:02:22+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:50:08+0000\n" "Language-Team: Egyptian Spoken Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: out-statusnet\n" @@ -65,7 +65,7 @@ msgstr "عطّل التسجيل الجديد." #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -188,7 +188,7 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -489,7 +489,7 @@ msgstr "حجم غير صالح." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -741,7 +741,7 @@ msgid "Preview" msgstr "عاين" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "احذÙ" @@ -950,7 +950,7 @@ msgstr "احذ٠هذا الإشعار" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -979,7 +979,7 @@ msgstr "أمتأكد من أنك تريد حذ٠هذا الإشعار؟" msgid "Do not delete this notice" msgstr "لا تحذ٠هذا الإشعار" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "احذ٠هذا الإشعار" @@ -1217,7 +1217,7 @@ msgstr "" msgid "Could not update group." msgstr "تعذر تحديث المجموعه." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "تعذّر إنشاء الكنى." @@ -2645,23 +2645,23 @@ msgstr "" msgid "Invalid tag: \"%s\"" msgstr "وسم غير صالح: \"%s\"" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "" -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 msgid "Couldn't save location prefs." msgstr "لم يمكن Ø­Ùظ تÙضيلات الموقع." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "تعذّر Ø­Ùظ المل٠الشخصى." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "تعذّر Ø­Ùظ الوسوم." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "Ø­ÙÙظت الإعدادات." @@ -3056,7 +3056,7 @@ msgstr "ما ينÙعش تكرر الملاحظه بتاعتك." msgid "You already repeated that notice." msgstr "انت عيدت الملاحظه دى Ùعلا." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 msgid "Repeated" msgstr "مكرر" @@ -3731,11 +3731,20 @@ msgstr "" msgid "Could not save subscription." msgstr "تعذّر Ø­Ùظ الاشتراك." -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "ليس Ù…Ùستخدمًا محليًا." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "لا مل٠كهذا." + +#: actions/subscribe.php:117 +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "" -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "Ù…Ùشترك" @@ -3795,7 +3804,7 @@ msgstr "هؤلاء الأشخاص الذى تستمع إليهم." msgid "These are the people whose notices %s listens to." msgstr "هؤلاء الأشخاص الذى يستمع %s إليهم." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -3805,16 +3814,16 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "" -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "جابر" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "رسائل قصيرة" @@ -4208,44 +4217,39 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:215 +#: classes/Notice.php:222 msgid "Problem saving notice. Too long." msgstr "مشكله ÙÙ‰ Ø­Ùظ الإشعار. طويل جدًا." -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "مشكله ÙÙ‰ Ø­Ùظ الإشعار. مستخدم غير معروÙ." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "مشكله أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:811 +#: classes/Notice.php:882 #, fuzzy msgid "Problem saving group inbox." msgstr "مشكله أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تى @%1$s %2$s" @@ -4270,7 +4274,7 @@ msgstr "غير مشترك!" msgid "Couldn't delete self-subscription." msgstr "ما Ù†Ùعش يمسح الاشتراك الشخصى." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "تعذّر حذ٠الاشتراك." @@ -4279,11 +4283,11 @@ msgstr "تعذّر حذ٠الاشتراك." msgid "Welcome to %1$s, @%2$s!" msgstr "أهلا بكم ÙÙ‰ %1$s يا @%2$s!" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "تعذّر إنشاء المجموعه." -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "تعذّر ضبط عضويه المجموعه." @@ -4504,6 +4508,18 @@ msgstr "بعد" msgid "Before" msgstr "قبل" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "" @@ -4810,7 +4826,7 @@ msgstr "لا مستخدم كهذا." msgid "Subscribed to %s" msgstr "Ù…Ùشترك ب%s" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "" @@ -4848,11 +4864,16 @@ msgstr "" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "ألغ٠الاشتراك" + +#: lib/command.php:709 msgid "You are not subscribed to anyone." msgstr "لست Ù…Ùشتركًا بأى أحد." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "لست مشتركًا بأحد." @@ -4862,11 +4883,11 @@ msgstr[3] "أنت مشترك بهؤلاء الأشخاص:" msgstr[4] "" msgstr[5] "" -#: lib/command.php:703 +#: lib/command.php:731 msgid "No one is subscribed to you." msgstr "لا أحد مشترك بك." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "لا أحد مشترك بك." @@ -4876,11 +4897,11 @@ msgstr[3] "هؤلاء الأشخاص مشتركون بك:" msgstr[4] "" msgstr[5] "" -#: lib/command.php:725 +#: lib/command.php:753 msgid "You are not a member of any groups." msgstr "لست عضوًا ÙÙ‰ أى مجموعه." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "لست عضوًا ÙÙ‰ أى مجموعه." @@ -4890,7 +4911,7 @@ msgstr[3] "أنت عضو ÙÙ‰ هذه المجموعات:" msgstr[4] "" msgstr[5] "" -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -4904,6 +4925,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -4931,19 +4953,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 msgid "No configuration file found. " msgstr "" -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "اذهب إلى المÙثبّت." @@ -5349,7 +5371,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "من" @@ -5494,23 +5516,23 @@ msgstr "غ" msgid "at" msgstr "ÙÙŠ" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "ÙÙ‰ السياق" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 msgid "Repeated by" msgstr "متكرر من" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "رÙد على هذا الإشعار" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "رÙد" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 msgid "Notice repeated" msgstr "الإشعار مكرر" @@ -5788,47 +5810,47 @@ msgstr "رسالة" msgid "Moderate" msgstr "" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "قبل لحظات قليلة" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "قبل دقيقه تقريبًا" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "قبل ساعه تقريبًا" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "قبل يوم تقريبا" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "قبل شهر تقريبًا" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "قبل سنه تقريبًا" diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index 873dcfb61..3cb121628 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:02:26+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:50:11+0000\n" "Language-Team: Bulgarian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: out-statusnet\n" @@ -61,7 +61,7 @@ msgstr "Изключване на новите региÑтрации." #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -183,7 +183,7 @@ msgstr "Бележки от %1$s и приÑтели в %2$s." #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -494,7 +494,7 @@ msgstr "Ðеправилен размер." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -750,7 +750,7 @@ msgid "Preview" msgstr "Преглед" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "Изтриване" @@ -962,7 +962,7 @@ msgstr "Изтриване на бележката" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -991,7 +991,7 @@ msgstr "ÐаиÑтина ли иÑкате да изтриете тази бел msgid "Do not delete this notice" msgstr "Да не Ñе изтрива бележката" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "Изтриване на бележката" @@ -1245,7 +1245,7 @@ msgstr "ОпиÑанието е твърде дълго (до %d Ñимвола) msgid "Could not update group." msgstr "Грешка при обновÑване на групата." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 #, fuzzy msgid "Could not create aliases." msgstr "Грешка при отбелÑзване като любима." @@ -2766,24 +2766,24 @@ msgstr "Името на езика е твърде дълго (може да е msgid "Invalid tag: \"%s\"" msgstr "Ðеправилен етикет: \"%s\"" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "" -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 #, fuzzy msgid "Couldn't save location prefs." msgstr "Грешка при запазване етикетите." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "Грешка при запазване на профила." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "Грешка при запазване етикетите." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "ÐаÑтройките Ñа запазени." @@ -3201,7 +3201,7 @@ msgstr "Ðе можете да повтарÑте ÑобÑтвена бележ msgid "You already repeated that notice." msgstr "Вече Ñте повторили тази бележка." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 msgid "Repeated" msgstr "Повторено" @@ -3889,11 +3889,21 @@ msgstr "Ðе Ñте абонирани за този профил" msgid "Could not save subscription." msgstr "Грешка при Ñъздаване на нов абонамент." -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "Ðе е локален потребител." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "ÐÑма такъв файл." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "Ðе Ñте абонирани за този профил" -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 #, fuzzy msgid "Subscribed" msgstr "Ðбониране" @@ -3954,7 +3964,7 @@ msgstr "ÐÑма хора, чийто бележки четете." msgid "These are the people whose notices %s listens to." msgstr "Хора, чийто бележки %s чете." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -3964,16 +3974,16 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "%s не получава ничии бележки." -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "Jabber" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "SMS" @@ -4391,23 +4401,23 @@ msgstr "Грешка при обновÑване на бележката Ñ Ð½Ð¾ msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:215 +#: classes/Notice.php:222 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Проблем при запиÑване на бележката." -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "Грешка при запиÑване на бележката. Ðепознат потребител." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Твърде много бележки за кратко време. Спрете, поемете дъх и публикувайте " "отново Ñлед нÑколко минути." -#: classes/Notice.php:230 +#: classes/Notice.php:237 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4416,25 +4426,20 @@ msgstr "" "Твърде много бележки за кратко време. Спрете, поемете дъх и публикувайте " "отново Ñлед нÑколко минути." -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "Забранено ви е да публикувате бележки в този Ñайт." -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "Проблем при запиÑване на бележката." -#: classes/Notice.php:811 +#: classes/Notice.php:882 #, fuzzy msgid "Problem saving group inbox." msgstr "Проблем при запиÑване на бележката." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "Грешка в базата от данни — отговор при вмъкването: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4462,7 +4467,7 @@ msgstr "Ðе Ñте абонирани!" msgid "Couldn't delete self-subscription." msgstr "Грешка при изтриване на абонамента." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Грешка при изтриване на абонамента." @@ -4471,11 +4476,11 @@ msgstr "Грешка при изтриване на абонамента." msgid "Welcome to %1$s, @%2$s!" msgstr "Добре дошли в %1$s, @%2$s!" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "Грешка при Ñъздаване на групата." -#: classes/User_group.php:442 +#: classes/User_group.php:452 #, fuzzy msgid "Could not set group membership." msgstr "Грешка при Ñъздаване на нов абонамент." @@ -4702,6 +4707,18 @@ msgstr "След" msgid "Before" msgstr "Преди" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "Ðе можете да променÑте този Ñайт." @@ -5013,7 +5030,6 @@ msgid "Specify the name of the user to subscribe to" msgstr "Уточнете името на потребителÑ, за когото Ñе абонирате." #: lib/command.php:554 lib/command.php:589 -#, fuzzy msgid "No such user" msgstr "ÐÑма такъв потребител" @@ -5022,7 +5038,7 @@ msgstr "ÐÑма такъв потребител" msgid "Subscribed to %s" msgstr "Ðбонирани Ñте за %s." -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "Уточнете името на потребителÑ, от когото Ñе отпиÑвате." @@ -5060,37 +5076,42 @@ msgstr "" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "ОтпиÑани Ñте от %s." + +#: lib/command.php:709 msgid "You are not subscribed to anyone." msgstr "Ðе Ñте абонирани за никого." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Вече Ñте абонирани за Ñледните потребители:" msgstr[1] "Вече Ñте абонирани за Ñледните потребители:" -#: lib/command.php:703 +#: lib/command.php:731 msgid "No one is subscribed to you." msgstr "Ðикой не е абониран за ваÑ." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Грешка при абониране на друг потребител за ваÑ." msgstr[1] "Грешка при абониране на друг потребител за ваÑ." -#: lib/command.php:725 +#: lib/command.php:753 msgid "You are not a member of any groups." msgstr "Ðе членувате в нито една група." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Ðе членувате в тази група." msgstr[1] "Ðе членувате в тази група." -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5104,6 +5125,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5131,19 +5153,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 msgid "No configuration file found. " msgstr "Ðе е открит файл Ñ Ð½Ð°Ñтройки. " -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:139 +#: lib/common.php:140 #, fuzzy msgid "Go to the installer." msgstr "Влизане в Ñайта" @@ -5566,7 +5588,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "от" @@ -5714,23 +5736,23 @@ msgstr "З" msgid "at" msgstr "" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "в контекÑÑ‚" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 msgid "Repeated by" msgstr "Повторено от" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "ОтговарÑне на тази бележка" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "Отговор" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 msgid "Notice repeated" msgstr "Бележката е повторена." @@ -6018,47 +6040,47 @@ msgstr "Съобщение" msgid "Moderate" msgstr "" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "преди нÑколко Ñекунди" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "преди около минута" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "преди около %d минути" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "преди около чаÑ" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "преди около %d чаÑа" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "преди около ден" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "преди около %d дни" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "преди около меÑец" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "преди около %d меÑеца" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "преди около година" diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index 48cd84bcc..d94ad8431 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:02:28+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:50:15+0000\n" "Language-Team: Catalan\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: out-statusnet\n" @@ -66,7 +66,7 @@ msgstr "Inhabilita els nous registres." #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -191,7 +191,7 @@ msgstr "Actualitzacions de %1$s i amics a %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -508,7 +508,7 @@ msgstr "Mida invàlida." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -768,7 +768,7 @@ msgid "Preview" msgstr "Vista prèvia" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "Suprimeix" @@ -982,7 +982,7 @@ msgstr "Eliminar aquesta nota" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -1015,7 +1015,7 @@ msgstr "N'estàs segur que vols eliminar aquesta notificació?" msgid "Do not delete this notice" msgstr "No es pot esborrar la notificació." -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "Eliminar aquesta nota" @@ -1265,7 +1265,7 @@ msgstr "la descripció és massa llarga (màx. %d caràcters)." msgid "Could not update group." msgstr "No s'ha pogut actualitzar el grup." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "No s'han pogut crear els àlies." @@ -2803,23 +2803,23 @@ msgstr "L'idioma és massa llarg (màx 50 caràcters)." msgid "Invalid tag: \"%s\"" msgstr "Etiqueta no vàlida: \"%s\"" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "No es pot actualitzar l'usuari per autosubscriure." -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 msgid "Couldn't save location prefs." msgstr "No s'han pogut desar les preferències d'ubicació." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "No s'ha pogut guardar el perfil." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "No s'han pogut guardar les etiquetes." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "Configuració guardada." @@ -3252,7 +3252,7 @@ msgstr "No pots registrar-te si no estàs d'acord amb la llicència." msgid "You already repeated that notice." msgstr "Ja heu blocat l'usuari." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 msgid "Repeated" msgstr "Repetit" @@ -3953,11 +3953,21 @@ msgstr "No estàs subscrit a aquest perfil." msgid "Could not save subscription." msgstr "No s'ha pogut guardar la subscripció." -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "No existeix aquest usuari." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" -#: actions/subscribe.php:69 +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "No existeix el fitxer." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "No estàs subscrit a aquest perfil." + +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "Subscrit" @@ -4021,7 +4031,7 @@ msgstr "Aquestes són les persones que escoltes." msgid "These are the people whose notices %s listens to." msgstr "Aquestes són les persones que %s escolta." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -4031,16 +4041,16 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "%s no escolta a ningú." -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "Jabber" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "SMS" @@ -4460,23 +4470,23 @@ msgstr "No s'ha pogut inserir el missatge amb la nova URI." msgid "DB error inserting hashtag: %s" msgstr "Hashtag de l'error de la base de dades:%s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Problema en guardar l'avís." -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "Problema al guardar la notificació. Usuari desconegut." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Masses notificacions massa ràpid; pren un respir i publica de nou en uns " "minuts." -#: classes/Notice.php:230 +#: classes/Notice.php:237 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4485,25 +4495,20 @@ msgstr "" "Masses notificacions massa ràpid; pren un respir i publica de nou en uns " "minuts." -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "Ha estat bandejat de publicar notificacions en aquest lloc." -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "Problema en guardar l'avís." -#: classes/Notice.php:811 +#: classes/Notice.php:882 #, fuzzy msgid "Problem saving group inbox." msgstr "Problema en guardar l'avís." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "Error de BD en inserir resposta: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4530,7 +4535,7 @@ msgstr "No estàs subscrit!" msgid "Couldn't delete self-subscription." msgstr "No s'ha pogut eliminar la subscripció." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "No s'ha pogut eliminar la subscripció." @@ -4539,11 +4544,11 @@ msgstr "No s'ha pogut eliminar la subscripció." msgid "Welcome to %1$s, @%2$s!" msgstr "Us donem la benvinguda a %1$s, @%2$s!" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "No s'ha pogut crear el grup." -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "No s'ha pogut establir la pertinença d'aquest grup." @@ -4766,6 +4771,18 @@ msgstr "Posteriors" msgid "Before" msgstr "Anteriors" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "No podeu fer canvis al lloc." @@ -5075,7 +5092,6 @@ msgid "Specify the name of the user to subscribe to" msgstr "Especifica el nom de l'usuari a que vols subscriure't" #: lib/command.php:554 lib/command.php:589 -#, fuzzy msgid "No such user" msgstr "No existeix aquest usuari." @@ -5084,7 +5100,7 @@ msgstr "No existeix aquest usuari." msgid "Subscribed to %s" msgstr "Subscrit a %s" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "Especifica el nom de l'usuari del que vols deixar d'estar subscrit" @@ -5122,39 +5138,44 @@ msgstr "" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "Has deixat d'estar subscrit a %s" + +#: lib/command.php:709 #, fuzzy msgid "You are not subscribed to anyone." msgstr "No estàs subscrit a aquest perfil." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Ja estàs subscrit a aquests usuaris:" msgstr[1] "Ja estàs subscrit a aquests usuaris:" -#: lib/command.php:703 +#: lib/command.php:731 #, fuzzy msgid "No one is subscribed to you." msgstr "No pots subscriure a un altre a tu mateix." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "No pots subscriure a un altre a tu mateix." msgstr[1] "No pots subscriure a un altre a tu mateix." -#: lib/command.php:725 +#: lib/command.php:753 msgid "You are not a member of any groups." msgstr "No sou membre de cap grup." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Sou un membre d'aquest grup:" msgstr[1] "Sou un membre d'aquests grups:" -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5168,6 +5189,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5195,19 +5217,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 msgid "No configuration file found. " msgstr "No s'ha trobat cap fitxer de configuració. " -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "Podeu voler executar l'instal·lador per a corregir-ho." -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "Vés a l'instal·lador." @@ -5631,7 +5653,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "de" @@ -5780,23 +5802,23 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "en context" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 msgid "Repeated by" msgstr "Repetit per" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "respondre a aquesta nota" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "Respon" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 #, fuzzy msgid "Notice repeated" msgstr "Notificació publicada" @@ -6082,47 +6104,47 @@ msgstr "Missatge" msgid "Moderate" msgstr "Modera" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "fa pocs segons" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "fa un minut" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "fa %d minuts" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "fa una hora" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "fa %d hores" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "fa un dia" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "fa %d dies" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "fa un mes" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "fa %d mesos" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "fa un any" diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index 2d6cdda17..dd51424e6 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:02:31+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:50:18+0000\n" "Language-Team: Czech\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: out-statusnet\n" @@ -66,7 +66,7 @@ msgstr "" #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -191,7 +191,7 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -505,7 +505,7 @@ msgstr "Neplatná velikost" #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -767,7 +767,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "Odstranit" @@ -985,7 +985,7 @@ msgstr "Odstranit toto oznámení" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -1015,7 +1015,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "Žádné takové oznámení." -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "Odstranit toto oznámení" @@ -1269,7 +1269,7 @@ msgstr "Text je příliÅ¡ dlouhý (maximální délka je 140 zanků)" msgid "Could not update group." msgstr "Nelze aktualizovat uživatele" -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 #, fuzzy msgid "Could not create aliases." msgstr "Nelze uložin informace o obrázku" @@ -2775,25 +2775,25 @@ msgstr "" msgid "Invalid tag: \"%s\"" msgstr "Neplatná adresa '%s'" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "" -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 #, fuzzy msgid "Couldn't save location prefs." msgstr "Nelze uložit profil" -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "Nelze uložit profil" -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 #, fuzzy msgid "Couldn't save tags." msgstr "Nelze uložit profil" -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "Nastavení uloženo" @@ -3201,7 +3201,7 @@ msgstr "Nemůžete se registrovat, pokud nesouhlasíte s licencí." msgid "You already repeated that notice." msgstr "Již jste pÅ™ihlášen" -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 #, fuzzy msgid "Repeated" msgstr "VytvoÅ™it" @@ -3895,12 +3895,21 @@ msgstr "Neodeslal jste nám profil" msgid "Could not save subscription." msgstr "Nelze vytvoÅ™it odebírat" -#: actions/subscribe.php:55 +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 #, fuzzy -msgid "Not a local user." -msgstr "Žádný takový uživatel." +msgid "No such profile." +msgstr "Žádné takové oznámení." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "Neodeslal jste nám profil" -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 #, fuzzy msgid "Subscribed" msgstr "Odebírat" @@ -3961,7 +3970,7 @@ msgstr "Toto jsou lidé, jejiž sdÄ›lením nasloucháte" msgid "These are the people whose notices %s listens to." msgstr "Toto jsou lidé, jejiž sdÄ›lením %s naslouchá" -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -3971,17 +3980,17 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, fuzzy, php-format msgid "%s is not listening to anyone." msgstr "%1 od teÄ naslouchá tvým sdÄ›lením v %2" -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 #, fuzzy msgid "Jabber" msgstr "Žádné Jabber ID." -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "" @@ -4405,46 +4414,41 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:215 +#: classes/Notice.php:222 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:219 +#: classes/Notice.php:226 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:811 +#: classes/Notice.php:882 #, fuzzy msgid "Problem saving group inbox." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "Chyba v DB pÅ™i vkládání odpovÄ›di: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4472,7 +4476,7 @@ msgstr "NepÅ™ihlášen!" msgid "Couldn't delete self-subscription." msgstr "Nelze smazat odebírání" -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Nelze smazat odebírání" @@ -4481,12 +4485,12 @@ msgstr "Nelze smazat odebírání" msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:413 +#: classes/User_group.php:423 #, fuzzy msgid "Could not create group." msgstr "Nelze uložin informace o obrázku" -#: classes/User_group.php:442 +#: classes/User_group.php:452 #, fuzzy msgid "Could not set group membership." msgstr "Nelze vytvoÅ™it odebírat" @@ -4719,6 +4723,18 @@ msgstr "« NovÄ›jší" msgid "Before" msgstr "Starší »" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "" @@ -5039,7 +5055,7 @@ msgstr "Žádný takový uživatel." msgid "Subscribed to %s" msgstr "" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "" @@ -5077,43 +5093,48 @@ msgstr "" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "Odhlásit" + +#: lib/command.php:709 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Neodeslal jste nám profil" -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Neodeslal jste nám profil" msgstr[1] "Neodeslal jste nám profil" msgstr[2] "" -#: lib/command.php:703 +#: lib/command.php:731 #, fuzzy msgid "No one is subscribed to you." msgstr "Vzdálený odbÄ›r" -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Vzdálený odbÄ›r" msgstr[1] "Vzdálený odbÄ›r" msgstr[2] "" -#: lib/command.php:725 +#: lib/command.php:753 #, fuzzy msgid "You are not a member of any groups." msgstr "Neodeslal jste nám profil" -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Neodeslal jste nám profil" msgstr[1] "Neodeslal jste nám profil" msgstr[2] "" -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5127,6 +5148,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5154,20 +5176,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 #, fuzzy msgid "No configuration file found. " msgstr "Žádný potvrzující kód." -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "" @@ -5591,7 +5613,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 #, fuzzy msgid "from" msgstr " od " @@ -5742,26 +5764,26 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 #, fuzzy msgid "in context" msgstr "Žádný obsah!" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 #, fuzzy msgid "Repeated by" msgstr "VytvoÅ™it" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 #, fuzzy msgid "Reply" msgstr "odpovÄ›Ä" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 #, fuzzy msgid "Notice repeated" msgstr "SdÄ›lení" @@ -6053,47 +6075,47 @@ msgstr "Zpráva" msgid "Moderate" msgstr "" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "pÅ™ed pár sekundami" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "asi pÅ™ed minutou" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "asi pÅ™ed %d minutami" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "asi pÅ™ed hodinou" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "asi pÅ™ed %d hodinami" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "asi pÅ™ede dnem" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "pÅ™ed %d dny" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "asi pÅ™ed mÄ›sícem" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "asi pÅ™ed %d mesíci" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "asi pÅ™ed rokem" diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index 820fffcab..053187a86 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -13,64 +13,60 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:02:34+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:50:21+0000\n" "Language-Team: German\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 -#, fuzzy msgid "Access" -msgstr "Akzeptieren" +msgstr "Zugang" #: actions/accessadminpanel.php:65 msgid "Site access settings" msgstr "Zugangseinstellungen speichern" #: actions/accessadminpanel.php:158 -#, fuzzy msgid "Registration" msgstr "Registrieren" #: actions/accessadminpanel.php:161 -#, fuzzy msgid "Private" -msgstr "Privatsphäre" +msgstr "Privat" #: actions/accessadminpanel.php:163 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "" +"Anonymen (nicht eingeloggten) Nutzern das Betrachten der Seite verbieten?" #: actions/accessadminpanel.php:167 -#, fuzzy msgid "Invite only" -msgstr "Einladen" +msgstr "Nur auf Einladung" #: actions/accessadminpanel.php:169 msgid "Make registration invitation only." -msgstr "" +msgstr "Registrierung nur bei vorheriger Einladung erlauben." #: actions/accessadminpanel.php:173 -#, fuzzy msgid "Closed" -msgstr "Blockieren" +msgstr "Geschlossen" #: actions/accessadminpanel.php:175 msgid "Disable new registrations." -msgstr "" +msgstr "Neuregistrierungen deaktivieren." #: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 #: actions/emailsettings.php:195 actions/imsettings.php:163 #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -78,9 +74,8 @@ msgid "Save" msgstr "Speichern" #: actions/accessadminpanel.php:189 -#, fuzzy msgid "Save access settings" -msgstr "Site-Einstellungen speichern" +msgstr "Zugangs-Einstellungen speichern" #: actions/all.php:63 actions/public.php:97 actions/replies.php:92 #: actions/showfavorites.php:137 actions/tag.php:51 @@ -113,9 +108,9 @@ msgid "No such user." msgstr "Unbekannter Benutzer." #: actions/all.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s and friends, page %2$d" -msgstr "%s blockierte Benutzerprofile, Seite %d" +msgstr "%1$s und Freunde, Seite% 2$d" #: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 @@ -203,7 +198,7 @@ msgstr "Aktualisierungen von %1$s und Freunden auf %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -470,9 +465,9 @@ msgid "You are not a member of this group." msgstr "Du bist kein Mitglied dieser Gruppe." #: actions/apigroupleave.php:124 actions/leavegroup.php:119 -#, fuzzy, php-format +#, php-format msgid "Could not remove user %1$s from group %2$s." -msgstr "Konnte Benutzer %s nicht aus der Gruppe %s entfernen." +msgstr "Konnte Benutzer %1$s nicht aus der Gruppe %2$s entfernen." #: actions/apigrouplist.php:95 #, php-format @@ -510,7 +505,7 @@ msgstr "Ungültige Größe." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -767,7 +762,7 @@ msgid "Preview" msgstr "Vorschau" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "Löschen" @@ -979,7 +974,7 @@ msgstr "Nachricht löschen" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -1010,7 +1005,7 @@ msgstr "Bist du sicher, dass du diese Nachricht löschen möchtest?" msgid "Do not delete this notice" msgstr "Diese Nachricht nicht löschen" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "Nachricht löschen" @@ -1262,7 +1257,7 @@ msgstr "Die Beschreibung ist zu lang (max. %d Zeichen)." msgid "Could not update group." msgstr "Konnte Gruppe nicht aktualisieren." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "Konnte keinen Favoriten erstellen." @@ -2796,23 +2791,23 @@ msgstr "Die eingegebene Sprache ist zu lang (maximal 50 Zeichen)" msgid "Invalid tag: \"%s\"" msgstr "Ungültiger Tag: „%s“" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "Autosubscribe konnte nicht aktiviert werden." -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 msgid "Couldn't save location prefs." msgstr "Konnte Positions-Einstellungen nicht speichern." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "Konnte Profil nicht speichern." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "Konnte Tags nicht speichern." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "Einstellungen gespeichert." @@ -3240,7 +3235,7 @@ msgstr "Du kannst deine eigene Nachricht nicht wiederholen." msgid "You already repeated that notice." msgstr "Du hast diesen Benutzer bereits blockiert." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 #, fuzzy msgid "Repeated" msgstr "Erstellt" @@ -3949,11 +3944,21 @@ msgstr "Du hast dieses Profil nicht abonniert." msgid "Could not save subscription." msgstr "Konnte Abonnement nicht erstellen." -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "Kein lokaler Benutzer." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "Datei nicht gefunden." -#: actions/subscribe.php:69 +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "Du hast dieses Profil nicht abonniert." + +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "Abonniert" @@ -4017,7 +4022,7 @@ msgstr "Dies sind die Leute, deren Nachrichten du liest." msgid "These are the people whose notices %s listens to." msgstr "Dies sind die Leute, deren Nachrichten %s liest." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -4027,16 +4032,16 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "%s hat niemanden abonniert." -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "Jabber" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "SMS" @@ -4458,22 +4463,22 @@ msgstr "Konnte Nachricht nicht mit neuer URI versehen." msgid "DB error inserting hashtag: %s" msgstr "Datenbankfehler beim Einfügen des Hashtags: %s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 msgid "Problem saving notice. Too long." msgstr "Problem bei Speichern der Nachricht. Sie ist zu lang." -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "Problem bei Speichern der Nachricht. Unbekannter Benutzer." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Zu schnell zu viele Nachrichten; atme kurz durch und schicke sie erneut in " "ein paar Minuten ab." -#: classes/Notice.php:230 +#: classes/Notice.php:237 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4482,26 +4487,21 @@ msgstr "" "Zu schnell zu viele Nachrichten; atme kurz durch und schicke sie erneut in " "ein paar Minuten ab." -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "" "Du wurdest für das Schreiben von Nachrichten auf dieser Seite gesperrt." -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "Problem bei Speichern der Nachricht." -#: classes/Notice.php:811 +#: classes/Notice.php:882 #, fuzzy msgid "Problem saving group inbox." msgstr "Problem bei Speichern der Nachricht." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "Datenbankfehler beim Einfügen der Antwort: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4528,7 +4528,7 @@ msgstr "Nicht abonniert!" msgid "Couldn't delete self-subscription." msgstr "Konnte Abonnement nicht löschen." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Konnte Abonnement nicht löschen." @@ -4537,11 +4537,11 @@ msgstr "Konnte Abonnement nicht löschen." msgid "Welcome to %1$s, @%2$s!" msgstr "Herzlich willkommen bei %1$s, @%2$s!" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "Konnte Gruppe nicht erstellen." -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "Konnte Gruppenmitgliedschaft nicht setzen." @@ -4767,6 +4767,18 @@ msgstr "Später" msgid "Before" msgstr "Vorher" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 #, fuzzy msgid "You cannot make changes to this site." @@ -5074,7 +5086,6 @@ msgid "Specify the name of the user to subscribe to" msgstr "Gib den Namen des Benutzers an, den du abonnieren möchtest" #: lib/command.php:554 lib/command.php:589 -#, fuzzy msgid "No such user" msgstr "Unbekannter Benutzer." @@ -5083,7 +5094,7 @@ msgstr "Unbekannter Benutzer." msgid "Subscribed to %s" msgstr "%s abonniert" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "Gib den Namen des Benutzers ein, den du nicht mehr abonnieren möchtest" @@ -5121,38 +5132,43 @@ msgstr "" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "%s nicht mehr abonniert" + +#: lib/command.php:709 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Du hast dieses Profil nicht abonniert." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Du hast diese Benutzer bereits abonniert:" msgstr[1] "Du hast diese Benutzer bereits abonniert:" -#: lib/command.php:703 +#: lib/command.php:731 msgid "No one is subscribed to you." msgstr "Niemand hat Dich abonniert." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Die Gegenseite konnte Dich nicht abonnieren." msgstr[1] "Die Gegenseite konnte Dich nicht abonnieren." -#: lib/command.php:725 +#: lib/command.php:753 msgid "You are not a member of any groups." msgstr "Du bist in keiner Gruppe Mitglied." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Du bist Mitglied dieser Gruppe:" msgstr[1] "Du bist Mitglied dieser Gruppen:" -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5166,6 +5182,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5193,19 +5210,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 msgid "No configuration file found. " msgstr "Keine Konfigurationsdatei gefunden." -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "Ich habe an folgenden Stellen nach Konfigurationsdateien gesucht: " -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:139 +#: lib/common.php:140 #, fuzzy msgid "Go to the installer." msgstr "Auf der Seite anmelden" @@ -5682,7 +5699,7 @@ msgstr "" "schicken, um sie in eine Konversation zu verwickeln. Andere Leute können Dir " "Nachrichten schicken, die nur Du sehen kannst." -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "von" @@ -5834,23 +5851,23 @@ msgstr "W" msgid "at" msgstr "" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "im Zusammenhang" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 msgid "Repeated by" msgstr "Wiederholt von" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "Auf diese Nachricht antworten" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "Antworten" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 msgid "Notice repeated" msgstr "Nachricht wiederholt" @@ -6132,47 +6149,47 @@ msgstr "Nachricht" msgid "Moderate" msgstr "Moderieren" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "vor wenigen Sekunden" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "vor einer Minute" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "vor %d Minuten" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "vor einer Stunde" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "vor %d Stunden" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "vor einem Tag" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "vor %d Tagen" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "vor einem Monat" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "vor %d Monaten" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "vor einem Jahr" diff --git a/locale/el/LC_MESSAGES/statusnet.po b/locale/el/LC_MESSAGES/statusnet.po index 90078d0c0..6ff718d45 100644 --- a/locale/el/LC_MESSAGES/statusnet.po +++ b/locale/el/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:02:37+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:50:24+0000\n" "Language-Team: Greek\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: el\n" "X-Message-Group: out-statusnet\n" @@ -63,7 +63,7 @@ msgstr "" #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -186,7 +186,7 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -496,7 +496,7 @@ msgstr "Μήνυμα" #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -750,7 +750,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "ΔιαγÏαφή" @@ -965,7 +965,7 @@ msgstr "ΠεÏιγÏάψτε την ομάδα ή το θέμα" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -996,7 +996,7 @@ msgstr "Είσαι σίγουÏος ότι θες να διαγÏάψεις αυ msgid "Do not delete this notice" msgstr "Αδυναμία διαγÏαφής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… μηνÏματος." -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "" @@ -1246,7 +1246,7 @@ msgstr "Το βιογÏαφικό είναι Ï€Î¿Î»Ï Î¼ÎµÎ³Î¬Î»Î¿ (μέγιστ msgid "Could not update group." msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 #, fuzzy msgid "Could not create aliases." msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." @@ -2727,25 +2727,25 @@ msgstr "" msgid "Invalid tag: \"%s\"" msgstr "" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "Απέτυχε η ενημέÏωση του χÏήστη για την αυτόματη συνδÏομή." -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 #, fuzzy msgid "Couldn't save location prefs." msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "Απέτυχε η αποθήκευση του Ï€Ïοφίλ." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 #, fuzzy msgid "Couldn't save tags." msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "" @@ -3161,7 +3161,7 @@ msgstr "" msgid "You already repeated that notice." msgstr "Αδυναμία διαγÏαφής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… μηνÏματος." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 #, fuzzy msgid "Repeated" msgstr "ΔημιουÏγία" @@ -3848,11 +3848,20 @@ msgstr "" msgid "Could not save subscription." msgstr "ΑδÏνατη η αποθήκευση των νέων πληÏοφοÏιών του Ï€Ïοφίλ" -#: actions/subscribe.php:55 -msgid "Not a local user." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." msgstr "" -#: actions/subscribe.php:69 +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." + +#: actions/subscribe.php:117 +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "" + +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "" @@ -3912,7 +3921,7 @@ msgstr "" msgid "These are the people whose notices %s listens to." msgstr "" -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -3922,16 +3931,16 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "" -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "" @@ -4336,43 +4345,38 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "Σφάλμα στη βάση δεδομένων κατά την εισαγωγή hashtag: %s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "" -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:811 +#: classes/Notice.php:882 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "Σφάλμα βάσης δεδομένων κατά την εισαγωγή απάντησης: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4399,7 +4403,7 @@ msgstr "Απέτυχε η συνδÏομή." msgid "Couldn't delete self-subscription." msgstr "Απέτυχε η διαγÏαφή συνδÏομής." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Απέτυχε η διαγÏαφή συνδÏομής." @@ -4408,11 +4412,11 @@ msgstr "Απέτυχε η διαγÏαφή συνδÏομής." msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "Δεν ήταν δυνατή η δημιουÏγία ομάδας." -#: classes/User_group.php:442 +#: classes/User_group.php:452 #, fuzzy msgid "Could not set group membership." msgstr "ΑδÏνατη η αποθήκευση των νέων πληÏοφοÏιών του Ï€Ïοφίλ" @@ -4633,6 +4637,18 @@ msgstr "" msgid "Before" msgstr "" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "" @@ -4945,7 +4961,7 @@ msgstr "Κανένας τέτοιος χÏήστης." msgid "Subscribed to %s" msgstr "" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "" @@ -4983,39 +4999,44 @@ msgstr "" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "Απέτυχε η συνδÏομή." + +#: lib/command.php:709 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Δεν επιτÏέπεται να κάνεις συνδÏομητές του λογαÏÎ¹Î±ÏƒÎ¼Î¿Ï ÏƒÎ¿Ï… άλλους." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Δεν επιτÏέπεται να κάνεις συνδÏομητές του λογαÏÎ¹Î±ÏƒÎ¼Î¿Ï ÏƒÎ¿Ï… άλλους." msgstr[1] "Δεν επιτÏέπεται να κάνεις συνδÏομητές του λογαÏÎ¹Î±ÏƒÎ¼Î¿Ï ÏƒÎ¿Ï… άλλους." -#: lib/command.php:703 +#: lib/command.php:731 #, fuzzy msgid "No one is subscribed to you." msgstr "Δεν επιτÏέπεται να κάνεις συνδÏομητές του λογαÏÎ¹Î±ÏƒÎ¼Î¿Ï ÏƒÎ¿Ï… άλλους." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Δεν επιτÏέπεται να κάνεις συνδÏομητές του λογαÏÎ¹Î±ÏƒÎ¼Î¿Ï ÏƒÎ¿Ï… άλλους." msgstr[1] "Δεν επιτÏέπεται να κάνεις συνδÏομητές του λογαÏÎ¹Î±ÏƒÎ¼Î¿Ï ÏƒÎ¿Ï… άλλους." -#: lib/command.php:725 +#: lib/command.php:753 msgid "You are not a member of any groups." msgstr "Δεν είστε μέλος καμίας ομάδας." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Ομάδες με τα πεÏισσότεÏα μέλη" msgstr[1] "Ομάδες με τα πεÏισσότεÏα μέλη" -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5029,6 +5050,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5056,20 +5078,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 #, fuzzy msgid "No configuration file found. " msgstr "Ο κωδικός επιβεβαίωσης δεν βÏέθηκε." -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "" @@ -5480,7 +5502,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "από" @@ -5628,23 +5650,23 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 msgid "Repeated by" msgstr "Επαναλαμβάνεται από" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 #, fuzzy msgid "Notice repeated" msgstr "Ρυθμίσεις OpenID" @@ -5930,47 +5952,47 @@ msgstr "Μήνυμα" msgid "Moderate" msgstr "" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "" diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index ea92b0b77..98e7790f2 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:02:40+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:50:27+0000\n" "Language-Team: British English\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: out-statusnet\n" @@ -62,7 +62,7 @@ msgstr "Disable new registrations." #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -191,7 +191,7 @@ msgstr "Updates from %1$s and friends on %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -497,7 +497,7 @@ msgstr "Invalid token." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -752,7 +752,7 @@ msgid "Preview" msgstr "Preview" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "Delete" @@ -962,7 +962,7 @@ msgstr "Delete this application" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -993,7 +993,7 @@ msgstr "Are you sure you want to delete this notice?" msgid "Do not delete this notice" msgstr "Do not delete this notice" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "Delete this notice" @@ -1234,7 +1234,7 @@ msgstr "description is too long (max %d chars)." msgid "Could not update group." msgstr "Could not update group." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "Could not create aliases" @@ -2773,24 +2773,24 @@ msgstr "Language is too long (max 50 chars)." msgid "Invalid tag: \"%s\"" msgstr "Invalid tag: \"%s\"" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "Couldn't update user for autosubscribe." -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 #, fuzzy msgid "Couldn't save location prefs." msgstr "Couldn't save tags." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "Couldn't save profile." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "Couldn't save tags." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "Settings saved." @@ -3223,7 +3223,7 @@ msgstr "You can't repeat your own notice." msgid "You already repeated that notice." msgstr "You have already blocked this user." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 #, fuzzy msgid "Repeated" msgstr "Created" @@ -3943,11 +3943,21 @@ msgstr "You are not subscribed to that profile." msgid "Could not save subscription." msgstr "Could not save subscription." -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "Not a local user." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "No such notice." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "You are not subscribed to that profile." -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "Subscribed" @@ -4007,7 +4017,7 @@ msgstr "These are the people whose notices you listen to." msgid "These are the people whose notices %s listens to." msgstr "These are the people whose notices %s listens to." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -4017,16 +4027,16 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "%s is not listening to anyone." -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "Jabber" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "SMS" @@ -4460,22 +4470,22 @@ msgstr "Could not update message with new URI." msgid "DB error inserting hashtag: %s" msgstr "DB error inserting hashtag: %s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Problem saving notice." -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "Problem saving notice. Unknown user." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Too many notices too fast; take a breather and post again in a few minutes." -#: classes/Notice.php:230 +#: classes/Notice.php:237 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4483,25 +4493,20 @@ msgid "" msgstr "" "Too many notices too fast; take a breather and post again in a few minutes." -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "You are banned from posting notices on this site." -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "Problem saving notice." -#: classes/Notice.php:811 +#: classes/Notice.php:882 #, fuzzy msgid "Problem saving group inbox." msgstr "Problem saving notice." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "DB error inserting reply: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4528,7 +4533,7 @@ msgstr "Not subscribed!" msgid "Couldn't delete self-subscription." msgstr "Couldn't delete subscription." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Couldn't delete subscription." @@ -4537,11 +4542,11 @@ msgstr "Couldn't delete subscription." msgid "Welcome to %1$s, @%2$s!" msgstr "Welcome to %1$s, @%2$s!" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "Could not create group." -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "Could not set group membership." @@ -4764,6 +4769,18 @@ msgstr "After" msgid "Before" msgstr "Before" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 #, fuzzy msgid "You cannot make changes to this site." @@ -5074,7 +5091,6 @@ msgid "Specify the name of the user to subscribe to" msgstr "Specify the name of the user to subscribe to" #: lib/command.php:554 lib/command.php:589 -#, fuzzy msgid "No such user" msgstr "No such user." @@ -5083,7 +5099,7 @@ msgstr "No such user." msgid "Subscribed to %s" msgstr "Subscribed to %s" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "Specify the name of the user to unsubscribe from" @@ -5121,40 +5137,45 @@ msgstr "" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "Unsubscribed from %s" + +#: lib/command.php:709 #, fuzzy msgid "You are not subscribed to anyone." msgstr "You are not subscribed to that profile." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "You are already subscribed to these users:" msgstr[1] "You are already subscribed to these users:" -#: lib/command.php:703 +#: lib/command.php:731 #, fuzzy msgid "No one is subscribed to you." msgstr "Could not subscribe other to you." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Could not subscribe other to you." msgstr[1] "Could not subscribe other to you." -#: lib/command.php:725 +#: lib/command.php:753 #, fuzzy msgid "You are not a member of any groups." msgstr "You are not a member of that group." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "You are not a member of that group." msgstr[1] "You are not a member of that group." -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5168,6 +5189,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5195,19 +5217,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 msgid "No configuration file found. " msgstr "No configuration file found" -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "Go to the installer." @@ -5637,7 +5659,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 #, fuzzy msgid "from" msgstr "from" @@ -5787,24 +5809,24 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "in context" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 #, fuzzy msgid "Repeated by" msgstr "Created" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "Reply to this notice" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "Reply" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 #, fuzzy msgid "Notice repeated" msgstr "Notice deleted." @@ -6088,47 +6110,47 @@ msgstr "Message" msgid "Moderate" msgstr "" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "a few seconds ago" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "about a minute ago" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "about %d minutes ago" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "about an hour ago" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "about %d hours ago" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "about a day ago" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "about %d days ago" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "about a month ago" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "about %d months ago" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "about a year ago" diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index 3ce394aa6..b5e0469b6 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:02:43+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:50:30+0000\n" "Language-Team: Spanish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: out-statusnet\n" @@ -64,7 +64,7 @@ msgstr "Inhabilitar nuevos registros." #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -194,7 +194,7 @@ msgstr "¡Actualizaciones de %1$s y amigos en %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -500,7 +500,7 @@ msgstr "Token inválido." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -760,7 +760,7 @@ msgid "Preview" msgstr "Vista previa" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "Borrar" @@ -971,7 +971,7 @@ msgstr "Borrar esta aplicación" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -1002,7 +1002,7 @@ msgstr "¿Estás seguro de que quieres eliminar este aviso?" msgid "Do not delete this notice" msgstr "No eliminar este mensaje" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "Borrar este aviso" @@ -1243,7 +1243,7 @@ msgstr "La descripción es muy larga (máx. %d caracteres)." msgid "Could not update group." msgstr "No se pudo actualizar el grupo." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "No fue posible crear alias." @@ -2777,23 +2777,23 @@ msgstr "Idioma es muy largo ( max 50 car.)" msgid "Invalid tag: \"%s\"" msgstr "Etiqueta inválida: \"% s\"" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "No se pudo actualizar el usuario para autosuscribirse." -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 msgid "Couldn't save location prefs." msgstr "No se han podido guardar las preferencias de ubicación." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "No se pudo guardar el perfil." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "No se pudo guardar las etiquetas." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "Se guardó configuración." @@ -3226,7 +3226,7 @@ msgstr "No puedes repetir tus propios mensajes." msgid "You already repeated that notice." msgstr "Ya has repetido este mensaje." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 msgid "Repeated" msgstr "Repetido" @@ -3920,12 +3920,21 @@ msgstr "No te has suscrito a ese perfil." msgid "Could not save subscription." msgstr "No se ha podido guardar la suscripción." -#: actions/subscribe.php:55 +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "No existe tal archivo." + +#: actions/subscribe.php:117 #, fuzzy -msgid "Not a local user." -msgstr "No es usuario local." +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "No te has suscrito a ese perfil." -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "Suscrito" @@ -3985,7 +3994,7 @@ msgstr "Estas son las personas que escuchas sus avisos." msgid "These are the people whose notices %s listens to." msgstr "Estas son las personas que %s escucha sus avisos." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -3995,16 +4004,16 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "%s no está escuchando a nadie." -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "Jabber" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "SMS" @@ -4421,22 +4430,22 @@ msgstr "No se pudo actualizar mensaje con nuevo URI." msgid "DB error inserting hashtag: %s" msgstr "Error de la BD al insertar la etiqueta clave: %s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 msgid "Problem saving notice. Too long." msgstr "Ha habido un problema al guardar el mensaje. Es muy largo." -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "Ha habido un problema al guardar el mensaje. Usuario desconocido." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Demasiados avisos demasiado rápido; para y publicar nuevamente en unos " "minutos." -#: classes/Notice.php:230 +#: classes/Notice.php:237 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4445,25 +4454,20 @@ msgstr "" "Demasiados avisos demasiado rápido; para y publicar nuevamente en unos " "minutos." -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "Tienes prohibido publicar avisos en este sitio." -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "Hubo un problema al guardar el aviso." -#: classes/Notice.php:811 +#: classes/Notice.php:882 #, fuzzy msgid "Problem saving group inbox." msgstr "Hubo un problema al guardar el aviso." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "Error de BD al insertar respuesta: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4490,7 +4494,7 @@ msgstr "¡No estás suscrito!" msgid "Couldn't delete self-subscription." msgstr "No se pudo eliminar la suscripción." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "No se pudo eliminar la suscripción." @@ -4499,11 +4503,11 @@ msgstr "No se pudo eliminar la suscripción." msgid "Welcome to %1$s, @%2$s!" msgstr "Bienvenido a %1$s, @%2$s!" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "No se pudo crear grupo." -#: classes/User_group.php:442 +#: classes/User_group.php:452 #, fuzzy msgid "Could not set group membership." msgstr "No se pudo configurar miembros de grupo." @@ -4727,6 +4731,18 @@ msgstr "Después" msgid "Before" msgstr "Antes" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "No puedes hacer cambios a este sitio." @@ -5032,7 +5048,6 @@ msgid "Specify the name of the user to subscribe to" msgstr "Especificar el nombre del usuario a suscribir" #: lib/command.php:554 lib/command.php:589 -#, fuzzy msgid "No such user" msgstr "No existe ese usuario." @@ -5041,7 +5056,7 @@ msgstr "No existe ese usuario." msgid "Subscribed to %s" msgstr "Suscrito a %s" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "Especificar el nombre del usuario para desuscribirse de" @@ -5079,37 +5094,42 @@ msgstr "" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "Desuscrito de %s" + +#: lib/command.php:709 msgid "You are not subscribed to anyone." msgstr "No estás suscrito a nadie." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Ya estás suscrito a estos usuarios:" msgstr[1] "Ya estás suscrito a estos usuarios:" -#: lib/command.php:703 +#: lib/command.php:731 msgid "No one is subscribed to you." msgstr "Nadie está suscrito a ti." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "No se pudo suscribir otro a ti." msgstr[1] "No se pudo suscribir otro a ti." -#: lib/command.php:725 +#: lib/command.php:753 msgid "You are not a member of any groups." msgstr "No eres miembro de ningún grupo" -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Eres miembro de este grupo:" msgstr[1] "Eres miembro de estos grupos:" -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5123,6 +5143,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5150,19 +5171,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 msgid "No configuration file found. " msgstr "Ningún archivo de configuración encontrado. " -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "Ir al instalador." @@ -5590,7 +5611,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "desde" @@ -5740,24 +5761,24 @@ msgstr "" msgid "at" msgstr "en" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "en contexto" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 #, fuzzy msgid "Repeated by" msgstr "Crear" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "Responder este aviso." -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "Responder" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 #, fuzzy msgid "Notice repeated" msgstr "Aviso borrado" @@ -6048,47 +6069,47 @@ msgstr "Mensaje" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "hace unos segundos" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "hace un minuto" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "hace %d minutos" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "hace una hora" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "hace %d horas" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "hace un día" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "hace %d días" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "hace un mes" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "hace %d meses" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "hace un año" diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index 877debaec..600323e43 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:02:49+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:50:38+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian\n" "MIME-Version: 1.0\n" @@ -20,7 +20,7 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" #: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 @@ -66,7 +66,7 @@ msgstr "غیر Ùعال کردن نام نوبسی جدید" #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -195,7 +195,7 @@ msgstr "به روز رسانی از %1$ Ùˆ دوستان در %2$" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -500,7 +500,7 @@ msgstr "اندازه‌ی نادرست" #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -754,7 +754,7 @@ msgid "Preview" msgstr "پیش‌نمایش" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "حذÙ" @@ -972,7 +972,7 @@ msgstr "این پیام را پاک Ú©Ù†" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -1003,7 +1003,7 @@ msgstr "آیا اطمینان دارید Ú©Ù‡ می‌خواهید این پیا msgid "Do not delete this notice" msgstr "این پیام را پاک Ù†Ú©Ù†" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "این پیام را پاک Ú©Ù†" @@ -1254,7 +1254,7 @@ msgstr "توصی٠بسیار زیاد است (حداکثر %d حرÙ)." msgid "Could not update group." msgstr "نمی‌توان گروه را به‌هنگام‌سازی کرد." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "نمی‌توان نام‌های مستعار را ساخت." @@ -2745,23 +2745,23 @@ msgstr "کلام بسیار طولانی است( حداکثر ÛµÛ° کاراکت msgid "Invalid tag: \"%s\"" msgstr "نشان نادرست »%s«" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "" -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 msgid "Couldn't save location prefs." msgstr "نمی‌توان تنظیمات مکانی را تنظیم کرد." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "نمی‌توان شناسه را ذخیره کرد." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "نمی‌توان نشان را ذخیره کرد." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "تنظیمات ذخیره شد." @@ -3158,7 +3158,7 @@ msgstr "شما نمی توانید Ø¢Ú¯Ù‡ÛŒ خودتان را تکرار Ú©Ù†ÛŒ msgid "You already repeated that notice." msgstr "شما قبلا آن Ø¢Ú¯Ù‡ÛŒ را تکرار کردید." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 msgid "Repeated" msgstr "" @@ -3848,11 +3848,21 @@ msgstr "شما به این پروÙيل متعهد نشدید" msgid "Could not save subscription." msgstr "" -#: actions/subscribe.php:55 -msgid "Not a local user." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." msgstr "" -#: actions/subscribe.php:69 +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "چنین پرونده‌ای وجود ندارد." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "شما به این پروÙيل متعهد نشدید" + +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "" @@ -3912,7 +3922,7 @@ msgstr "" msgid "These are the people whose notices %s listens to." msgstr "" -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -3922,16 +3932,16 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "" -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "" @@ -4328,22 +4338,22 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:215 +#: classes/Notice.php:222 msgid "Problem saving notice. Too long." msgstr "مشکل در ذخیره کردن پیام. بسیار طولانی." -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "مشکل در ذخیره کردن پیام. کاربر نا شناخته." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "تعداد خیلی زیاد Ø¢Ú¯Ù‡ÛŒ Ùˆ بسیار سریع؛ استراحت کنید Ùˆ مجددا دقایقی دیگر ارسال " "کنید." -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4351,25 +4361,20 @@ msgstr "" "تعداد زیاد پیام های دو نسخه ای Ùˆ بسرعت؛ استراحت کنید Ùˆ دقایقی دیگر مجددا " "ارسال کنید." -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "شما از Ùرستادن پست در این سایت مردود شدید ." -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "مشکل در ذخیره کردن Ø¢Ú¯Ù‡ÛŒ." -#: classes/Notice.php:811 +#: classes/Notice.php:882 #, fuzzy msgid "Problem saving group inbox." msgstr "مشکل در ذخیره کردن Ø¢Ú¯Ù‡ÛŒ." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4394,7 +4399,7 @@ msgstr "تایید نشده!" msgid "Couldn't delete self-subscription." msgstr "" -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "" @@ -4403,11 +4408,11 @@ msgstr "" msgid "Welcome to %1$s, @%2$s!" msgstr "خوش امدید به %1$s , @%2$s!" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "نمیتوان گروه را تشکیل داد" -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "" @@ -4623,6 +4628,18 @@ msgstr "بعد از" msgid "Before" msgstr "قبل از" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "شما نمی توانید در این سایت تغیری ایجاد کنید" @@ -4938,7 +4955,7 @@ msgstr "چنین کاربری وجود ندارد." msgid "Subscribed to %s" msgstr "" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "" @@ -4976,34 +4993,39 @@ msgstr "Ùرمان ورود از کار اÙتاده است" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "مشترک‌ها" + +#: lib/command.php:709 msgid "You are not subscribed to anyone." msgstr "شما توسط هیچ کس تصویب نشده اید ." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "هم اکنون شما این کاربران را دنبال می‌کنید: " -#: lib/command.php:703 +#: lib/command.php:731 msgid "No one is subscribed to you." msgstr "هیچکس شما را تایید نکرده ." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "هیچکس شما را تایید نکرده ." -#: lib/command.php:725 +#: lib/command.php:753 msgid "You are not a member of any groups." msgstr "شما در هیچ گروهی عضو نیستید ." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "شما یک عضو این گروه نیستید." -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5017,6 +5039,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5044,19 +5067,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 msgid "No configuration file found. " msgstr "" -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "شما ممکن است بخواهید نصاب را اجرا کنید تا این را تعمیر کند." -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "برو به نصاب." @@ -5470,7 +5493,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "از" @@ -5619,23 +5642,23 @@ msgstr "" msgid "at" msgstr "در" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "در زمینه" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 msgid "Repeated by" msgstr "تکرار از" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "به این Ø¢Ú¯Ù‡ÛŒ جواب دهید" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "جواب دادن" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 msgid "Notice repeated" msgstr "Ø¢Ú¯Ù‡ÛŒ تکرار شد" @@ -5914,47 +5937,47 @@ msgstr "پیام" msgid "Moderate" msgstr "" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "چند ثانیه پیش" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "حدود یک دقیقه پیش" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "حدود %d دقیقه پیش" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "حدود یک ساعت پیش" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "حدود %d ساعت پیش" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "حدود یک روز پیش" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "حدود %d روز پیش" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "حدود یک ماه پیش" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "حدود %d ماه پیش" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "حدود یک سال پیش" diff --git a/locale/fi/LC_MESSAGES/statusnet.po b/locale/fi/LC_MESSAGES/statusnet.po index e1222193b..b92edf111 100644 --- a/locale/fi/LC_MESSAGES/statusnet.po +++ b/locale/fi/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:02:46+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:50:33+0000\n" "Language-Team: Finnish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: out-statusnet\n" @@ -68,7 +68,7 @@ msgstr "" #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -197,7 +197,7 @@ msgstr "Käyttäjän %1$s ja kavereiden päivitykset palvelussa %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -512,7 +512,7 @@ msgstr "Koko ei kelpaa." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -772,7 +772,7 @@ msgid "Preview" msgstr "Esikatselu" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "Poista" @@ -986,7 +986,7 @@ msgstr "Poista tämä päivitys" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -1017,7 +1017,7 @@ msgstr "Oletko varma että haluat poistaa tämän päivityksen?" msgid "Do not delete this notice" msgstr "Älä poista tätä päivitystä" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "Poista tämä päivitys" @@ -1276,7 +1276,7 @@ msgstr "kuvaus on liian pitkä (max %d merkkiä)." msgid "Could not update group." msgstr "Ei voitu päivittää ryhmää." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "Ei voitu lisätä aliasta." @@ -2828,24 +2828,24 @@ msgstr "Kieli on liian pitkä (max 50 merkkiä)." msgid "Invalid tag: \"%s\"" msgstr "Virheellinen tagi: \"%s\"" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "Ei voitu asettaa käyttäjälle automaattista tilausta." -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 #, fuzzy msgid "Couldn't save location prefs." msgstr "Tageja ei voitu tallentaa." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "Ei voitu tallentaa profiilia." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "Tageja ei voitu tallentaa." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "Asetukset tallennettu." @@ -3278,7 +3278,7 @@ msgstr "Et voi rekisteröityä, jos et hyväksy lisenssiehtoja." msgid "You already repeated that notice." msgstr "Sinä olet jo estänyt tämän käyttäjän." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 #, fuzzy msgid "Repeated" msgstr "Luotu" @@ -3988,11 +3988,21 @@ msgstr "Et ole tilannut tämän käyttäjän päivityksiä." msgid "Could not save subscription." msgstr "Tilausta ei onnistuttu tallentamaan." -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "Käyttäjä ei ole rekisteröitynyt tähän palveluun." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "Tiedostoa ei ole." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "Et ole tilannut tämän käyttäjän päivityksiä." -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "Tilattu" @@ -4052,7 +4062,7 @@ msgstr "Näiden ihmisten päivityksiä sinä seuraat." msgid "These are the people whose notices %s listens to." msgstr "Käyttäjä %s seuraa näiden ihmisten päivityksiä." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -4062,16 +4072,16 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "%s ei seuraa ketään käyttäjää." -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "Jabber" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "SMS" @@ -4500,23 +4510,23 @@ msgstr "Viestin päivittäminen uudella URI-osoitteella ei onnistunut." msgid "DB error inserting hashtag: %s" msgstr "Tietokantavirhe tallennettaessa risutagiä: %s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Ongelma päivityksen tallentamisessa." -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "Virhe tapahtui päivityksen tallennuksessa. Tuntematon käyttäjä." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Liian monta päivitystä liian nopeasti; pidä pieni hengähdystauko ja jatka " "päivityksien lähettämista muutaman minuutin päästä." -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4524,25 +4534,20 @@ msgstr "" "Liian monta päivitystä liian nopeasti; pidä pieni hengähdystauko ja jatka " "päivityksien lähettämista muutaman minuutin päästä." -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "Päivityksesi tähän palveluun on estetty." -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "Ongelma päivityksen tallentamisessa." -#: classes/Notice.php:811 +#: classes/Notice.php:882 #, fuzzy msgid "Problem saving group inbox." msgstr "Ongelma päivityksen tallentamisessa." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "Tietokantavirhe tallennettaessa vastausta: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4570,7 +4575,7 @@ msgstr "Ei ole tilattu!." msgid "Couldn't delete self-subscription." msgstr "Ei voitu poistaa tilausta." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Ei voitu poistaa tilausta." @@ -4579,11 +4584,11 @@ msgstr "Ei voitu poistaa tilausta." msgid "Welcome to %1$s, @%2$s!" msgstr "Viesti käyttäjälle %1$s, %2$s" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "Ryhmän luonti ei onnistunut." -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "Ryhmän jäsenyystietoja ei voitu asettaa." @@ -4809,6 +4814,18 @@ msgstr "Myöhemmin" msgid "Before" msgstr "Aiemmin" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 #, fuzzy msgid "You cannot make changes to this site." @@ -5124,7 +5141,6 @@ msgid "Specify the name of the user to subscribe to" msgstr "Anna käyttäjätunnus, jonka päivitykset haluat tilata" #: lib/command.php:554 lib/command.php:589 -#, fuzzy msgid "No such user" msgstr "Käyttäjää ei ole." @@ -5133,7 +5149,7 @@ msgstr "Käyttäjää ei ole." msgid "Subscribed to %s" msgstr "Käyttäjän %s päivitykset tilattu" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "Anna käyttäjätunnus, jonka päivityksien tilauksen haluat lopettaa" @@ -5171,40 +5187,45 @@ msgstr "" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "Käyttäjän %s päivitysten tilaus lopetettu" + +#: lib/command.php:709 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Et ole tilannut tämän käyttäjän päivityksiä." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Olet jos tilannut seuraavien käyttäjien päivitykset:" msgstr[1] "Olet jos tilannut seuraavien käyttäjien päivitykset:" -#: lib/command.php:703 +#: lib/command.php:731 #, fuzzy msgid "No one is subscribed to you." msgstr "Toista ei voitu asettaa tilaamaan sinua." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Toista ei voitu asettaa tilaamaan sinua." msgstr[1] "Toista ei voitu asettaa tilaamaan sinua." -#: lib/command.php:725 +#: lib/command.php:753 #, fuzzy msgid "You are not a member of any groups." msgstr "Sinä et kuulu tähän ryhmään." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Sinä et kuulu tähän ryhmään." msgstr[1] "Sinä et kuulu tähän ryhmään." -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5218,6 +5239,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5245,20 +5267,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 #, fuzzy msgid "No configuration file found. " msgstr "Varmistuskoodia ei ole annettu." -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:139 +#: lib/common.php:140 #, fuzzy msgid "Go to the installer." msgstr "Kirjaudu sisään palveluun" @@ -5693,7 +5715,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 #, fuzzy msgid "from" msgstr " lähteestä " @@ -5843,25 +5865,25 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 #, fuzzy msgid "in context" msgstr "Ei sisältöä!" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 #, fuzzy msgid "Repeated by" msgstr "Luotu" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "Vastaa tähän päivitykseen" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "Vastaus" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 #, fuzzy msgid "Notice repeated" msgstr "Päivitys on poistettu." @@ -6156,47 +6178,47 @@ msgstr "Viesti" msgid "Moderate" msgstr "" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "muutama sekunti sitten" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "noin minuutti sitten" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "noin %d minuuttia sitten" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "noin tunti sitten" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "noin %d tuntia sitten" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "noin päivä sitten" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "noin %d päivää sitten" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "noin kuukausi sitten" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "noin %d kuukautta sitten" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "noin vuosi sitten" diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index 663f4fc1d..cf0cc849b 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -14,12 +14,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:02:52+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:50:48+0000\n" "Language-Team: French\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: out-statusnet\n" @@ -66,7 +66,7 @@ msgstr "Désactiver les nouvelles inscriptions." #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -197,7 +197,7 @@ msgstr "Statuts de %1$s et ses amis dans %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -505,7 +505,7 @@ msgstr "Jeton incorrect." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -771,7 +771,7 @@ msgid "Preview" msgstr "Aperçu" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "Supprimer" @@ -981,7 +981,7 @@ msgstr "Supprimer cette application" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -1012,7 +1012,7 @@ msgstr "Voulez-vous vraiment supprimer cet avis ?" msgid "Do not delete this notice" msgstr "Ne pas supprimer cet avis" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "Supprimer cet avis" @@ -1253,7 +1253,7 @@ msgstr "la description est trop longue (%d caractères maximum)." msgid "Could not update group." msgstr "Impossible de mettre à jour le groupe." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "Impossible de créer les alias." @@ -2800,23 +2800,23 @@ msgstr "La langue est trop longue (255 caractères maximum)." msgid "Invalid tag: \"%s\"" msgstr "Marque invalide : « %s »" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "Impossible de mettre à jour l’auto-abonnement." -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 msgid "Couldn't save location prefs." msgstr "Impossible d’enregistrer les préférences de localisation." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "Impossible d’enregistrer le profil." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "Impossible d’enregistrer les marques." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "Préférences enregistrées." @@ -3256,7 +3256,7 @@ msgstr "Vous ne pouvez pas reprendre votre propre avis." msgid "You already repeated that notice." msgstr "Vous avez déjà repris cet avis." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 msgid "Repeated" msgstr "Repris" @@ -3982,11 +3982,21 @@ msgstr "Vous n’êtes pas abonné(e) à ce profil." msgid "Could not save subscription." msgstr "Impossible d’enregistrer l’abonnement." -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "Ceci n’est pas un utilisateur local." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "Fichier non trouvé." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "Vous n’êtes pas abonné(e) à ce profil." -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "Abonné" @@ -4050,7 +4060,7 @@ msgstr "Vous suivez les avis de ces personnes." msgid "These are the people whose notices %s listens to." msgstr "Les avis de ces personnes sont suivis par %s." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -4066,16 +4076,16 @@ msgstr "" "êtes un [utilisateur de Twitter](%%action.twittersettings%%), vous pouvez " "vous abonner automatiquement aux gens auquels vous êtes déjà abonné là-bas." -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "%s ne suit actuellement personne." -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "Jabber" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "SMS" @@ -4506,22 +4516,22 @@ msgstr "Impossible de mettre à jour le message avec un nouvel URI." msgid "DB error inserting hashtag: %s" msgstr "Erreur de base de donnée en insérant la marque (hashtag) : %s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 msgid "Problem saving notice. Too long." msgstr "Problème lors de l’enregistrement de l’avis ; trop long." -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "Erreur lors de l’enregistrement de l’avis. Utilisateur inconnu." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Trop d’avis, trop vite ! Faites une pause et publiez à nouveau dans quelques " "minutes." -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4529,24 +4539,19 @@ msgstr "" "Trop de messages en double trop vite ! Prenez une pause et publiez à nouveau " "dans quelques minutes." -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "Il vous est interdit de poster des avis sur ce site." -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "Problème lors de l’enregistrement de l’avis." -#: classes/Notice.php:811 +#: classes/Notice.php:882 msgid "Problem saving group inbox." msgstr "Problème lors de l’enregistrement de la boîte de réception du groupe." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "Erreur de base de donnée en insérant la réponse :%s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4571,7 +4576,7 @@ msgstr "Pas abonné !" msgid "Couldn't delete self-subscription." msgstr "Impossible de supprimer l’abonnement à soi-même." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Impossible de cesser l’abonnement" @@ -4580,11 +4585,11 @@ msgstr "Impossible de cesser l’abonnement" msgid "Welcome to %1$s, @%2$s!" msgstr "Bienvenue à %1$s, @%2$s !" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "Impossible de créer le groupe." -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "Impossible d’établir l’inscription au groupe." @@ -4809,6 +4814,18 @@ msgstr "Après" msgid "Before" msgstr "Avant" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "Vous ne pouvez pas faire de modifications sur ce site." @@ -5113,7 +5130,6 @@ msgid "Specify the name of the user to subscribe to" msgstr "Indiquez le nom de l’utilisateur auquel vous souhaitez vous abonner" #: lib/command.php:554 lib/command.php:589 -#, fuzzy msgid "No such user" msgstr "Utilisateur non trouvé." @@ -5122,7 +5138,7 @@ msgstr "Utilisateur non trouvé." msgid "Subscribed to %s" msgstr "Abonné à %s" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "Indiquez le nom de l’utilisateur duquel vous souhaitez vous désabonner" @@ -5162,37 +5178,43 @@ msgstr "" "Ce lien n’est utilisable qu’une seule fois, et est valable uniquement " "pendant 2 minutes : %s" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "Désabonné de %s" + +#: lib/command.php:709 msgid "You are not subscribed to anyone." msgstr "Vous n’êtes abonné(e) à personne." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Vous êtes abonné à cette personne :" msgstr[1] "Vous êtes abonné à ces personnes :" -#: lib/command.php:703 +#: lib/command.php:731 msgid "No one is subscribed to you." msgstr "Personne ne s’est abonné à vous." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Cette personne est abonnée à vous :" msgstr[1] "Ces personnes sont abonnées à vous :" -#: lib/command.php:725 +#: lib/command.php:753 msgid "You are not a member of any groups." msgstr "Vous n’êtes membre d’aucun groupe." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Vous êtes membre de ce groupe :" msgstr[1] "Vous êtes membre de ces groupes :" -#: lib/command.php:741 +#: lib/command.php:769 +#, fuzzy msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5206,6 +5228,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5271,20 +5294,20 @@ msgstr "" "tracks - pas encore implémenté.\n" "tracking - pas encore implémenté.\n" -#: lib/common.php:135 +#: lib/common.php:136 msgid "No configuration file found. " msgstr "Aucun fichier de configuration n’a été trouvé. " -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" "J’ai cherché des fichiers de configuration dans les emplacements suivants : " -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "Vous pouvez essayer de lancer l’installeur pour régler ce problème." -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "Aller au programme d’installation" @@ -5783,7 +5806,7 @@ msgstr "" "pour démarrer des conversations avec d’autres utilisateurs. Ceux-ci peuvent " "vous envoyer des messages destinés à vous seul(e)." -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "de" @@ -5934,23 +5957,23 @@ msgstr "O" msgid "at" msgstr "chez" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "dans le contexte" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 msgid "Repeated by" msgstr "Repris par" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "Répondre à cet avis" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "Répondre" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 msgid "Notice repeated" msgstr "Avis repris" @@ -6228,47 +6251,47 @@ msgstr "Message" msgid "Moderate" msgstr "Modérer" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "il y a quelques secondes" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "il y a 1 minute" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "il y a %d minutes" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "il y a 1 heure" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "il y a %d heures" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "il y a 1 jour" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "il y a %d jours" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "il y a 1 mois" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "il y a %d mois" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "il y a environ 1 an" diff --git a/locale/ga/LC_MESSAGES/statusnet.po b/locale/ga/LC_MESSAGES/statusnet.po index abbf011aa..b60553d44 100644 --- a/locale/ga/LC_MESSAGES/statusnet.po +++ b/locale/ga/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:02:55+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:50:51+0000\n" "Language-Team: Irish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ga\n" "X-Message-Group: out-statusnet\n" @@ -67,7 +67,7 @@ msgstr "" #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -192,7 +192,7 @@ msgstr "Actualizacións dende %1$s e amigos en %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -510,7 +510,7 @@ msgstr "Tamaño inválido." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -772,7 +772,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 #, fuzzy msgid "Delete" msgstr "eliminar" @@ -997,7 +997,7 @@ msgstr "Eliminar chío" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -1030,7 +1030,7 @@ msgstr "Estas seguro que queres eliminar este chío?" msgid "Do not delete this notice" msgstr "Non se pode eliminar este chíos." -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 #, fuzzy msgid "Delete this notice" msgstr "Eliminar chío" @@ -1297,7 +1297,7 @@ msgstr "O teu Bio é demasiado longo (max 140 car.)." msgid "Could not update group." msgstr "Non se puido actualizar o usuario." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 #, fuzzy msgid "Could not create aliases." msgstr "Non se puido crear o favorito." @@ -2860,24 +2860,24 @@ msgstr "A Linguaxe é demasiado longa (max 50 car.)." msgid "Invalid tag: \"%s\"" msgstr "Etiqueta inválida: '%s'" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "Non se puido actualizar o usuario para autosuscrición." -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 #, fuzzy msgid "Couldn't save location prefs." msgstr "Non se puideron gardar as etiquetas." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "Non se puido gardar o perfil." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "Non se puideron gardar as etiquetas." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "Configuracións gardadas." @@ -3318,7 +3318,7 @@ msgstr "Non podes rexistrarte se non estas de acordo coa licenza." msgid "You already repeated that notice." msgstr "Xa bloqueaches a este usuario." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 #, fuzzy msgid "Repeated" msgstr "Crear" @@ -4040,11 +4040,21 @@ msgstr "Non estás suscrito a ese perfil" msgid "Could not save subscription." msgstr "Non se pode gardar a subscrición." -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "Non é usuario local." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "Ningún chío." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "Non estás suscrito a ese perfil" -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "Suscrito" @@ -4104,7 +4114,7 @@ msgstr "Esa é a xente á que lle estas a escoitar os seus chíos" msgid "These are the people whose notices %s listens to." msgstr "Esta é a xente á que lle estas a escoitar os chíos %s." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -4114,16 +4124,16 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, fuzzy, php-format msgid "%s is not listening to anyone." msgstr "%1$s está a escoitar os teus chíos %2$s." -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "Jabber." -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "SMS" @@ -4556,23 +4566,23 @@ msgstr "Non se puido actualizar a mensaxe coa nova URI." msgid "DB error inserting hashtag: %s" msgstr "Erro ó inserir o hashtag na BD: %s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Aconteceu un erro ó gardar o chío." -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "Aconteceu un erro ó gardar o chío. Usuario descoñecido." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Demasiados chíos en pouco tempo; tomate un respiro e envíao de novo dentro " "duns minutos." -#: classes/Notice.php:230 +#: classes/Notice.php:237 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4581,25 +4591,20 @@ msgstr "" "Demasiados chíos en pouco tempo; tomate un respiro e envíao de novo dentro " "duns minutos." -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "Tes restrinxido o envio de chíos neste sitio." -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "Aconteceu un erro ó gardar o chío." -#: classes/Notice.php:811 +#: classes/Notice.php:882 #, fuzzy msgid "Problem saving group inbox." msgstr "Aconteceu un erro ó gardar o chío." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "Erro ó inserir a contestación na BD: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4627,7 +4632,7 @@ msgstr "Non está suscrito!" msgid "Couldn't delete self-subscription." msgstr "Non se pode eliminar a subscrición." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Non se pode eliminar a subscrición." @@ -4636,12 +4641,12 @@ msgstr "Non se pode eliminar a subscrición." msgid "Welcome to %1$s, @%2$s!" msgstr "Mensaxe de %1$s en %2$s" -#: classes/User_group.php:413 +#: classes/User_group.php:423 #, fuzzy msgid "Could not create group." msgstr "Non se puido crear o favorito." -#: classes/User_group.php:442 +#: classes/User_group.php:452 #, fuzzy msgid "Could not set group membership." msgstr "Non se pode gardar a subscrición." @@ -4879,6 +4884,18 @@ msgstr "« Despois" msgid "Before" msgstr "Antes »" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 #, fuzzy msgid "You cannot make changes to this site." @@ -5198,7 +5215,6 @@ msgid "Specify the name of the user to subscribe to" msgstr "Especifica o nome do usuario ó que queres suscribirte" #: lib/command.php:554 lib/command.php:589 -#, fuzzy msgid "No such user" msgstr "Ningún usuario." @@ -5207,7 +5223,7 @@ msgstr "Ningún usuario." msgid "Subscribed to %s" msgstr "Suscrito a %s" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "Especifica o nome de usuario ó que queres deixar de seguir" @@ -5245,12 +5261,17 @@ msgstr "" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "Desuscribir de %s" + +#: lib/command.php:709 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Non estás suscrito a ese perfil" -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Xa estas suscrito a estes usuarios:" @@ -5259,12 +5280,12 @@ msgstr[2] "" msgstr[3] "" msgstr[4] "" -#: lib/command.php:703 +#: lib/command.php:731 #, fuzzy msgid "No one is subscribed to you." msgstr "Outro usuario non se puido suscribir a ti." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Outro usuario non se puido suscribir a ti." @@ -5273,12 +5294,12 @@ msgstr[2] "" msgstr[3] "" msgstr[4] "" -#: lib/command.php:725 +#: lib/command.php:753 #, fuzzy msgid "You are not a member of any groups." msgstr "Non estás suscrito a ese perfil" -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Non estás suscrito a ese perfil" @@ -5287,7 +5308,7 @@ msgstr[2] "" msgstr[3] "" msgstr[4] "" -#: lib/command.php:741 +#: lib/command.php:769 #, fuzzy msgid "" "Commands:\n" @@ -5302,6 +5323,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5355,20 +5377,20 @@ msgstr "" "tracks - non implementado por agora.\n" "tracking - non implementado por agora.\n" -#: lib/common.php:135 +#: lib/common.php:136 #, fuzzy msgid "No configuration file found. " msgstr "Sen código de confirmación." -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "" @@ -5853,7 +5875,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 #, fuzzy msgid "from" msgstr " dende " @@ -6006,27 +6028,27 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 #, fuzzy msgid "in context" msgstr "Sen contido!" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 #, fuzzy msgid "Repeated by" msgstr "Crear" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 #, fuzzy msgid "Reply to this notice" msgstr "Non se pode eliminar este chíos." -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 #, fuzzy msgid "Reply" msgstr "contestar" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 #, fuzzy msgid "Notice repeated" msgstr "Chío publicado" @@ -6333,47 +6355,47 @@ msgstr "Nova mensaxe" msgid "Moderate" msgstr "" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "fai uns segundos" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "fai un minuto" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "fai %d minutos" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "fai unha hora" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "fai %d horas" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "fai un día" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "fai %d días" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "fai un mes" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "fai %d meses" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "fai un ano" diff --git a/locale/he/LC_MESSAGES/statusnet.po b/locale/he/LC_MESSAGES/statusnet.po index d90c74f5e..424917efb 100644 --- a/locale/he/LC_MESSAGES/statusnet.po +++ b/locale/he/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:02:58+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:50:54+0000\n" "Language-Team: Hebrew\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: he\n" "X-Message-Group: out-statusnet\n" @@ -64,7 +64,7 @@ msgstr "" #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -189,7 +189,7 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -503,7 +503,7 @@ msgstr "גודל ×œ× ×—×•×§×™." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -764,7 +764,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 #, fuzzy msgid "Delete" msgstr "מחק" @@ -985,7 +985,7 @@ msgstr "ת×ר ×ת עצמך ו×ת נוש××™ העניין שלך ב-140 ×ות #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -1015,7 +1015,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "×ין הודעה כזו." -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "" @@ -1275,7 +1275,7 @@ msgstr "הביוגרפיה ×רוכה מידי (לכל היותר 140 ×ותיו msgid "Could not update group." msgstr "עידכון המשתמש נכשל." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 #, fuzzy msgid "Could not create aliases." msgstr "שמירת מידע התמונה נכשל" @@ -2783,25 +2783,25 @@ msgstr "" msgid "Invalid tag: \"%s\"" msgstr "כתובת ×תר הבית '%s' ××™× ×” חוקית" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "" -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 #, fuzzy msgid "Couldn't save location prefs." msgstr "שמירת הפרופיל נכשלה." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "שמירת הפרופיל נכשלה." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 #, fuzzy msgid "Couldn't save tags." msgstr "שמירת הפרופיל נכשלה." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "ההגדרות נשמרו." @@ -3204,7 +3204,7 @@ msgstr "×œ× × ×™×ª×Ÿ ×œ×”×™×¨×©× ×œ×œ× ×”×¡×›×ž×” לרשיון" msgid "You already repeated that notice." msgstr "כבר נכנסת למערכת!" -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 #, fuzzy msgid "Repeated" msgstr "צור" @@ -3896,12 +3896,21 @@ msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" msgid "Could not save subscription." msgstr "יצירת המנוי נכשלה." -#: actions/subscribe.php:55 +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 #, fuzzy -msgid "Not a local user." -msgstr "×ין משתמש ×›×–×”." +msgid "No such profile." +msgstr "×ין הודעה כזו." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 #, fuzzy msgid "Subscribed" msgstr "×”×™×¨×©× ×›×ž× ×•×™" @@ -3962,7 +3971,7 @@ msgstr "×לה ×”×× ×©×™× ×©×œ×”×•×“×¢×•×ª ×©×œ×”× ×תה מ×זין." msgid "These are the people whose notices %s listens to." msgstr "×לה ×”×× ×©×™× ×©%s מ×זין להודעות שלה×." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -3972,17 +3981,17 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, fuzzy, php-format msgid "%s is not listening to anyone." msgstr "%1$s כעת מ×זין להודעות שלך ב-%2$s" -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 #, fuzzy msgid "Jabber" msgstr "×ין זיהוי Jabber ×›×–×”." -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "סמס" @@ -4405,46 +4414,41 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:215 +#: classes/Notice.php:222 #, fuzzy msgid "Problem saving notice. Too long." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:219 +#: classes/Notice.php:226 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:811 +#: classes/Notice.php:882 #, fuzzy msgid "Problem saving group inbox." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "שגי×ת מסד × ×ª×•× ×™× ×‘×”×›× ×¡×ª התגובה: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4472,7 +4476,7 @@ msgstr "×œ× ×ž× ×•×™!" msgid "Couldn't delete self-subscription." msgstr "מחיקת המנוי ×œ× ×”×¦×œ×™×—×”." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "מחיקת המנוי ×œ× ×”×¦×œ×™×—×”." @@ -4481,12 +4485,12 @@ msgstr "מחיקת המנוי ×œ× ×”×¦×œ×™×—×”." msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:413 +#: classes/User_group.php:423 #, fuzzy msgid "Could not create group." msgstr "שמירת מידע התמונה נכשל" -#: classes/User_group.php:442 +#: classes/User_group.php:452 #, fuzzy msgid "Could not set group membership." msgstr "יצירת המנוי נכשלה." @@ -4720,6 +4724,18 @@ msgstr "<< ×חרי" msgid "Before" msgstr "לפני >>" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "" @@ -5040,7 +5056,7 @@ msgstr "×ין משתמש ×›×–×”." msgid "Subscribed to %s" msgstr "" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "" @@ -5078,40 +5094,45 @@ msgstr "" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "בטל מנוי" + +#: lib/command.php:709 #, fuzzy msgid "You are not subscribed to anyone." msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" msgstr[1] "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" -#: lib/command.php:703 +#: lib/command.php:731 #, fuzzy msgid "No one is subscribed to you." msgstr "הרשמה מרוחקת" -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "הרשמה מרוחקת" msgstr[1] "הרשמה מרוחקת" -#: lib/command.php:725 +#: lib/command.php:753 #, fuzzy msgid "You are not a member of any groups." msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" msgstr[1] "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5125,6 +5146,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5152,20 +5174,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 #, fuzzy msgid "No configuration file found. " msgstr "×ין קוד ×ישור." -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "" @@ -5590,7 +5612,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "" @@ -5741,26 +5763,26 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 #, fuzzy msgid "in context" msgstr "×ין תוכן!" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 #, fuzzy msgid "Repeated by" msgstr "צור" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 #, fuzzy msgid "Reply" msgstr "הגב" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 #, fuzzy msgid "Notice repeated" msgstr "הודעות" @@ -6057,47 +6079,47 @@ msgstr "הודעה חדשה" msgid "Moderate" msgstr "" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "לפני מספר שניות" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "לפני כדקה" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "לפני ×›-%d דקות" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "לפני כשעה" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "לפני ×›-%d שעות" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "לפני כיו×" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "לפני ×›-%d ימי×" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "לפני כחודש" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "לפני ×›-%d חודשי×" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "לפני כשנה" diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index d8f5480ac..7b6870afe 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:03:01+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:50:58+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: out-statusnet\n" @@ -64,7 +64,7 @@ msgstr "Nowe registrowanja znjemóžnić." #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -187,7 +187,7 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -488,7 +488,7 @@ msgstr "NjepÅ‚aćiwa wulkosć." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -741,7 +741,7 @@ msgid "Preview" msgstr "PÅ™ehlad" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "ZniÄić" @@ -950,7 +950,7 @@ msgstr "Tutu zdźělenku wuÅ¡mórnyć" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -979,7 +979,7 @@ msgstr "ChceÅ¡ woprawdźe tutu zdźělenku wuÅ¡mórnyć?" msgid "Do not delete this notice" msgstr "Tutu zdźělenku njewuÅ¡mórnyć" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "Tutu zdźělenku wuÅ¡mórnyć" @@ -1219,7 +1219,7 @@ msgstr "wopisanje je pÅ™edoÅ‚ho (maks. %d znamjeÅ¡kow)." msgid "Could not update group." msgstr "Skupina njeje so daÅ‚a aktualizować." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "Aliasy njejsu so dali wutworić." @@ -2651,23 +2651,23 @@ msgstr "Mjeno rÄ›Äe je pÅ™edoÅ‚he (maks. 50 znamjeÅ¡kow)." msgid "Invalid tag: \"%s\"" msgstr "" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "" -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 msgid "Couldn't save location prefs." msgstr "Nastajenja mÄ›stna njedachu so skÅ‚adować." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "" -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "" -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "Nastajenja skÅ‚adowane." @@ -3057,7 +3057,7 @@ msgstr "NjemóžeÅ¡ swójsku zdźělenku wospjetować." msgid "You already repeated that notice." msgstr "Sy tutu zdźělenku hižo wospjetowaÅ‚." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 msgid "Repeated" msgstr "Wospjetowany" @@ -3728,11 +3728,21 @@ msgstr "Njejsy tón profil abonowaÅ‚." msgid "Could not save subscription." msgstr "" -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "Njeje lokalny wužiwar." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "Dataja njeeksistuje." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "Njejsy tón profil abonowaÅ‚." -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "Abonowany" @@ -3792,7 +3802,7 @@ msgstr "" msgid "These are the people whose notices %s listens to." msgstr "" -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -3802,16 +3812,16 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "" -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "Jabber" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "SMS" @@ -4205,43 +4215,38 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:215 +#: classes/Notice.php:222 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "" -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:811 +#: classes/Notice.php:882 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4266,7 +4271,7 @@ msgstr "Njeje abonowany!" msgid "Couldn't delete self-subscription." msgstr "Sebjeabonement njeje so daÅ‚ zniÄić." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Abonoment njeje so daÅ‚ zniÄić." @@ -4275,11 +4280,11 @@ msgstr "Abonoment njeje so daÅ‚ zniÄić." msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "" -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "" @@ -4495,6 +4500,18 @@ msgstr "" msgid "Before" msgstr "" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "" @@ -4798,7 +4815,7 @@ msgstr "Wužiwar njeeksistuje" msgid "Subscribed to %s" msgstr "" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "" @@ -4836,11 +4853,16 @@ msgstr "" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "Wotskazany" + +#: lib/command.php:709 msgid "You are not subscribed to anyone." msgstr "" -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Sy tutu wosobu abonowaÅ‚:" @@ -4848,11 +4870,11 @@ msgstr[1] "Sy tutej wosobje abonowaÅ‚:" msgstr[2] "Sy tute wosoby abonowaÅ‚:" msgstr[3] "Sy tute wosoby abonowaÅ‚:" -#: lib/command.php:703 +#: lib/command.php:731 msgid "No one is subscribed to you." msgstr "" -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Tuta wosoba je će abonowaÅ‚a:" @@ -4860,11 +4882,11 @@ msgstr[1] "Tutej wosobje stej će abonowaÅ‚oj:" msgstr[2] "Tute wosoby su će abonowali:" msgstr[3] "Tute wosoby su će abonowali:" -#: lib/command.php:725 +#: lib/command.php:753 msgid "You are not a member of any groups." msgstr "" -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Sy ÄÅ‚on tuteje skupiny:" @@ -4872,7 +4894,7 @@ msgstr[1] "Sy ÄÅ‚on tuteju skupinow:" msgstr[2] "Sy ÄÅ‚on tutych skupinow:" msgstr[3] "Sy ÄÅ‚on tutych skupinow:" -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -4886,6 +4908,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -4913,19 +4936,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 msgid "No configuration file found. " msgstr "Žana konfiguraciska dataja namakana. " -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "" @@ -5331,7 +5354,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "wot" @@ -5476,23 +5499,23 @@ msgstr "Z" msgid "at" msgstr "" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 msgid "Repeated by" msgstr "Wospjetowany wot" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "Na tutu zdźělenku wotmoÅ‚wić" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "WotmoÅ‚wić" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 msgid "Notice repeated" msgstr "Zdźělenka wospjetowana" @@ -5770,47 +5793,47 @@ msgstr "PowÄ›sć" msgid "Moderate" msgstr "" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "pÅ™ed něšto sekundami" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "pÅ™ed nÄ›hdźe jednej mjeÅ„Å¡inu" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "pÅ™ed %d mjeÅ„Å¡inami" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "pÅ™ed nÄ›hdźe jednej hodźinu" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "pÅ™ed nÄ›hdźe %d hodźinami" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "pÅ™ed nÄ›hdźe jednym dnjom" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "pÅ™ed nÄ›hdźe %d dnjemi" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "pÅ™ed nÄ›hdźe jednym mÄ›sacom" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "pÅ™ed nÄ›hdźe %d mÄ›sacami" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "pÅ™ed nÄ›hdźe jednym lÄ›tom" diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index b3fd3770a..fa42bd3fe 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:03:04+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:51:01+0000\n" "Language-Team: Interlingua\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: out-statusnet\n" @@ -60,7 +60,7 @@ msgstr "Disactivar le creation de nove contos." #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -190,7 +190,7 @@ msgstr "Actualisationes de %1$s e su amicos in %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -494,7 +494,7 @@ msgstr "Indicio invalide." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -757,7 +757,7 @@ msgid "Preview" msgstr "Previsualisation" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "Deler" @@ -967,7 +967,7 @@ msgstr "Deler iste application" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -998,7 +998,7 @@ msgstr "Es tu secur de voler deler iste nota?" msgid "Do not delete this notice" msgstr "Non deler iste nota" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "Deler iste nota" @@ -1239,7 +1239,7 @@ msgstr "description es troppo longe (max %d chars)." msgid "Could not update group." msgstr "Non poteva actualisar gruppo." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "Non poteva crear aliases." @@ -2769,23 +2769,23 @@ msgstr "Lingua es troppo longe (max 50 chars)." msgid "Invalid tag: \"%s\"" msgstr "Etiquetta invalide: \"%s\"" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "Non poteva actualisar usator pro autosubscription." -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 msgid "Couldn't save location prefs." msgstr "Non poteva salveguardar le preferentias de loco." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "Non poteva salveguardar profilo." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "Non poteva salveguardar etiquettas." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "Preferentias confirmate." @@ -3218,7 +3218,7 @@ msgstr "Tu non pote repeter tu proprie nota." msgid "You already repeated that notice." msgstr "Tu ha ja repetite iste nota." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 msgid "Repeated" msgstr "Repetite" @@ -3934,11 +3934,21 @@ msgstr "Tu non es subscribite a iste profilo." msgid "Could not save subscription." msgstr "Non poteva salveguardar le subscription." -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "Le usator non es local." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "File non existe." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "Tu non es subscribite a iste profilo." -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "Subscribite" @@ -4002,7 +4012,7 @@ msgstr "Tu seque le notas de iste personas." msgid "These are the people whose notices %s listens to." msgstr "%s seque le notas de iste personas." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -4018,16 +4028,16 @@ msgstr "" "action.twittersettings%%), tu pote automaticamente subscriber te a personas " "que tu ja seque la." -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "%s non seque alcuno." -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "Jabber" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "SMS" @@ -4453,22 +4463,22 @@ msgstr "Non poteva actualisar message con nove URI." msgid "DB error inserting hashtag: %s" msgstr "Error in base de datos durante insertion del marca (hashtag): %s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 msgid "Problem saving notice. Too long." msgstr "Problema salveguardar nota. Troppo longe." -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "Problema salveguardar nota. Usator incognite." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Troppo de notas troppo rapidemente; face un pausa e publica de novo post " "alcun minutas." -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4476,24 +4486,19 @@ msgstr "" "Troppo de messages duplicate troppo rapidemente; face un pausa e publica de " "novo post alcun minutas." -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "Il te es prohibite publicar notas in iste sito." -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "Problema salveguardar nota." -#: classes/Notice.php:811 +#: classes/Notice.php:882 msgid "Problem saving group inbox." msgstr "Problema salveguardar le cassa de entrata del gruppo." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "Error del base de datos durante le insertion del responsa: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4518,7 +4523,7 @@ msgstr "Non subscribite!" msgid "Couldn't delete self-subscription." msgstr "Non poteva deler auto-subscription." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Non poteva deler subscription." @@ -4527,11 +4532,11 @@ msgstr "Non poteva deler subscription." msgid "Welcome to %1$s, @%2$s!" msgstr "Benvenite a %1$s, @%2$s!" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "Non poteva crear gruppo." -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "Non poteva configurar le membrato del gruppo." @@ -4753,6 +4758,18 @@ msgstr "Post" msgid "Before" msgstr "Ante" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "Tu non pote facer modificationes in iste sito." @@ -5053,16 +5070,15 @@ msgid "Specify the name of the user to subscribe to" msgstr "Specifica le nomine del usator al qual subscriber te" #: lib/command.php:554 lib/command.php:589 -#, fuzzy msgid "No such user" -msgstr "Usator non existe." +msgstr "Usator non existe" #: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "Subscribite a %s" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "Specifica le nomine del usator al qual cancellar le subscription" @@ -5102,37 +5118,43 @@ msgstr "" "Iste ligamine pote esser usate solmente un vice, e es valide durante " "solmente 2 minutas: %s" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "Subscription a %s cancellate" + +#: lib/command.php:709 msgid "You are not subscribed to anyone." msgstr "Tu non es subscribite a alcuno." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Tu es subscribite a iste persona:" msgstr[1] "Tu es subscribite a iste personas:" -#: lib/command.php:703 +#: lib/command.php:731 msgid "No one is subscribed to you." msgstr "Necuno es subscribite a te." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Iste persona es subscribite a te:" msgstr[1] "Iste personas es subscribite a te:" -#: lib/command.php:725 +#: lib/command.php:753 msgid "You are not a member of any groups." msgstr "Tu non es membro de alcun gruppo." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Tu es membro de iste gruppo:" msgstr[1] "Tu es membro de iste gruppos:" -#: lib/command.php:741 +#: lib/command.php:769 +#, fuzzy msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5146,6 +5168,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5210,19 +5233,19 @@ msgstr "" "tracks - non ancora implementate.\n" "tracking - non ancora implementate.\n" -#: lib/common.php:135 +#: lib/common.php:136 msgid "No configuration file found. " msgstr "Nulle file de configuration trovate. " -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "Io cercava files de configuration in le sequente locos: " -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "Considera executar le installator pro reparar isto." -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "Ir al installator." @@ -5718,7 +5741,7 @@ msgstr "" "altere usatores in conversation. Altere personas pote inviar te messages que " "solmente tu pote leger." -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "de" @@ -5869,23 +5892,23 @@ msgstr "W" msgid "at" msgstr "a" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "in contexto" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 msgid "Repeated by" msgstr "Repetite per" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "Responder a iste nota" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "Responder" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 msgid "Notice repeated" msgstr "Nota repetite" @@ -6163,47 +6186,47 @@ msgstr "Message" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "alcun secundas retro" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "circa un minuta retro" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "circa %d minutas retro" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "circa un hora retro" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "circa %d horas retro" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "circa un die retro" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "circa %d dies retro" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "circa un mense retro" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "circa %d menses retro" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "circa un anno retro" diff --git a/locale/is/LC_MESSAGES/statusnet.po b/locale/is/LC_MESSAGES/statusnet.po index 4ff880978..08e4fec95 100644 --- a/locale/is/LC_MESSAGES/statusnet.po +++ b/locale/is/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:03:19+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:51:05+0000\n" "Language-Team: Icelandic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: is\n" "X-Message-Group: out-statusnet\n" @@ -67,7 +67,7 @@ msgstr "" #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -191,7 +191,7 @@ msgstr "Færslur frá %1$s og vinum á %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -505,7 +505,7 @@ msgstr "Ótæk stærð." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -762,7 +762,7 @@ msgid "Preview" msgstr "Forsýn" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "Eyða" @@ -978,7 +978,7 @@ msgstr "Eyða þessu babli" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -1007,7 +1007,7 @@ msgstr "Ertu viss um að þú viljir eyða þessu babli?" msgid "Do not delete this notice" msgstr "" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "Eyða þessu babli" @@ -1266,7 +1266,7 @@ msgstr "Lýsing er of löng (í mesta lagi 140 tákn)." msgid "Could not update group." msgstr "Gat ekki uppfært hóp." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "" @@ -2809,24 +2809,24 @@ msgstr "Tungumál er of langt (í mesta lagi 50 stafir)." msgid "Invalid tag: \"%s\"" msgstr "Ógilt merki: \"%s\"" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "Gat ekki uppfært notanda í sjálfvirka áskrift." -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 #, fuzzy msgid "Couldn't save location prefs." msgstr "Gat ekki vistað merki." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "Gat ekki vistað persónulega síðu." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "Gat ekki vistað merki." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "Stillingar vistaðar." @@ -3250,7 +3250,7 @@ msgstr "Þú getur ekki nýskráð þig nema þú samþykkir leyfið." msgid "You already repeated that notice." msgstr "Þú hefur nú þegar lokað á þennan notanda." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 #, fuzzy msgid "Repeated" msgstr "à sviðsljósinu" @@ -3943,11 +3943,21 @@ msgstr "Þú ert ekki áskrifandi." msgid "Could not save subscription." msgstr "Gat ekki vistað áskrift." -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "Ekki staðbundinn notandi." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "Ekkert svoleiðis babl." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "Þú ert ekki áskrifandi." -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "Þú ert nú í áskrift" @@ -4007,7 +4017,7 @@ msgstr "Þetta er fólkið sem þú hlustar á bablið í." msgid "These are the people whose notices %s listens to." msgstr "Þetta er fólkið sem %s hlustar á bablið í." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -4017,16 +4027,16 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "" -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "Jabber snarskilaboðaþjónusta" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "SMS" @@ -4453,46 +4463,41 @@ msgstr "Gat ekki uppfært skilaboð með nýju veffangi." msgid "DB error inserting hashtag: %s" msgstr "Gagnagrunnsvilla við innsetningu myllumerkis: %s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "Gat ekki vistað babl. Óþekktur notandi." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Of mikið babl í einu; slakaðu aðeins á og haltu svo áfram eftir nokkrar " "mínútur." -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "Það hefur verið lagt bann við babli frá þér á þessari síðu." -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "Vandamál komu upp við að vista babl." -#: classes/Notice.php:811 +#: classes/Notice.php:882 #, fuzzy msgid "Problem saving group inbox." msgstr "Vandamál komu upp við að vista babl." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "Gagnagrunnsvilla við innsetningu svars: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4520,7 +4525,7 @@ msgstr "Ekki í áskrift!" msgid "Couldn't delete self-subscription." msgstr "Gat ekki eytt áskrift." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Gat ekki eytt áskrift." @@ -4529,11 +4534,11 @@ msgstr "Gat ekki eytt áskrift." msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "Gat ekki búið til hóp." -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "Gat ekki skráð hópmeðlimi." @@ -4759,6 +4764,18 @@ msgstr "Eftir" msgid "Before" msgstr "Ãður" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 #, fuzzy msgid "You cannot make changes to this site." @@ -5072,7 +5089,6 @@ msgid "Specify the name of the user to subscribe to" msgstr "Tilgreindu nafn notandans sem þú vilt gerast áskrifandi að" #: lib/command.php:554 lib/command.php:589 -#, fuzzy msgid "No such user" msgstr "Enginn svoleiðis notandi." @@ -5081,7 +5097,7 @@ msgstr "Enginn svoleiðis notandi." msgid "Subscribed to %s" msgstr "Nú ert þú áskrifandi að %s" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "Tilgreindu nafn notandans sem þú vilt hætta sem áskrifandi að" @@ -5119,40 +5135,45 @@ msgstr "" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "Nú ert þú ekki lengur áskrifandi að %s" + +#: lib/command.php:709 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Þú ert ekki áskrifandi." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Þú ert nú þegar í áskrift að þessum notendum:" msgstr[1] "Þú ert nú þegar í áskrift að þessum notendum:" -#: lib/command.php:703 +#: lib/command.php:731 #, fuzzy msgid "No one is subscribed to you." msgstr "Gat ekki leyft öðrum að gerast áskrifandi að þér." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Gat ekki leyft öðrum að gerast áskrifandi að þér." msgstr[1] "Gat ekki leyft öðrum að gerast áskrifandi að þér." -#: lib/command.php:725 +#: lib/command.php:753 #, fuzzy msgid "You are not a member of any groups." msgstr "Þú ert ekki meðlimur í þessum hópi." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Þú ert ekki meðlimur í þessum hópi." msgstr[1] "Þú ert ekki meðlimur í þessum hópi." -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5166,6 +5187,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5193,20 +5215,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 #, fuzzy msgid "No configuration file found. " msgstr "Enginn staðfestingarlykill." -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:139 +#: lib/common.php:140 #, fuzzy msgid "Go to the installer." msgstr "Skrá þig inn á síðuna" @@ -5628,7 +5650,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 #, fuzzy msgid "from" msgstr "frá" @@ -5778,24 +5800,24 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 #, fuzzy msgid "Repeated by" msgstr "à sviðsljósinu" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "Svara þessu babli" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "Svara" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 #, fuzzy msgid "Notice repeated" msgstr "Babl sent inn" @@ -6085,47 +6107,47 @@ msgstr "Skilaboð" msgid "Moderate" msgstr "" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "fyrir nokkrum sekúndum" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "fyrir um einni mínútu síðan" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "fyrir um %d mínútum síðan" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "fyrir um einum klukkutíma síðan" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "fyrir um %d klukkutímum síðan" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "fyrir um einum degi síðan" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "fyrir um %d dögum síðan" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "fyrir um einum mánuði síðan" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "fyrir um %d mánuðum síðan" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "fyrir um einu ári síðan" diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index 3c2b8cc8a..7e3d7998a 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:03:22+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:51:09+0000\n" "Language-Team: Italian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: out-statusnet\n" @@ -63,7 +63,7 @@ msgstr "Disabilita la creazione di nuovi account" #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -194,7 +194,7 @@ msgstr "Messaggi da %1$s e amici su %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -500,7 +500,7 @@ msgstr "Token non valido." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -758,7 +758,7 @@ msgid "Preview" msgstr "Anteprima" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "Elimina" @@ -967,7 +967,7 @@ msgstr "Elimina l'applicazione" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -998,7 +998,7 @@ msgstr "Vuoi eliminare questo messaggio?" msgid "Do not delete this notice" msgstr "Non eliminare il messaggio" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "Elimina questo messaggio" @@ -1239,7 +1239,7 @@ msgstr "La descrizione è troppo lunga (max %d caratteri)." msgid "Could not update group." msgstr "Impossibile aggiornare il gruppo." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "Impossibile creare gli alias." @@ -2769,23 +2769,23 @@ msgstr "La lingua è troppo lunga (max 50 caratteri)." msgid "Invalid tag: \"%s\"" msgstr "Etichetta non valida: \"%s\"" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "Impossibile aggiornare l'utente per auto-abbonarsi." -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 msgid "Couldn't save location prefs." msgstr "Impossibile salvare le preferenze della posizione." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "Impossibile salvare il profilo." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "Impossibile salvare le etichette." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "Impostazioni salvate." @@ -3218,7 +3218,7 @@ msgstr "Non puoi ripetere i tuoi stessi messaggi." msgid "You already repeated that notice." msgstr "Hai già ripetuto quel messaggio." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 msgid "Repeated" msgstr "Ripetuti" @@ -3932,11 +3932,21 @@ msgstr "Non hai una abbonamento a quel profilo." msgid "Could not save subscription." msgstr "Impossibile salvare l'abbonamento." -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "Non un utente locale." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "Nessun file." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "Non hai una abbonamento a quel profilo." -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "Abbonati" @@ -4000,7 +4010,7 @@ msgstr "Queste sono le persone che stai seguendo." msgid "These are the people whose notices %s listens to." msgstr "Queste sono le persone seguite da %s." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -4015,16 +4025,16 @@ msgstr "" "[usi Twitter](%%action.twittersettings%%), puoi abbonarti automaticamente " "alle persone che già seguivi lì." -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "%s non sta seguendo nessuno." -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "Jabber" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "SMS" @@ -4453,22 +4463,22 @@ msgstr "Impossibile aggiornare il messaggio con il nuovo URI." msgid "DB error inserting hashtag: %s" msgstr "Errore del DB nell'inserire un hashtag: %s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 msgid "Problem saving notice. Too long." msgstr "Problema nel salvare il messaggio. Troppo lungo." -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "Problema nel salvare il messaggio. Utente sconosciuto." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Troppi messaggi troppo velocemente; fai una pausa e scrivi di nuovo tra " "qualche minuto." -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4476,24 +4486,19 @@ msgstr "" "Troppi messaggi duplicati troppo velocemente; fai una pausa e scrivi di " "nuovo tra qualche minuto." -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "Ti è proibito inviare messaggi su questo sito." -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "Problema nel salvare il messaggio." -#: classes/Notice.php:811 +#: classes/Notice.php:882 msgid "Problem saving group inbox." msgstr "Problema nel salvare la casella della posta del gruppo." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "Errore del DB nell'inserire la risposta: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4518,7 +4523,7 @@ msgstr "Non hai l'abbonamento!" msgid "Couldn't delete self-subscription." msgstr "Impossibile eliminare l'auto-abbonamento." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Impossibile eliminare l'abbonamento." @@ -4527,11 +4532,11 @@ msgstr "Impossibile eliminare l'abbonamento." msgid "Welcome to %1$s, @%2$s!" msgstr "Benvenuti su %1$s, @%2$s!" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "Impossibile creare il gruppo." -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "Impossibile impostare la membership al gruppo." @@ -4755,6 +4760,18 @@ msgstr "Successivi" msgid "Before" msgstr "Precedenti" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "Non puoi apportare modifiche al sito." @@ -5054,7 +5071,6 @@ msgid "Specify the name of the user to subscribe to" msgstr "Specifica il nome dell'utente a cui abbonarti." #: lib/command.php:554 lib/command.php:589 -#, fuzzy msgid "No such user" msgstr "Utente inesistente." @@ -5063,7 +5079,7 @@ msgstr "Utente inesistente." msgid "Subscribed to %s" msgstr "Abbonati a %s" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "Specifica il nome dell'utente da cui annullare l'abbonamento." @@ -5103,37 +5119,43 @@ msgstr "" "Questo collegamento è utilizzabile una sola volta ed è valido solo per 2 " "minuti: %s" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "Abbonamento a %s annullato" + +#: lib/command.php:709 msgid "You are not subscribed to anyone." msgstr "Il tuo abbonamento è stato annullato." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Persona di cui hai già un abbonamento:" msgstr[1] "Persone di cui hai già un abbonamento:" -#: lib/command.php:703 +#: lib/command.php:731 msgid "No one is subscribed to you." msgstr "Nessuno è abbonato ai tuoi messaggi." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Questa persona è abbonata ai tuoi messaggi:" msgstr[1] "Queste persone sono abbonate ai tuoi messaggi:" -#: lib/command.php:725 +#: lib/command.php:753 msgid "You are not a member of any groups." msgstr "Non fai parte di alcun gruppo." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Non fai parte di questo gruppo:" msgstr[1] "Non fai parte di questi gruppi:" -#: lib/command.php:741 +#: lib/command.php:769 +#, fuzzy msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5147,6 +5169,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5213,21 +5236,21 @@ msgstr "" "tracks - non ancora implementato\n" "tracking - non ancora implementato\n" -#: lib/common.php:135 +#: lib/common.php:136 msgid "No configuration file found. " msgstr "Non è stato trovato alcun file di configurazione. " -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "I file di configurazione sono stati cercati in questi posti: " -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" "Potrebbe essere necessario lanciare il programma d'installazione per " "correggere il problema." -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "Vai al programma d'installazione." @@ -5722,7 +5745,7 @@ msgstr "" "iniziare una conversazione con altri utenti. Altre persone possono mandare " "messaggi riservati solamente a te." -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "via" @@ -5872,23 +5895,23 @@ msgstr "O" msgid "at" msgstr "presso" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "in una discussione" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 msgid "Repeated by" msgstr "Ripetuto da" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "Rispondi a questo messaggio" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "Rispondi" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 msgid "Notice repeated" msgstr "Messaggio ripetuto" @@ -6166,47 +6189,47 @@ msgstr "Messaggio" msgid "Moderate" msgstr "Modera" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "pochi secondi fa" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "circa un minuto fa" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "circa %d minuti fa" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "circa un'ora fa" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "circa %d ore fa" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "circa un giorno fa" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "circa %d giorni fa" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "circa un mese fa" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "circa %d mesi fa" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "circa un anno fa" diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index 9b8fd009d..e05ddbd15 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:03:25+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:51:12+0000\n" "Language-Team: Japanese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: out-statusnet\n" @@ -63,7 +63,7 @@ msgstr "æ–°è¦ç™»éŒ²ã‚’無効。" #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -191,7 +191,7 @@ msgstr "%2$s ã« %1$s ã¨å‹äººã‹ã‚‰ã®æ›´æ–°ãŒã‚ã‚Šã¾ã™ï¼" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -498,7 +498,7 @@ msgstr "ä¸æ­£ãªãƒˆãƒ¼ã‚¯ãƒ³ã€‚" #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -750,7 +750,7 @@ msgid "Preview" msgstr "プレビュー" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "削除" @@ -961,7 +961,7 @@ msgstr "ã“ã®ã‚¢ãƒ—リケーションを削除" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -992,7 +992,7 @@ msgstr "本当ã«ã“ã®ã¤ã¶ã‚„ãを削除ã—ã¾ã™ã‹ï¼Ÿ" msgid "Do not delete this notice" msgstr "ã“ã®ã¤ã¶ã‚„ãを削除ã§ãã¾ã›ã‚“。" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "ã“ã®ã¤ã¶ã‚„ãを削除" @@ -1233,7 +1233,7 @@ msgstr "記述ãŒé•·ã™ãŽã¾ã™ã€‚(最長 %d 字)" msgid "Could not update group." msgstr "グループを更新ã§ãã¾ã›ã‚“。" -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "別åを作æˆã§ãã¾ã›ã‚“。" @@ -2757,23 +2757,23 @@ msgstr "言語ãŒé•·ã™ãŽã¾ã™ã€‚(最大50å­—)" msgid "Invalid tag: \"%s\"" msgstr "ä¸æ­£ãªã‚¿ã‚°: \"%s\"" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "自動フォローã®ãŸã‚ã®ãƒ¦ãƒ¼ã‚¶ã‚’æ›´æ–°ã§ãã¾ã›ã‚“ã§ã—ãŸã€‚" -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 msgid "Couldn't save location prefs." msgstr "場所情報をä¿å­˜ã§ãã¾ã›ã‚“。" -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "プロファイルをä¿å­˜ã§ãã¾ã›ã‚“" -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "ã‚¿ã‚°ã‚’ä¿å­˜ã§ãã¾ã›ã‚“。" -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "設定ãŒä¿å­˜ã•ã‚Œã¾ã—ãŸã€‚" @@ -3205,7 +3205,7 @@ msgstr "自分ã®ã¤ã¶ã‚„ãã¯ç¹°ã‚Šè¿”ã›ã¾ã›ã‚“。" msgid "You already repeated that notice." msgstr "ã™ã§ã«ãã®ã¤ã¶ã‚„ãã‚’ç¹°ã‚Šè¿”ã—ã¦ã„ã¾ã™ã€‚" -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 msgid "Repeated" msgstr "ç¹°ã‚Šè¿”ã•ã‚ŒãŸ" @@ -3925,11 +3925,21 @@ msgstr "ã‚ãªãŸã¯ãã®ãƒ—ロファイルã«ãƒ•ã‚©ãƒ­ãƒ¼ã•ã‚Œã¦ã„ã¾ã›ã‚“ msgid "Could not save subscription." msgstr "フォローをä¿å­˜ã§ãã¾ã›ã‚“。" -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "ローカルユーザã§ã¯ã‚ã‚Šã¾ã›ã‚“。" +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "ãã®ã‚ˆã†ãªãƒ•ã‚¡ã‚¤ãƒ«ã¯ã‚ã‚Šã¾ã›ã‚“。" + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "ã‚ãªãŸã¯ãã®ãƒ—ロファイルã«ãƒ•ã‚©ãƒ­ãƒ¼ã•ã‚Œã¦ã„ã¾ã›ã‚“。" -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "フォローã—ã¦ã„ã‚‹" @@ -3993,7 +4003,7 @@ msgstr "ã‚ãªãŸãŒã¤ã¶ã‚„ãã‚’èžã„ã¦ã„る人" msgid "These are the people whose notices %s listens to." msgstr "%s ãŒã¤ã¶ã‚„ãã‚’èžã„ã¦ã„る人" -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -4009,16 +4019,16 @@ msgstr "" "twittersettings%%)ã§ã‚ã‚Œã°ã€ã‚ãªãŸã¯è‡ªå‹•çš„ã«æ—¢ã«ãƒ•ã‚©ãƒ­ãƒ¼ã—ã¦ã„る人々をフォ" "ローã§ãã¾ã™ã€‚" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "%s ã¯ã ã‚Œã‚‚言ã†ã“ã¨ã‚’èžã„ã¦ã„ã¾ã›ã‚“。" -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "Jabber" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "SMS" @@ -4435,21 +4445,21 @@ msgstr "æ–°ã—ã„URIã§ãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ã‚’アップデートã§ãã¾ã›ã‚“ã§ã— msgid "DB error inserting hashtag: %s" msgstr "ãƒãƒƒã‚·ãƒ¥ã‚¿ã‚°è¿½åŠ  DB エラー: %s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 msgid "Problem saving notice. Too long." msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚é•·ã™ãŽã§ã™ã€‚" -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚ä¸æ˜Žãªãƒ¦ãƒ¼ã‚¶ã§ã™ã€‚" -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "多ã™ãŽã‚‹ã¤ã¶ã‚„ããŒé€Ÿã™ãŽã¾ã™; 数分間ã®ä¼‘ã¿ã‚’å–ã£ã¦ã‹ã‚‰å†æŠ•ç¨¿ã—ã¦ãã ã•ã„。" -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4457,24 +4467,19 @@ msgstr "" "多ã™ãŽã‚‹é‡è¤‡ãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ãŒé€Ÿã™ãŽã¾ã™; 数分間休ã¿ã‚’å–ã£ã¦ã‹ã‚‰å†åº¦æŠ•ç¨¿ã—ã¦ãã ã•" "ã„。" -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "ã‚ãªãŸã¯ã“ã®ã‚µã‚¤ãƒˆã§ã¤ã¶ã‚„ãを投稿ã™ã‚‹ã®ãŒç¦æ­¢ã•ã‚Œã¦ã„ã¾ã™ã€‚" -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚" -#: classes/Notice.php:811 +#: classes/Notice.php:882 msgid "Problem saving group inbox." msgstr "グループå—信箱をä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚" -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "返信を追加ã™ã‚‹éš›ã«ãƒ‡ãƒ¼ã‚¿ãƒ™ãƒ¼ã‚¹ã‚¨ãƒ©ãƒ¼ : %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4499,7 +4504,7 @@ msgstr "フォローã—ã¦ã„ã¾ã›ã‚“ï¼" msgid "Couldn't delete self-subscription." msgstr "自己フォローを削除ã§ãã¾ã›ã‚“。" -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "フォローを削除ã§ãã¾ã›ã‚“" @@ -4508,11 +4513,11 @@ msgstr "フォローを削除ã§ãã¾ã›ã‚“" msgid "Welcome to %1$s, @%2$s!" msgstr "よã†ã“ã %1$sã€@%2$s!" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "グループを作æˆã§ãã¾ã›ã‚“。" -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "グループメンãƒãƒ¼ã‚·ãƒƒãƒ—をセットã§ãã¾ã›ã‚“。" @@ -4733,6 +4738,18 @@ msgstr "<<後" msgid "Before" msgstr "å‰>>" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "ã‚ãªãŸã¯ã“ã®ã‚µã‚¤ãƒˆã¸ã®å¤‰æ›´ã‚’è¡Œã†ã“ã¨ãŒã§ãã¾ã›ã‚“。" @@ -5040,7 +5057,7 @@ msgstr "ãã®ã‚ˆã†ãªãƒ¦ãƒ¼ã‚¶ã¯ã„ã¾ã›ã‚“。" msgid "Subscribed to %s" msgstr "%s をフォローã—ã¾ã—ãŸ" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "フォローをやã‚るユーザã®åå‰ã‚’指定ã—ã¦ãã ã•ã„" @@ -5078,34 +5095,39 @@ msgstr "ログインコマンドãŒç„¡åŠ¹ã«ãªã£ã¦ã„ã¾ã™ã€‚" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "ã“ã®ãƒªãƒ³ã‚¯ã¯ã€ã‹ã¤ã¦ã ã‘使用å¯èƒ½ã§ã‚ã‚Šã€2分間ã ã‘良ã„ã§ã™: %s" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "%s ã®ãƒ•ã‚©ãƒ­ãƒ¼ã‚’ã‚„ã‚ã‚‹" + +#: lib/command.php:709 msgid "You are not subscribed to anyone." msgstr "ã‚ãªãŸã¯ã ã‚Œã«ã‚‚フォローã•ã‚Œã¦ã„ã¾ã›ã‚“。" -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "ã‚ãªãŸã¯ã“ã®äººã«ãƒ•ã‚©ãƒ­ãƒ¼ã•ã‚Œã¦ã„ã¾ã™:" -#: lib/command.php:703 +#: lib/command.php:731 msgid "No one is subscribed to you." msgstr "誰もフォローã—ã¦ã„ã¾ã›ã‚“。" -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "ã“ã®äººã¯ã‚ãªãŸã«ãƒ•ã‚©ãƒ­ãƒ¼ã•ã‚Œã¦ã„ã‚‹:" -#: lib/command.php:725 +#: lib/command.php:753 msgid "You are not a member of any groups." msgstr "ã‚ãªãŸã¯ã©ã®ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¡ãƒ³ãƒãƒ¼ã§ã‚‚ã‚ã‚Šã¾ã›ã‚“。" -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "ã‚ãªãŸã¯ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¡ãƒ³ãƒãƒ¼ã§ã¯ã‚ã‚Šã¾ã›ã‚“:" -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5119,6 +5141,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5146,21 +5169,21 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 msgid "No configuration file found. " msgstr "コンフィギュレーションファイルãŒã‚ã‚Šã¾ã›ã‚“。 " -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "ç§ã¯ä»¥ä¸‹ã®å ´æ‰€ã§ã‚³ãƒ³ãƒ•ã‚£ã‚®ãƒ¥ãƒ¬ãƒ¼ã‚·ãƒ§ãƒ³ãƒ•ã‚¡ã‚¤ãƒ«ã‚’探ã—ã¾ã—ãŸ: " -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" "ã‚ãªãŸã¯ã€ã“れを修ç†ã™ã‚‹ãŸã‚ã«ã‚¤ãƒ³ã‚¹ãƒˆãƒ¼ãƒ©ã‚’å‹•ã‹ã—ãŸãŒã£ã¦ã„ã‚‹ã‹ã‚‚ã—ã‚Œã¾ã›" "ん。" -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "インストーラã¸ã€‚" @@ -5653,7 +5676,7 @@ msgstr "" "ã«å¼•ã込むプライベートメッセージをé€ã‚‹ã“ã¨ãŒã§ãã¾ã™ã€‚人々ã¯ã‚ãªãŸã ã‘ã¸ã®" "メッセージをé€ã‚‹ã“ã¨ãŒã§ãã¾ã™ã€‚" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "from" @@ -5810,23 +5833,23 @@ msgstr "西" msgid "at" msgstr "at" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 msgid "Repeated by" msgstr "" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "ã“ã®ã¤ã¶ã‚„ãã¸è¿”ä¿¡" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "返信" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 msgid "Notice repeated" msgstr "ã¤ã¶ã‚„ãã‚’ç¹°ã‚Šè¿”ã—ã¾ã—ãŸ" @@ -6105,47 +6128,47 @@ msgstr "メッセージ" msgid "Moderate" msgstr "管ç†" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "数秒å‰" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "ç´„ 1 分å‰" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "ç´„ %d 分å‰" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "ç´„ 1 時間å‰" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "ç´„ %d 時間å‰" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "ç´„ 1 æ—¥å‰" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "ç´„ %d æ—¥å‰" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "ç´„ 1 ヵ月å‰" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "ç´„ %d ヵ月å‰" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "ç´„ 1 å¹´å‰" diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index 047593b47..1653bf31b 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:03:28+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:51:15+0000\n" "Language-Team: Korean\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: out-statusnet\n" @@ -65,7 +65,7 @@ msgstr "" #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -190,7 +190,7 @@ msgstr "%1$s ë° %2$sì— ìžˆëŠ” ì¹œêµ¬ë“¤ì˜ ì—…ë°ì´íŠ¸!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -508,7 +508,7 @@ msgstr "옳지 ì•Šì€ í¬ê¸°" #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -767,7 +767,7 @@ msgid "Preview" msgstr "미리보기" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "ì‚­ì œ" @@ -985,7 +985,7 @@ msgstr "ì´ ê²Œì‹œê¸€ 삭제하기" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -1017,7 +1017,7 @@ msgstr "ì •ë§ë¡œ 통지를 삭제하시겠습니까?" msgid "Do not delete this notice" msgstr "ì´ í†µì§€ë¥¼ 지울 수 없습니다." -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "ì´ ê²Œì‹œê¸€ 삭제하기" @@ -1280,7 +1280,7 @@ msgstr "ì„¤ëª…ì´ ë„ˆë¬´ 길어요. (최대 140글ìž)" msgid "Could not update group." msgstr "ê·¸ë£¹ì„ ì—…ë°ì´íŠ¸ í•  수 없습니다." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 #, fuzzy msgid "Could not create aliases." msgstr "좋아하는 ê²Œì‹œê¸€ì„ ìƒì„±í•  수 없습니다." @@ -2821,24 +2821,24 @@ msgstr "언어가 너무 ê¹ë‹ˆë‹¤. (최대 50글ìž)" msgid "Invalid tag: \"%s\"" msgstr "유효하지 ì•Šì€íƒœê·¸: \"%s\"" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "ìžë™êµ¬ë…ì— ì‚¬ìš©ìžë¥¼ ì—…ë°ì´íŠ¸ í•  수 없습니다." -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 #, fuzzy msgid "Couldn't save location prefs." msgstr "태그를 저장할 수 없습니다." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "í”„ë¡œí•„ì„ ì €ìž¥ í•  수 없습니다." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "태그를 저장할 수 없습니다." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "설정 저장" @@ -3264,7 +3264,7 @@ msgstr "ë¼ì´ì„ ìŠ¤ì— ë™ì˜í•˜ì§€ 않는다면 등ë¡í•  수 없습니다." msgid "You already repeated that notice." msgstr "ë‹¹ì‹ ì€ ì´ë¯¸ ì´ ì‚¬ìš©ìžë¥¼ 차단하고 있습니다." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 #, fuzzy msgid "Repeated" msgstr "ìƒì„±" @@ -3967,11 +3967,21 @@ msgstr "ë‹¹ì‹ ì€ ì´ í”„ë¡œí•„ì— êµ¬ë…ë˜ì§€ 않고있습니다." msgid "Could not save subscription." msgstr "구ë…ì„ ì €ìž¥í•  수 없습니다." -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "로컬 ì‚¬ìš©ìž ì•„ë‹™ë‹ˆë‹¤." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "그러한 통지는 없습니다." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "ë‹¹ì‹ ì€ ì´ í”„ë¡œí•„ì— êµ¬ë…ë˜ì§€ 않고있습니다." -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "구ë…하였습니다." @@ -4031,7 +4041,7 @@ msgstr "ê·€í•˜ì˜ í†µì§€ë¥¼ 받고 있는 사람" msgid "These are the people whose notices %s listens to." msgstr "%së‹˜ì´ ë°›ê³  있는 í†µì§€ì˜ ì‚¬ëžŒ" -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -4041,16 +4051,16 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, fuzzy, php-format msgid "%s is not listening to anyone." msgstr "%1$s 는 지금 듣고 있습니다." -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "Jabber" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "SMS" @@ -4474,23 +4484,23 @@ msgstr "새 URI와 함께 메시지를 ì—…ë°ì´íŠ¸í•  수 없습니다." msgid "DB error inserting hashtag: %s" msgstr "해쉬테그를 추가 í•  ë•Œì— ë°ì´íƒ€ë² ì´ìŠ¤ ì—러 : %s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 #, fuzzy msgid "Problem saving notice. Too long." msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "게시글 저장문제. ì•Œë ¤ì§€ì§€ì•Šì€ íšŒì›" -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "너무 ë§Žì€ ê²Œì‹œê¸€ì´ ë„ˆë¬´ 빠르게 올ë¼ì˜µë‹ˆë‹¤. 한숨고르고 ëª‡ë¶„í›„ì— ë‹¤ì‹œ í¬ìŠ¤íŠ¸ë¥¼ " "해보세요." -#: classes/Notice.php:230 +#: classes/Notice.php:237 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4499,25 +4509,20 @@ msgstr "" "너무 ë§Žì€ ê²Œì‹œê¸€ì´ ë„ˆë¬´ 빠르게 올ë¼ì˜µë‹ˆë‹¤. 한숨고르고 ëª‡ë¶„í›„ì— ë‹¤ì‹œ í¬ìŠ¤íŠ¸ë¥¼ " "해보세요." -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "ì´ ì‚¬ì´íŠ¸ì— 게시글 í¬ìŠ¤íŒ…으로부터 ë‹¹ì‹ ì€ ê¸ˆì§€ë˜ì—ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:811 +#: classes/Notice.php:882 #, fuzzy msgid "Problem saving group inbox." msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "ë‹µì‹ ì„ ì¶”ê°€ í•  ë•Œì— ë°ì´íƒ€ë² ì´ìŠ¤ ì—러 : %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4545,7 +4550,7 @@ msgstr "구ë…하고 있지 않습니다!" msgid "Couldn't delete self-subscription." msgstr "예약 구ë…ì„ ì‚­ì œ í•  수 없습니다." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "예약 구ë…ì„ ì‚­ì œ í•  수 없습니다." @@ -4554,11 +4559,11 @@ msgstr "예약 구ë…ì„ ì‚­ì œ í•  수 없습니다." msgid "Welcome to %1$s, @%2$s!" msgstr "%2$sì—ì„œ %1$s까지 메시지" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "새 ê·¸ë£¹ì„ ë§Œë“¤ 수 없습니다." -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "그룹 ë§´ë²„ì‹­ì„ ì„¸íŒ…í•  수 없습니다." @@ -4784,6 +4789,18 @@ msgstr "ë’· 페ì´ì§€" msgid "Before" msgstr "ì•ž 페ì´ì§€" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 #, fuzzy msgid "You cannot make changes to this site." @@ -5099,7 +5116,6 @@ msgid "Specify the name of the user to subscribe to" msgstr "구ë…하려는 사용ìžì˜ ì´ë¦„ì„ ì§€ì •í•˜ì‹­ì‹œì˜¤." #: lib/command.php:554 lib/command.php:589 -#, fuzzy msgid "No such user" msgstr "그러한 사용ìžëŠ” 없습니다." @@ -5108,7 +5124,7 @@ msgstr "그러한 사용ìžëŠ” 없습니다." msgid "Subscribed to %s" msgstr "%sì—게 구ë…ë˜ì—ˆìŠµë‹ˆë‹¤." -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "구ë…ì„ í•´ì œí•˜ë ¤ëŠ” 사용ìžì˜ ì´ë¦„ì„ ì§€ì •í•˜ì‹­ì‹œì˜¤." @@ -5146,37 +5162,42 @@ msgstr "" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "%sì—ì„œ 구ë…ì„ í•´ì œí–ˆìŠµë‹ˆë‹¤." + +#: lib/command.php:709 #, fuzzy msgid "You are not subscribed to anyone." msgstr "ë‹¹ì‹ ì€ ì´ í”„ë¡œí•„ì— êµ¬ë…ë˜ì§€ 않고있습니다." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "ë‹¹ì‹ ì€ ë‹¤ìŒ ì‚¬ìš©ìžë¥¼ ì´ë¯¸ 구ë…하고 있습니다." -#: lib/command.php:703 +#: lib/command.php:731 #, fuzzy msgid "No one is subscribed to you." msgstr "다른 ì‚¬ëžŒì„ êµ¬ë… í•˜ì‹¤ 수 없습니다." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "다른 ì‚¬ëžŒì„ êµ¬ë… í•˜ì‹¤ 수 없습니다." -#: lib/command.php:725 +#: lib/command.php:753 #, fuzzy msgid "You are not a member of any groups." msgstr "ë‹¹ì‹ ì€ í•´ë‹¹ ê·¸ë£¹ì˜ ë©¤ë²„ê°€ 아닙니다." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "ë‹¹ì‹ ì€ í•´ë‹¹ ê·¸ë£¹ì˜ ë©¤ë²„ê°€ 아닙니다." -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5190,6 +5211,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5217,20 +5239,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 #, fuzzy msgid "No configuration file found. " msgstr "í™•ì¸ ì½”ë“œê°€ 없습니다." -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:139 +#: lib/common.php:140 #, fuzzy msgid "Go to the installer." msgstr "ì´ ì‚¬ì´íŠ¸ 로그ì¸" @@ -5651,7 +5673,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 #, fuzzy msgid "from" msgstr "다ìŒì—ì„œ:" @@ -5801,25 +5823,25 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 #, fuzzy msgid "in context" msgstr "ë‚´ìš©ì´ ì—†ìŠµë‹ˆë‹¤!" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 #, fuzzy msgid "Repeated by" msgstr "ìƒì„±" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "ì´ ê²Œì‹œê¸€ì— ëŒ€í•´ 답장하기" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "답장하기" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 #, fuzzy msgid "Notice repeated" msgstr "ê²Œì‹œê¸€ì´ ë“±ë¡ë˜ì—ˆìŠµë‹ˆë‹¤." @@ -6114,47 +6136,47 @@ msgstr "메시지" msgid "Moderate" msgstr "" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "몇 ì´ˆ ì „" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "1분 ì „" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "%d분 ì „" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "1시간 ì „" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "%d시간 ì „" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "하루 ì „" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "%dì¼ ì „" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "1달 ì „" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "%d달 ì „" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "1ë…„ ì „" diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index 16697578b..14efaf620 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:03:31+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:51:18+0000\n" "Language-Team: Macedonian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: out-statusnet\n" @@ -63,7 +63,7 @@ msgstr "Оневозможи нови региÑтрации." #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -194,7 +194,7 @@ msgstr "Подновувања од %1$s и пријатели на %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -501,7 +501,7 @@ msgstr "Погрешен жетон." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -760,7 +760,7 @@ msgid "Preview" msgstr "Преглед" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "Бриши" @@ -971,7 +971,7 @@ msgstr "Избриши го програмов" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -1002,7 +1002,7 @@ msgstr "Дали Ñте Ñигурни дека Ñакате да ја избр msgid "Do not delete this notice" msgstr "Ðе ја бриши оваа забелешка" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "Бриши ја оваа забелешка" @@ -1243,7 +1243,7 @@ msgstr "опиÑот е предолг (макÑимум %d знаци)" msgid "Could not update group." msgstr "Ðе можев да ја подновам групата." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "Ðе можеше да Ñе Ñоздадат алијаÑи." @@ -2780,23 +2780,23 @@ msgstr "Јазикот е предлог (највеќе до 50 знаци)." msgid "Invalid tag: \"%s\"" msgstr "Ðеважечка ознака: „%s“" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "Ðе можев да го подновам кориÑникот за автопретплата." -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 msgid "Couldn't save location prefs." msgstr "Ðе можев да ги зачувам нагодувањата за локација" -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "Ðе можам да го зачувам профилот." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "Ðе можев да ги зачувам ознаките." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "Ðагодувањата Ñе зачувани" @@ -3233,7 +3233,7 @@ msgstr "Ðе можете да повторувате ÑопÑтвена заб msgid "You already repeated that notice." msgstr "Веќе ја имате повторено таа забелешка." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 msgid "Repeated" msgstr "Повторено" @@ -3955,11 +3955,21 @@ msgstr "Ðе Ñте претплатени на тој профил." msgid "Could not save subscription." msgstr "Ðе можев да ја зачувам претплатата." -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "Ðе е локален кориÑник." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "Ðема таква податотека." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "Ðе Ñте претплатени на тој профил." -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "Претплатено" @@ -4023,7 +4033,7 @@ msgstr "Ова Ñе луѓето чии забелешки ги Ñледите." msgid "These are the people whose notices %s listens to." msgstr "Ова Ñе луѓето чии забелешки ги Ñледи %s." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -4038,16 +4048,16 @@ msgstr "" "(%%action.featured%%). Ðко Ñте [кориÑник на Twitter](%%action.twittersettings" "%%), тука можете автоматÑки да Ñе претплатите на луѓе кои таму ги Ñледите." -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "%s не Ñледи никого." -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "Jabber" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "СМС" @@ -4475,22 +4485,22 @@ msgstr "Ðе можев да ја подновам пораката Ñо нов msgid "DB error inserting hashtag: %s" msgstr "Грешка во базата на податоци при вметнувањето на хеш-ознака: %s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 msgid "Problem saving notice. Too long." msgstr "Проблем Ñо зачувувањето на белешката. Премногу долго." -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "Проблем Ñо зачувувањето на белешката. Ðепознат кориÑник." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Премногу забелњшки за прекратко време; здивнете малку и продолжете за " "неколку минути." -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4498,24 +4508,19 @@ msgstr "" "Премногу дуплирани пораки во прекратко време; здивнете малку и продолжете за " "неколку минути." -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "Забрането Ви е да објавувате забелешки на оваа веб-Ñтраница." -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "Проблем во зачувувањето на белешката." -#: classes/Notice.php:811 +#: classes/Notice.php:882 msgid "Problem saving group inbox." msgstr "Проблем при зачувувањето на групното приемно Ñандаче." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "Одговор од внеÑот во базата: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4541,7 +4546,7 @@ msgstr "Ðе Ñте претплатени!" msgid "Couldn't delete self-subscription." msgstr "Ðе можам да ја избришам Ñамопретплатата." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Претплата не може да Ñе избрише." @@ -4550,11 +4555,11 @@ msgstr "Претплата не може да Ñе избрише." msgid "Welcome to %1$s, @%2$s!" msgstr "Добредојдовте на %1$s, @%2$s!" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "Ðе можев да ја Ñоздадам групата." -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "Ðе можев да назначам членÑтво во групата." @@ -4779,6 +4784,18 @@ msgstr "По" msgid "Before" msgstr "Пред" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "Ðе можете да ја менувате оваа веб-Ñтраница." @@ -5079,16 +5096,15 @@ msgid "Specify the name of the user to subscribe to" msgstr "Ðазначете го името на кориÑникот на којшто Ñакате да Ñе претплатите" #: lib/command.php:554 lib/command.php:589 -#, fuzzy msgid "No such user" -msgstr "Ðема таков кориÑник." +msgstr "Ðема таков кориÑник" #: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "Претплатено на %s" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "Ðазначете го името на кориÑникот од кого откажувате претплата." @@ -5126,37 +5142,43 @@ msgstr "Ðаредбата за најава е оневозможена" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "Оваа врÑка може да Ñе употреби Ñамо еднаш, и трае Ñамо 2 минути: %s" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "Претплатата на %s е откажана" + +#: lib/command.php:709 msgid "You are not subscribed to anyone." msgstr "Ðе Ñте претплатени никому." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Ðе ни го иÑпративте тој профил." msgstr[1] "Ðе ни го иÑпративте тој профил." -#: lib/command.php:703 +#: lib/command.php:731 msgid "No one is subscribed to you." msgstr "Ðикој не е претплатен на ВаÑ." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Оддалечена претплата" msgstr[1] "Оддалечена претплата" -#: lib/command.php:725 +#: lib/command.php:753 msgid "You are not a member of any groups." msgstr "Ðе членувате во ниедна група." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Ðе ни го иÑпративте тој профил." msgstr[1] "Ðе ни го иÑпративте тој профил." -#: lib/command.php:741 +#: lib/command.php:769 +#, fuzzy msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5170,6 +5192,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5234,19 +5257,19 @@ msgstr "" "tracks - Ñè уште не е имплементирано.\n" "tracking - Ñè уште не е имплементирано.\n" -#: lib/common.php:135 +#: lib/common.php:136 msgid "No configuration file found. " msgstr "Ðема пронајдено конфигурациÑка податотека. " -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "Побарав конфигурациони податотеки на Ñледниве меÑта: " -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "Препорачуваме да го пуштите инÑталатерот за да го поправите ова." -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "Оди на инÑталаторот." @@ -5744,7 +5767,7 @@ msgstr "" "впуштите во разговор Ñо други кориÑници. Луѓето можат да ви иÑпраќаат пораки " "што ќе можете да ги видите Ñамо Вие." -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "од" @@ -5897,23 +5920,23 @@ msgstr "З" msgid "at" msgstr "во" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "во контекÑÑ‚" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 msgid "Repeated by" msgstr "Повторено од" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "Одговори на забелешкава" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "Одговор" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 msgid "Notice repeated" msgstr "Забелешката е повторена" @@ -6191,47 +6214,47 @@ msgstr "Порака" msgid "Moderate" msgstr "Модерирај" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "пред неколку Ñекунди" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "пред една минута" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "пред %d минути" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "пред еден чаÑ" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "пред %d чаÑа" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "пред еден ден" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "пред %d денови" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "пред еден меÑец" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "пред %d меÑеца" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "пред една година" diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index c107f4906..cf3daf093 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:03:34+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:51:22+0000\n" "Language-Team: Norwegian (bokmÃ¥l)‬\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: out-statusnet\n" @@ -60,7 +60,7 @@ msgstr "Deaktiver nye registreringer." #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -189,7 +189,7 @@ msgstr "Oppdateringer fra %1$s og venner pÃ¥ %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -496,7 +496,7 @@ msgstr "Ugyldig størrelse" #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -746,7 +746,7 @@ msgid "Preview" msgstr "ForhÃ¥ndsvis" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "Slett" @@ -953,7 +953,7 @@ msgstr "Slett dette programmet" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -984,7 +984,7 @@ msgstr "Er du sikker pÃ¥ at du vil slette denne notisen?" msgid "Do not delete this notice" msgstr "Ikke slett denne notisen" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "Slett denne notisen" @@ -1228,7 +1228,7 @@ msgstr "beskrivelse er for lang (maks %d tegn)" msgid "Could not update group." msgstr "Kunne ikke oppdatere gruppe." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "Kunne ikke opprette alias." @@ -2708,25 +2708,25 @@ msgstr "SprÃ¥k er for langt (maks 50 tegn)." msgid "Invalid tag: \"%s\"" msgstr "Ugyldig hjemmeside '%s'" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "" -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 #, fuzzy msgid "Couldn't save location prefs." msgstr "Klarte ikke Ã¥ lagre profil." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "Klarte ikke Ã¥ lagre profil." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 #, fuzzy msgid "Couldn't save tags." msgstr "Klarte ikke Ã¥ lagre profil." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "" @@ -3139,7 +3139,7 @@ msgstr "" msgid "You already repeated that notice." msgstr "Du er allerede logget inn!" -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 msgid "Repeated" msgstr "Gjentatt" @@ -3829,12 +3829,20 @@ msgstr "" msgid "Could not save subscription." msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" -#: actions/subscribe.php:55 +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 #, fuzzy -msgid "Not a local user." -msgstr "Ugyldig OpenID" +msgid "No such profile." +msgstr "Ingen slik fil." -#: actions/subscribe.php:69 +#: actions/subscribe.php:117 +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "" + +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "" @@ -3894,7 +3902,7 @@ msgstr "" msgid "These are the people whose notices %s listens to." msgstr "" -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -3904,17 +3912,17 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, fuzzy, php-format msgid "%s is not listening to anyone." msgstr "%1$s lytter nÃ¥ til dine notiser pÃ¥ %2$s." -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 #, fuzzy msgid "Jabber" msgstr "Ingen Jabber ID." -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "" @@ -4323,43 +4331,38 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:215 +#: classes/Notice.php:222 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "" -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:811 +#: classes/Notice.php:882 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4386,7 +4389,7 @@ msgstr "Alle abonnementer" msgid "Couldn't delete self-subscription." msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "" @@ -4395,12 +4398,12 @@ msgstr "" msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:413 +#: classes/User_group.php:423 #, fuzzy msgid "Could not create group." msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" -#: classes/User_group.php:442 +#: classes/User_group.php:452 #, fuzzy msgid "Could not set group membership." msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" @@ -4623,6 +4626,18 @@ msgstr "" msgid "Before" msgstr "Tidligere »" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "" @@ -4934,7 +4949,7 @@ msgstr "Ingen slik bruker" msgid "Subscribed to %s" msgstr "" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "" @@ -4972,40 +4987,45 @@ msgstr "" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "Svar til %s" + +#: lib/command.php:709 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Ikke autorisert." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Ikke autorisert." msgstr[1] "Ikke autorisert." -#: lib/command.php:703 +#: lib/command.php:731 #, fuzzy msgid "No one is subscribed to you." msgstr "Svar til %s" -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Svar til %s" msgstr[1] "Svar til %s" -#: lib/command.php:725 +#: lib/command.php:753 #, fuzzy msgid "You are not a member of any groups." msgstr "Du er allerede logget inn!" -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Du er allerede logget inn!" msgstr[1] "Du er allerede logget inn!" -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5019,6 +5039,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5046,20 +5067,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 #, fuzzy msgid "No configuration file found. " msgstr "Fant ikke bekreftelseskode." -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "" @@ -5483,7 +5504,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 #, fuzzy msgid "from" msgstr "fra" @@ -5633,25 +5654,25 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 #, fuzzy msgid "Repeated by" msgstr "Opprett" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 #, fuzzy msgid "Reply" msgstr "svar" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 #, fuzzy msgid "Notice repeated" msgstr "Nytt nick" @@ -5943,47 +5964,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "noen fÃ¥ sekunder siden" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "omtrent ett minutt siden" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "omtrent %d minutter siden" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "omtrent én time siden" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "omtrent %d timer siden" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "omtrent én dag siden" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "omtrent %d dager siden" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "omtrent én mÃ¥ned siden" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "omtrent %d mÃ¥neder siden" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "omtrent ett Ã¥r siden" diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index 34f28afbd..1cd71ad86 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:03:41+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:51:28+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: out-statusnet\n" @@ -62,7 +62,7 @@ msgstr "Nieuwe registraties uitschakelen." #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -193,7 +193,7 @@ msgstr "Updates van %1$s en vrienden op %2$s." #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -505,7 +505,7 @@ msgstr "Ongeldig token." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -769,7 +769,7 @@ msgid "Preview" msgstr "Voorvertoning" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "Verwijderen" @@ -980,7 +980,7 @@ msgstr "Deze applicatie verwijderen" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -1011,7 +1011,7 @@ msgstr "Weet u zeker dat u deze aankondiging wilt verwijderen?" msgid "Do not delete this notice" msgstr "Deze mededeling niet verwijderen" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "Deze mededeling verwijderen" @@ -1253,7 +1253,7 @@ msgstr "de beschrijving is te lang (maximaal %d tekens)" msgid "Could not update group." msgstr "Het was niet mogelijk de groep bij te werken." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "Het was niet mogelijk de aliassen aan te maken." @@ -2797,25 +2797,25 @@ msgstr "Taal is te lang (max 50 tekens)." msgid "Invalid tag: \"%s\"" msgstr "Ongeldig label: '%s'" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "" "Het was niet mogelijk de instelling voor automatisch abonneren voor de " "gebruiker bij te werken." -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 msgid "Couldn't save location prefs." msgstr "Het was niet mogelijk de locatievoorkeuren op te slaan." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "Het profiel kon niet opgeslagen worden." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "Het was niet mogelijk de labels op te slaan." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "De instellingen zijn opgeslagen." @@ -3254,7 +3254,7 @@ msgstr "U kunt uw eigen mededeling niet herhalen." msgid "You already repeated that notice." msgstr "U hent die mededeling al herhaald." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 msgid "Repeated" msgstr "Herhaald" @@ -3979,11 +3979,21 @@ msgstr "U bent niet geabonneerd op dat profiel." msgid "Could not save subscription." msgstr "Het was niet mogelijk het abonnement op te slaan." -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "Dit is geen lokale gebruiker." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "Het bestand bestaat niet." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "U bent niet geabonneerd op dat profiel." -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "Geabonneerd" @@ -4047,7 +4057,7 @@ msgstr "Dit zijn de gebruikers van wie u de mededelingen volgt." msgid "These are the people whose notices %s listens to." msgstr "Dit zijn de gebruikers waarvan %s de mededelingen volgt." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -4063,16 +4073,16 @@ msgstr "" "action.twittersettings%%), kunt u automatisch abonneren op de gebruikers die " "u daar al volgt." -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "%s volgt niemand." -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "Jabber" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "SMS" @@ -4503,26 +4513,26 @@ msgstr "Het was niet mogelijk het bericht bij te werken met de nieuwe URI." msgid "DB error inserting hashtag: %s" msgstr "Er is een databasefout opgetreden bij de invoer van de hashtag: %s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 msgid "Problem saving notice. Too long." msgstr "" "Er is een probleem opgetreden bij het opslaan van de mededeling. Deze is te " "lang." -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "" "Er was een probleem bij het opslaan van de mededeling. De gebruiker is " "onbekend." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "U hebt te snel te veel mededelingen verstuurd. Kom even op adem en probeer " "het over enige tijd weer." -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4530,28 +4540,22 @@ msgstr "" "Te veel duplicaatberichten te snel achter elkaar. Neem een adempauze en " "plaats over een aantal minuten pas weer een bericht." -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "" "U bent geblokkeerd en mag geen mededelingen meer achterlaten op deze site." -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "Er is een probleem opgetreden bij het opslaan van de mededeling." -#: classes/Notice.php:811 +#: classes/Notice.php:882 msgid "Problem saving group inbox." msgstr "" "Er is een probleem opgetreden bij het opslaan van het Postvak IN van de " "groep." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "" -"Er is een databasefout opgetreden bij het invoegen van het antwoord: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4576,7 +4580,7 @@ msgstr "Niet geabonneerd!" msgid "Couldn't delete self-subscription." msgstr "Het was niet mogelijk het abonnement op uzelf te verwijderen." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Kon abonnement niet verwijderen." @@ -4585,11 +4589,11 @@ msgstr "Kon abonnement niet verwijderen." msgid "Welcome to %1$s, @%2$s!" msgstr "Welkom bij %1$s, @%2$s!" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "Het was niet mogelijk de groep aan te maken." -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "Het was niet mogelijk het groepslidmaatschap in te stellen." @@ -4814,6 +4818,18 @@ msgstr "Later" msgid "Before" msgstr "Eerder" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "U mag geen wijzigingen maken aan deze website." @@ -5116,16 +5132,15 @@ msgid "Specify the name of the user to subscribe to" msgstr "Geef de naam op van de gebruiker waarop u wilt abonneren" #: lib/command.php:554 lib/command.php:589 -#, fuzzy msgid "No such user" -msgstr "Onbekende gebruiker." +msgstr "De opgegeven gebruiker bestaat niet" #: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "Geabonneerd op %s" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "" "Geef de naam op van de gebruiker waarvoor u het abonnement wilt opzeggen" @@ -5166,37 +5181,43 @@ msgstr "" "Deze verwijzing kan slechts één keer gebruikt worden en is twee minuten " "geldig: %s" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "Uw abonnement op %s is opgezegd" + +#: lib/command.php:709 msgid "You are not subscribed to anyone." msgstr "U bent op geen enkele gebruiker geabonneerd." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "U bent geabonneerd op deze gebruiker:" msgstr[1] "U bent geabonneerd op deze gebruikers:" -#: lib/command.php:703 +#: lib/command.php:731 msgid "No one is subscribed to you." msgstr "Niemand heeft een abonnenment op u." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Deze gebruiker is op u geabonneerd:" msgstr[1] "Deze gebruikers zijn op u geabonneerd:" -#: lib/command.php:725 +#: lib/command.php:753 msgid "You are not a member of any groups." msgstr "U bent lid van geen enkele groep." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "U bent lid van deze groep:" msgstr[1] "U bent lid van deze groepen:" -#: lib/command.php:741 +#: lib/command.php:769 +#, fuzzy msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5210,6 +5231,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5276,20 +5298,20 @@ msgstr "" "tracks - nog niet beschikbaar\n" "tracking - nog niet beschikbaar\n" -#: lib/common.php:135 +#: lib/common.php:136 msgid "No configuration file found. " msgstr "Er is geen instellingenbestand aangetroffen. " -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "Er is gezocht naar instellingenbestanden op de volgende plaatsen: " -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" "U kunt proberen de installer uit te voeren om dit probleem op te lossen." -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "Naar het installatieprogramma gaan." @@ -5786,7 +5808,7 @@ msgstr "" "U hebt geen privéberichten. U kunt privéberichten verzenden aan andere " "gebruikers. Mensen kunnen u privéberichten sturen die alleen u kunt lezen." -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "van" @@ -5939,23 +5961,23 @@ msgstr "W" msgid "at" msgstr "op" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "in context" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 msgid "Repeated by" msgstr "Herhaald door" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "Op deze mededeling antwoorden" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "Antwoorden" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 msgid "Notice repeated" msgstr "Mededeling herhaald" @@ -6234,47 +6256,47 @@ msgstr "Bericht" msgid "Moderate" msgstr "Modereren" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "een paar seconden geleden" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "ongeveer een minuut geleden" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "ongeveer %d minuten geleden" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "ongeveer een uur geleden" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "ongeveer %d uur geleden" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "ongeveer een dag geleden" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "ongeveer %d dagen geleden" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "ongeveer een maand geleden" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "ongeveer %d maanden geleden" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "ongeveer een jaar geleden" diff --git a/locale/nn/LC_MESSAGES/statusnet.po b/locale/nn/LC_MESSAGES/statusnet.po index 02da6a191..55918d880 100644 --- a/locale/nn/LC_MESSAGES/statusnet.po +++ b/locale/nn/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:03:37+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:51:25+0000\n" "Language-Team: Norwegian Nynorsk\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nn\n" "X-Message-Group: out-statusnet\n" @@ -65,7 +65,7 @@ msgstr "" #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -190,7 +190,7 @@ msgstr "Oppdateringar frÃ¥ %1$s og vener pÃ¥ %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -506,7 +506,7 @@ msgstr "Ugyldig storleik." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -765,7 +765,7 @@ msgid "Preview" msgstr "Forhandsvis" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "Slett" @@ -983,7 +983,7 @@ msgstr "Slett denne notisen" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -1016,7 +1016,7 @@ msgstr "Sikker pÃ¥ at du vil sletta notisen?" msgid "Do not delete this notice" msgstr "Kan ikkje sletta notisen." -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "Slett denne notisen" @@ -1279,7 +1279,7 @@ msgstr "skildringa er for lang (maks 140 teikn)." msgid "Could not update group." msgstr "Kann ikkje oppdatera gruppa." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 #, fuzzy msgid "Could not create aliases." msgstr "Kunne ikkje lagre favoritt." @@ -2830,24 +2830,24 @@ msgstr "SprÃ¥k er for langt (maksimalt 50 teikn)." msgid "Invalid tag: \"%s\"" msgstr "Ugyldig merkelapp: %s" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "Kan ikkje oppdatera brukar for automatisk tinging." -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 #, fuzzy msgid "Couldn't save location prefs." msgstr "Kan ikkje lagra merkelapp." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "Kan ikkje lagra profil." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "Kan ikkje lagra merkelapp." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "Lagra innstillingar." @@ -3277,7 +3277,7 @@ msgstr "Du kan ikkje registrera deg om du ikkje godtek vilkÃ¥ra i lisensen." msgid "You already repeated that notice." msgstr "Du har allereie blokkert denne brukaren." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 #, fuzzy msgid "Repeated" msgstr "Lag" @@ -3981,11 +3981,21 @@ msgstr "Du tingar ikkje oppdateringar til den profilen." msgid "Could not save subscription." msgstr "Kunne ikkje lagra abonnement." -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "Ikkje ein lokal brukar." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "Denne notisen finst ikkje." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "Du tingar ikkje oppdateringar til den profilen." -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "Abonnent" @@ -4045,7 +4055,7 @@ msgstr "Dette er dei du lyttar til." msgid "These are the people whose notices %s listens to." msgstr "Dette er folka som %s tingar oppdateringar frÃ¥." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -4055,16 +4065,16 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, fuzzy, php-format msgid "%s is not listening to anyone." msgstr "%1$s høyrer no pÃ¥" -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "Jabber" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "SMS" @@ -4493,22 +4503,22 @@ msgstr "Kunne ikkje oppdatere melding med ny URI." msgid "DB error inserting hashtag: %s" msgstr "databasefeil ved innsetjing av skigardmerkelapp (#merkelapp): %s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Eit problem oppstod ved lagring av notis." -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "Feil ved lagring av notis. Ukjend brukar." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "For mange notisar for raskt; tek ei pause, og prøv igjen om eit par minutt." -#: classes/Notice.php:230 +#: classes/Notice.php:237 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4516,25 +4526,20 @@ msgid "" msgstr "" "For mange notisar for raskt; tek ei pause, og prøv igjen om eit par minutt." -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "Du kan ikkje lengre legge inn notisar pÃ¥ denne sida." -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "Eit problem oppstod ved lagring av notis." -#: classes/Notice.php:811 +#: classes/Notice.php:882 #, fuzzy msgid "Problem saving group inbox." msgstr "Eit problem oppstod ved lagring av notis." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "Databasefeil, kan ikkje lagra svar: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4562,7 +4567,7 @@ msgstr "Ikkje tinga." msgid "Couldn't delete self-subscription." msgstr "Kan ikkje sletta tinging." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Kan ikkje sletta tinging." @@ -4571,11 +4576,11 @@ msgstr "Kan ikkje sletta tinging." msgid "Welcome to %1$s, @%2$s!" msgstr "Melding til %1$s pÃ¥ %2$s" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "Kunne ikkje laga gruppa." -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "Kunne ikkje bli med i gruppa." @@ -4801,6 +4806,18 @@ msgstr "« Etter" msgid "Before" msgstr "Før »" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 #, fuzzy msgid "You cannot make changes to this site." @@ -5116,7 +5133,6 @@ msgid "Specify the name of the user to subscribe to" msgstr "Spesifer namnet til brukaren du vil tinge" #: lib/command.php:554 lib/command.php:589 -#, fuzzy msgid "No such user" msgstr "Brukaren finst ikkje." @@ -5125,7 +5141,7 @@ msgstr "Brukaren finst ikkje." msgid "Subscribed to %s" msgstr "Tingar %s" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "Spesifer namnet til brukar du vil fjerne tinging pÃ¥" @@ -5163,40 +5179,45 @@ msgstr "" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "Tingar ikkje %s lengre" + +#: lib/command.php:709 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Du tingar ikkje oppdateringar til den profilen." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Du tingar allereie oppdatering frÃ¥ desse brukarane:" msgstr[1] "Du tingar allereie oppdatering frÃ¥ desse brukarane:" -#: lib/command.php:703 +#: lib/command.php:731 #, fuzzy msgid "No one is subscribed to you." msgstr "Kan ikkje tinga andre til deg." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Kan ikkje tinga andre til deg." msgstr[1] "Kan ikkje tinga andre til deg." -#: lib/command.php:725 +#: lib/command.php:753 #, fuzzy msgid "You are not a member of any groups." msgstr "Du er ikkje medlem av den gruppa." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Du er ikkje medlem av den gruppa." msgstr[1] "Du er ikkje medlem av den gruppa." -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5210,6 +5231,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5237,20 +5259,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 #, fuzzy msgid "No configuration file found. " msgstr "Ingen stadfestingskode." -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:139 +#: lib/common.php:140 #, fuzzy msgid "Go to the installer." msgstr "Logg inn or sida" @@ -5678,7 +5700,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 #, fuzzy msgid "from" msgstr " frÃ¥ " @@ -5828,25 +5850,25 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 #, fuzzy msgid "in context" msgstr "Ingen innhald." -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 #, fuzzy msgid "Repeated by" msgstr "Lag" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "Svar pÃ¥ denne notisen" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "Svar" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 #, fuzzy msgid "Notice repeated" msgstr "Melding lagra" @@ -6141,47 +6163,47 @@ msgstr "Melding" msgid "Moderate" msgstr "" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "eit par sekund sidan" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "omtrent eitt minutt sidan" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "~%d minutt sidan" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "omtrent ein time sidan" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "~%d timar sidan" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "omtrent ein dag sidan" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "~%d dagar sidan" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "omtrent ein mÃ¥nad sidan" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "~%d mÃ¥nadar sidan" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "omtrent eitt Ã¥r sidan" diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index d404e00bd..79b37a5e4 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:03:44+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:51:31+0000\n" "Last-Translator: Piotr DrÄ…g \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -19,7 +19,7 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: out-statusnet\n" @@ -65,7 +65,7 @@ msgstr "WyÅ‚Ä…czenie nowych rejestracji." #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -196,7 +196,7 @@ msgstr "Aktualizacje z %1$s i przyjaciół na %2$s." #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -502,7 +502,7 @@ msgstr "NieprawidÅ‚owy token." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -756,7 +756,7 @@ msgid "Preview" msgstr "PodglÄ…d" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "UsuÅ„" @@ -965,7 +965,7 @@ msgstr "UsuÅ„ tÄ™ aplikacjÄ™" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -996,7 +996,7 @@ msgstr "JesteÅ› pewien, że chcesz usunąć ten wpis?" msgid "Do not delete this notice" msgstr "Nie usuwaj tego wpisu" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "UsuÅ„ ten wpis" @@ -1235,7 +1235,7 @@ msgstr "opis jest za dÅ‚ugi (maksymalnie %d znaków)." msgid "Could not update group." msgstr "Nie można zaktualizować grupy." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "Nie można utworzyć aliasów." @@ -2756,23 +2756,23 @@ msgstr "JÄ™zyk jest za dÅ‚ugi (maksymalnie 50 znaków)." msgid "Invalid tag: \"%s\"" msgstr "NieprawidÅ‚owy znacznik: \"%s\"" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "Nie można zaktualizować użytkownika do automatycznej subskrypcji." -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 msgid "Couldn't save location prefs." msgstr "Nie można zapisać preferencji poÅ‚ożenia." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "Nie można zapisać profilu." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "Nie można zapisać znaczników." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "Zapisano ustawienia." @@ -3206,7 +3206,7 @@ msgstr "Nie można powtórzyć wÅ‚asnego wpisu." msgid "You already repeated that notice." msgstr "Już powtórzono ten wpis." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 msgid "Repeated" msgstr "Powtórzono" @@ -3923,11 +3923,21 @@ msgstr "Nie jesteÅ› subskrybowany do tego profilu." msgid "Could not save subscription." msgstr "Nie można zapisać subskrypcji." -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "Nie jest lokalnym użytkownikiem." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "Nie ma takiego pliku." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "Nie jesteÅ› subskrybowany do tego profilu." -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "Subskrybowano" @@ -3991,7 +4001,7 @@ msgstr "Osoby, których wpisy obserwujesz." msgid "These are the people whose notices %s listens to." msgstr "Osoby, których wpisy obserwuje użytkownik %s." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -4007,16 +4017,16 @@ msgstr "" "twittersettings%%), można automatycznie subskrybować osoby, które tam już " "obserwujesz." -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "Użytkownik %s nie obserwuje nikogo." -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "Jabber" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "SMS" @@ -4444,22 +4454,22 @@ msgstr "Nie można zaktualizować wiadomoÅ›ci za pomocÄ… nowego adresu URL." msgid "DB error inserting hashtag: %s" msgstr "BÅ‚Ä…d bazy danych podczas wprowadzania znacznika mieszania: %s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 msgid "Problem saving notice. Too long." msgstr "Problem podczas zapisywania wpisu. Za dÅ‚ugi." -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "Problem podczas zapisywania wpisu. Nieznany użytkownik." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Za dużo wpisów w za krótkim czasie, weź gÅ‚Ä™boki oddech i wyÅ›lij ponownie za " "kilka minut." -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4467,24 +4477,19 @@ msgstr "" "Za dużo takich samych wiadomoÅ›ci w za krótkim czasie, weź gÅ‚Ä™boki oddech i " "wyÅ›lij ponownie za kilka minut." -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "Zabroniono ci wysyÅ‚ania wpisów na tej witrynie." -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "Problem podczas zapisywania wpisu." -#: classes/Notice.php:811 +#: classes/Notice.php:882 msgid "Problem saving group inbox." msgstr "Problem podczas zapisywania skrzynki odbiorczej grupy." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "BÅ‚Ä…d bazy danych podczas wprowadzania odpowiedzi: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4509,7 +4514,7 @@ msgstr "Niesubskrybowane." msgid "Couldn't delete self-subscription." msgstr "Nie można usunąć autosubskrypcji." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Nie można usunąć subskrypcji." @@ -4518,11 +4523,11 @@ msgstr "Nie można usunąć subskrypcji." msgid "Welcome to %1$s, @%2$s!" msgstr "Witaj w %1$s, @%2$s." -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "Nie można utworzyć grupy." -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "Nie można ustawić czÅ‚onkostwa w grupie." @@ -4747,6 +4752,18 @@ msgstr "Później" msgid "Before" msgstr "WczeÅ›niej" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "Nie można wprowadzić zmian witryny." @@ -5046,7 +5063,6 @@ msgid "Specify the name of the user to subscribe to" msgstr "Podaj nazwÄ™ użytkownika do subskrybowania." #: lib/command.php:554 lib/command.php:589 -#, fuzzy msgid "No such user" msgstr "Brak takiego użytkownika." @@ -5055,7 +5071,7 @@ msgstr "Brak takiego użytkownika." msgid "Subscribed to %s" msgstr "Subskrybowano użytkownika %s" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "Podaj nazwÄ™ użytkownika do usuniÄ™cia subskrypcji." @@ -5095,40 +5111,46 @@ msgstr "" "Tego odnoÅ›nika można użyć tylko raz i bÄ™dzie prawidÅ‚owy tylko przez dwie " "minuty: %s." -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "UsuniÄ™to subskrypcjÄ™ użytkownika %s" + +#: lib/command.php:709 msgid "You are not subscribed to anyone." msgstr "Nie subskrybujesz nikogo." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Subskrybujesz tÄ™ osobÄ™:" msgstr[1] "Subskrybujesz te osoby:" msgstr[2] "Subskrybujesz te osoby:" -#: lib/command.php:703 +#: lib/command.php:731 msgid "No one is subscribed to you." msgstr "Nikt ciÄ™ nie subskrybuje." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Ta osoba ciÄ™ subskrybuje:" msgstr[1] "Te osoby ciÄ™ subskrybujÄ…:" msgstr[2] "Te osoby ciÄ™ subskrybujÄ…:" -#: lib/command.php:725 +#: lib/command.php:753 msgid "You are not a member of any groups." msgstr "Nie jesteÅ› czÅ‚onkiem żadnej grupy." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "JesteÅ› czÅ‚onkiem tej grupy:" msgstr[1] "JesteÅ› czÅ‚onkiem tych grup:" msgstr[2] "JesteÅ› czÅ‚onkiem tych grup:" -#: lib/command.php:741 +#: lib/command.php:769 +#, fuzzy msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5142,6 +5164,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5208,19 +5231,19 @@ msgstr "" "tracks - jeszcze nie zaimplementowano\n" "tracking - jeszcze nie zaimplementowano\n" -#: lib/common.php:135 +#: lib/common.php:136 msgid "No configuration file found. " msgstr "Nie odnaleziono pliku konfiguracji." -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "Szukano plików konfiguracji w nastÄ™pujÄ…cych miejscach: " -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "Należy uruchomić instalator, aby to naprawić." -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "Przejdź do instalatora." @@ -5717,7 +5740,7 @@ msgstr "" "rozmowÄ™ z innymi użytkownikami. Inni mogÄ… wysyÅ‚ać ci wiadomoÅ›ci tylko dla " "twoich oczu." -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "z" @@ -5865,23 +5888,23 @@ msgstr "Zachód" msgid "at" msgstr "w" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "w rozmowie" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 msgid "Repeated by" msgstr "Powtórzone przez" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "Odpowiedz na ten wpis" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "Odpowiedz" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 msgid "Notice repeated" msgstr "Powtórzono wpis" @@ -6160,47 +6183,47 @@ msgstr "Wiadomość" msgid "Moderate" msgstr "Moderuj" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "kilka sekund temu" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "okoÅ‚o minutÄ™ temu" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "okoÅ‚o %d minut temu" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "okoÅ‚o godzinÄ™ temu" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "okoÅ‚o %d godzin temu" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "blisko dzieÅ„ temu" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "okoÅ‚o %d dni temu" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "okoÅ‚o miesiÄ…c temu" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "okoÅ‚o %d miesiÄ™cy temu" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "okoÅ‚o rok temu" diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index 5fb83226e..e742dda19 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:03:46+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:51:34+0000\n" "Language-Team: Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: out-statusnet\n" @@ -63,7 +63,7 @@ msgstr "Impossibilitar registos novos." #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -193,7 +193,7 @@ msgstr "Actualizações de %1$s e amigos no %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -499,7 +499,7 @@ msgstr "Tamanho inválido." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -754,7 +754,7 @@ msgid "Preview" msgstr "Antevisão" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "Apagar" @@ -971,7 +971,7 @@ msgstr "Apagar esta nota" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -1002,7 +1002,7 @@ msgstr "Tem a certeza de que quer apagar esta nota?" msgid "Do not delete this notice" msgstr "Não apagar esta nota" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "Apagar esta nota" @@ -1255,7 +1255,7 @@ msgstr "descrição é demasiada extensa (máx. %d caracteres)." msgid "Could not update group." msgstr "Não foi possível actualizar o grupo." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "Não foi possível criar sinónimos." @@ -2794,23 +2794,23 @@ msgstr "Idioma é demasiado extenso (máx. 50 caracteres)." msgid "Invalid tag: \"%s\"" msgstr "Categoria inválida: \"%s\"" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "Não foi possível actualizar o utilizador para subscrição automática." -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 msgid "Couldn't save location prefs." msgstr "Não foi possível gravar as preferências de localização." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "Não foi possível gravar o perfil." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "Não foi possível gravar as categorias." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "Configurações gravadas." @@ -3247,7 +3247,7 @@ msgstr "Não pode repetir a sua própria nota." msgid "You already repeated that notice." msgstr "Já repetiu essa nota." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 msgid "Repeated" msgstr "Repetida" @@ -3968,11 +3968,21 @@ msgstr "Não subscreveu esse perfil." msgid "Could not save subscription." msgstr "Não foi possível gravar a subscrição." -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "O utilizador não é local." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "Ficheiro não foi encontrado." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "Não subscreveu esse perfil." -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "Subscrito" @@ -4036,7 +4046,7 @@ msgstr "Estas são as pessoas cujas notas está a escutar." msgid "These are the people whose notices %s listens to." msgstr "Estas são as pessoas cujas notas %s está a escutar." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -4052,16 +4062,16 @@ msgstr "" "twittersettings%%) pode subscrever automaticamente as pessoas que já segue " "lá." -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "%s não está a ouvir ninguém." -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "Jabber" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "SMS" @@ -4489,22 +4499,22 @@ msgstr "Não foi possível actualizar a mensagem com a nova URI." msgid "DB error inserting hashtag: %s" msgstr "Erro na base de dados ao inserir a marca: %s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 msgid "Problem saving notice. Too long." msgstr "Problema na gravação da nota. Demasiado longa." -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "Problema na gravação da nota. Utilizador desconhecido." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Demasiadas notas, demasiado rápido; descanse e volte a publicar daqui a " "alguns minutos." -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4512,25 +4522,20 @@ msgstr "" "Demasiadas mensagens duplicadas, demasiado rápido; descanse e volte a " "publicar daqui a alguns minutos." -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "Está proibido de publicar notas neste site." -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "Problema na gravação da nota." -#: classes/Notice.php:811 +#: classes/Notice.php:882 #, fuzzy msgid "Problem saving group inbox." msgstr "Problema na gravação da nota." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "Ocorreu um erro na base de dados ao inserir a resposta: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4555,7 +4560,7 @@ msgstr "Não subscrito!" msgid "Couldn't delete self-subscription." msgstr "Não foi possível apagar a auto-subscrição." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Não foi possível apagar a subscrição." @@ -4564,11 +4569,11 @@ msgstr "Não foi possível apagar a subscrição." msgid "Welcome to %1$s, @%2$s!" msgstr "%1$s dá-lhe as boas-vindas, @%2$s!" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "Não foi possível criar o grupo." -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "Não foi possível configurar membros do grupo." @@ -4789,6 +4794,18 @@ msgstr "Posteriores" msgid "Before" msgstr "Anteriores" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "Não pode fazer alterações a este site." @@ -5100,7 +5117,7 @@ msgstr "Utilizador não encontrado." msgid "Subscribed to %s" msgstr "Subscreveu %s" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "Introduza o nome do utilizador para deixar de subscrever" @@ -5140,37 +5157,43 @@ msgstr "" "Esta ligação é utilizável uma única vez e só durante os próximos 2 minutos: %" "s" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "Deixou de subscrever %s" + +#: lib/command.php:709 msgid "You are not subscribed to anyone." msgstr "Não subscreveu ninguém." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Subscreveu esta pessoa:" msgstr[1] "Subscreveu estas pessoas:" -#: lib/command.php:703 +#: lib/command.php:731 msgid "No one is subscribed to you." msgstr "Ninguém subscreve as suas notas." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Esta pessoa subscreve as suas notas:" msgstr[1] "Estas pessoas subscrevem as suas notas:" -#: lib/command.php:725 +#: lib/command.php:753 msgid "You are not a member of any groups." msgstr "Não está em nenhum grupo." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Está no grupo:" msgstr[1] "Está nos grupos:" -#: lib/command.php:741 +#: lib/command.php:769 +#, fuzzy msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5184,6 +5207,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5248,19 +5272,19 @@ msgstr "" "tracks - ainda não implementado.\n" "tracking - ainda não implementado.\n" -#: lib/common.php:135 +#: lib/common.php:136 msgid "No configuration file found. " msgstr "Ficheiro de configuração não encontrado. " -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "Procurei ficheiros de configuração nos seguintes sítios: " -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "Talvez queira correr o instalador para resolver esta questão." -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "Ir para o instalador." @@ -5756,7 +5780,7 @@ msgstr "" "conversa com outros utilizadores. Outros podem enviar-lhe mensagens, a que " "só você terá acesso." -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "de" @@ -5906,23 +5930,23 @@ msgstr "O" msgid "at" msgstr "coords." -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "no contexto" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 msgid "Repeated by" msgstr "Repetida por" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "Responder a esta nota" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "Responder" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 msgid "Notice repeated" msgstr "Nota repetida" @@ -6200,47 +6224,47 @@ msgstr "Mensagem" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "há alguns segundos" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "há cerca de um minuto" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "há cerca de %d minutos" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "há cerca de uma hora" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "há cerca de %d horas" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "há cerca de um dia" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "há cerca de %d dias" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "há cerca de um mês" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "há cerca de %d meses" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "há cerca de um ano" diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index 93e575677..18659cecf 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:03:50+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:51:37+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" @@ -63,7 +63,7 @@ msgstr "Desabilita novos registros." #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -194,7 +194,7 @@ msgstr "Atualizações de %1$s e amigos no %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -502,7 +502,7 @@ msgstr "Token inválido." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -762,7 +762,7 @@ msgid "Preview" msgstr "Visualização" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "Excluir" @@ -973,7 +973,7 @@ msgstr "Excluir esta aplicação" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -1004,7 +1004,7 @@ msgstr "Tem certeza que deseja excluir esta mensagem?" msgid "Do not delete this notice" msgstr "Não excluir esta mensagem." -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "Excluir esta mensagem" @@ -1245,7 +1245,7 @@ msgstr "descrição muito extensa (máximo %d caracteres)." msgid "Could not update group." msgstr "Não foi possível atualizar o grupo." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "Não foi possível criar os apelidos." @@ -2785,23 +2785,23 @@ msgstr "O nome do idioma é muito extenso (máx. 50 caracteres)." msgid "Invalid tag: \"%s\"" msgstr "Etiqueta inválida: \"%s\"" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "Não foi possível atualizar o usuário para assinar automaticamente." -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 msgid "Couldn't save location prefs." msgstr "Não foi possível salvar as preferências de localização." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "Não foi possível salvar o perfil." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "Não foi possível salvar as etiquetas." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "As configurações foram salvas." @@ -3238,7 +3238,7 @@ msgstr "Você não pode repetir sua própria mensagem." msgid "You already repeated that notice." msgstr "Você já repetiu essa mensagem." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 msgid "Repeated" msgstr "Repetida" @@ -3956,11 +3956,21 @@ msgstr "Você não está assinando esse perfil." msgid "Could not save subscription." msgstr "Não foi possível salvar a assinatura." -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "Não é um usuário local." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "Esse arquivo não existe." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "Você não está assinando esse perfil." -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "Assinado" @@ -4024,7 +4034,7 @@ msgstr "Estas são as pessoas cujas mensagens você acompanha." msgid "These are the people whose notices %s listens to." msgstr "Estas são as pessoas cujas mensagens %s acompanha." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -4040,16 +4050,16 @@ msgstr "" "[usuário do Twitter](%%action.twittersettings%%), você pode assinar " "automaticamente as pessoas que já segue lá." -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "%s não está acompanhando ninguém." -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "Jabber" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "SMS" @@ -4477,22 +4487,22 @@ msgstr "Não foi possível atualizar a mensagem com a nova URI." msgid "DB error inserting hashtag: %s" msgstr "Erro no banco de dados durante a inserção da hashtag: %s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 msgid "Problem saving notice. Too long." msgstr "Problema no salvamento da mensagem. Ela é muito extensa." -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "Problema no salvamento da mensagem. Usuário desconhecido." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Muitas mensagens em um período curto de tempo; dê uma respirada e publique " "novamente daqui a alguns minutos." -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4500,24 +4510,19 @@ msgstr "" "Muitas mensagens duplicadas em um período curto de tempo; dê uma respirada e " "publique novamente daqui a alguns minutos." -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "Você está proibido de publicar mensagens neste site." -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "Problema no salvamento da mensagem." -#: classes/Notice.php:811 +#: classes/Notice.php:882 msgid "Problem saving group inbox." msgstr "Problema no salvamento das mensagens recebidas do grupo." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "Erro no banco de dados na inserção da reposta: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4542,7 +4547,7 @@ msgstr "Não assinado!" msgid "Couldn't delete self-subscription." msgstr "Não foi possível excluir a auto-assinatura." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Não foi possível excluir a assinatura." @@ -4551,11 +4556,11 @@ msgstr "Não foi possível excluir a assinatura." msgid "Welcome to %1$s, @%2$s!" msgstr "Bem vindo(a) a %1$s, @%2$s!" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "Não foi possível criar o grupo." -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "Não foi possível configurar a associação ao grupo." @@ -4778,6 +4783,18 @@ msgstr "Próximo" msgid "Before" msgstr "Anterior" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "Você não pode fazer alterações neste site." @@ -5079,7 +5096,6 @@ msgid "Specify the name of the user to subscribe to" msgstr "Especifique o nome do usuário que será assinado" #: lib/command.php:554 lib/command.php:589 -#, fuzzy msgid "No such user" msgstr "Este usuário não existe." @@ -5088,7 +5104,7 @@ msgstr "Este usuário não existe." msgid "Subscribed to %s" msgstr "Efetuada a assinatura de %s" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "Especifique o nome do usuário cuja assinatura será cancelada" @@ -5128,37 +5144,43 @@ msgstr "" "Este link é utilizável somente uma vez e é válido somente por dois minutos: %" "s" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "Cancelada a assinatura de %s" + +#: lib/command.php:709 msgid "You are not subscribed to anyone." msgstr "Você não está assinando ninguém." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Você já está assinando esta pessoa:" msgstr[1] "Você já está assinando estas pessoas:" -#: lib/command.php:703 +#: lib/command.php:731 msgid "No one is subscribed to you." msgstr "Ninguém o assinou ainda." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Esta pessoa está assinando você:" msgstr[1] "Estas pessoas estão assinando você:" -#: lib/command.php:725 +#: lib/command.php:753 msgid "You are not a member of any groups." msgstr "Você não é membro de nenhum grupo." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Você é membro deste grupo:" msgstr[1] "Você é membro destes grupos:" -#: lib/command.php:741 +#: lib/command.php:769 +#, fuzzy msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5172,6 +5194,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5237,19 +5260,19 @@ msgstr "" "tracks - não implementado ainda\n" "tracking - não implementado ainda\n" -#: lib/common.php:135 +#: lib/common.php:136 msgid "No configuration file found. " msgstr "Não foi encontrado nenhum arquivo de configuração. " -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "Eu procurei pelos arquivos de configuração nos seguintes lugares: " -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "Você pode querer executar o instalador para corrigir isto." -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "Ir para o instalador." @@ -5744,7 +5767,7 @@ msgstr "" "privadas para envolver outras pessoas em uma conversa. Você também pode " "receber mensagens privadas." -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "de" @@ -5897,23 +5920,23 @@ msgstr "O" msgid "at" msgstr "em" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "no contexto" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 msgid "Repeated by" msgstr "Repetida por" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "Responder a esta mensagem" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "Responder" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 msgid "Notice repeated" msgstr "Mensagem repetida" @@ -6191,47 +6214,47 @@ msgstr "Mensagem" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "alguns segundos atrás" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "cerca de 1 minuto atrás" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "cerca de %d minutos atrás" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "cerca de 1 hora atrás" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "cerca de %d horas atrás" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "cerca de 1 dia atrás" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "cerca de %d dias atrás" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "cerca de 1 mês atrás" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "cerca de %d meses atrás" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "cerca de 1 ano atrás" diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index 57cb89884..d4df1a654 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:03:52+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:51:41+0000\n" "Language-Team: Russian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: out-statusnet\n" @@ -66,7 +66,7 @@ msgstr "Отключить новые региÑтрации." #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -195,7 +195,7 @@ msgstr "Обновлено от %1$s и его друзей на %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -504,7 +504,7 @@ msgstr "Ðеправильный токен" #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -760,7 +760,7 @@ msgid "Preview" msgstr "ПроÑмотр" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "Удалить" @@ -970,7 +970,7 @@ msgstr "Удалить Ñто приложение" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -1001,7 +1001,7 @@ msgstr "Ð’Ñ‹ уверены, что хотите удалить Ñту запи msgid "Do not delete this notice" msgstr "Ðе удалÑÑ‚ÑŒ Ñту запиÑÑŒ" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "Удалить Ñту запиÑÑŒ" @@ -1242,7 +1242,7 @@ msgstr "Слишком длинное опиÑание (макÑимум %d Ñи msgid "Could not update group." msgstr "Ðе удаётÑÑ Ð¾Ð±Ð½Ð¾Ð²Ð¸Ñ‚ÑŒ информацию о группе." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "Ðе удаётÑÑ Ñоздать алиаÑÑ‹." @@ -2774,23 +2774,23 @@ msgstr "Слишком длинный Ñзык (более 50 Ñимволов). msgid "Invalid tag: \"%s\"" msgstr "Ðеверный тег: «%s»" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "Ðе удаётÑÑ Ð¾Ð±Ð½Ð¾Ð²Ð¸Ñ‚ÑŒ Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð´Ð»Ñ Ð°Ð²Ñ‚Ð¾Ð¿Ð¾Ð´Ð¿Ð¸Ñки." -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 msgid "Couldn't save location prefs." msgstr "Ðе удаётÑÑ Ñохранить наÑтройки меÑтоположениÑ." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "Ðе удаётÑÑ Ñохранить профиль." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "Ðе удаётÑÑ Ñохранить теги." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "ÐаÑтройки Ñохранены." @@ -3223,7 +3223,7 @@ msgstr "Ð’Ñ‹ не можете повторить ÑобÑтвенную зап msgid "You already repeated that notice." msgstr "Ð’Ñ‹ уже повторили Ñту запиÑÑŒ." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 msgid "Repeated" msgstr "Повторено" @@ -3946,11 +3946,21 @@ msgstr "Ð’Ñ‹ не подпиÑаны на Ñтот профиль." msgid "Could not save subscription." msgstr "Ðе удаётÑÑ Ñохранить подпиÑку." -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "Ðе локальный пользователь." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "Ðет такого файла." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "Ð’Ñ‹ не подпиÑаны на Ñтот профиль." -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "ПодпиÑано" @@ -4014,7 +4024,7 @@ msgstr "Это пользователи, запиÑи которых вы чит msgid "These are the people whose notices %s listens to." msgstr "Это пользователи, запиÑи которых читает %s." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -4030,16 +4040,16 @@ msgstr "" "пользуетеÑÑŒ [Твиттером](%%action.twittersettings%%), то можете автоматичеÑки " "подпиÑатьÑÑ Ð½Ð° тех людей, за которыми уже Ñледите там." -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "%s не проÑматривает ничьи запиÑи." -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "Jabber" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "СМС" @@ -4464,22 +4474,22 @@ msgstr "Ðе удаётÑÑ Ð¾Ð±Ð½Ð¾Ð²Ð¸Ñ‚ÑŒ Ñообщение Ñ Ð½Ð¾Ð²Ñ‹Ð¼ UR msgid "DB error inserting hashtag: %s" msgstr "Ошибка баз данных при вÑтавке хеш-тегов Ð´Ð»Ñ %s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 msgid "Problem saving notice. Too long." msgstr "Проблемы Ñ Ñохранением запиÑи. Слишком длинно." -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "Проблема при Ñохранении запиÑи. ÐеизвеÑтный пользователь." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Слишком много запиÑей за Ñтоль короткий Ñрок; передохните немного и " "попробуйте вновь через пару минут." -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4487,24 +4497,19 @@ msgstr "" "Слишком много одинаковых запиÑей за Ñтоль короткий Ñрок; передохните немного " "и попробуйте вновь через пару минут." -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "Вам запрещено поÑтитьÑÑ Ð½Ð° Ñтом Ñайте (бан)" -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "Проблемы Ñ Ñохранением запиÑи." -#: classes/Notice.php:811 +#: classes/Notice.php:882 msgid "Problem saving group inbox." msgstr "Проблемы Ñ Ñохранением входÑщих Ñообщений группы." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "Ошибка баз данных при вÑтавке ответа Ð´Ð»Ñ %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4529,7 +4534,7 @@ msgstr "Ðе подпиÑаны!" msgid "Couldn't delete self-subscription." msgstr "Ðевозможно удалить ÑамоподпиÑку." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Ðе удаётÑÑ ÑƒÐ´Ð°Ð»Ð¸Ñ‚ÑŒ подпиÑку." @@ -4538,11 +4543,11 @@ msgstr "Ðе удаётÑÑ ÑƒÐ´Ð°Ð»Ð¸Ñ‚ÑŒ подпиÑку." msgid "Welcome to %1$s, @%2$s!" msgstr "Добро пожаловать на %1$s, @%2$s!" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "Ðе удаётÑÑ Ñоздать группу." -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "Ðе удаётÑÑ Ð½Ð°Ð·Ð½Ð°Ñ‡Ð¸Ñ‚ÑŒ членÑтво в группе." @@ -4767,6 +4772,18 @@ msgstr "Сюда" msgid "Before" msgstr "Туда" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "Ð’Ñ‹ не можете изменÑÑ‚ÑŒ Ñтот Ñайт." @@ -5066,7 +5083,6 @@ msgid "Specify the name of the user to subscribe to" msgstr "Укажите Ð¸Ð¼Ñ Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð´Ð»Ñ Ð¿Ð¾Ð´Ð¿Ð¸Ñки." #: lib/command.php:554 lib/command.php:589 -#, fuzzy msgid "No such user" msgstr "Ðет такого пользователÑ." @@ -5075,7 +5091,7 @@ msgstr "Ðет такого пользователÑ." msgid "Subscribed to %s" msgstr "ПодпиÑано на %s" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "Укажите Ð¸Ð¼Ñ Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð´Ð»Ñ Ð¾Ñ‚Ð¼ÐµÐ½Ñ‹ подпиÑки." @@ -5113,40 +5129,46 @@ msgstr "Команда входа отключена" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "Эта ÑÑылка дейÑтвительна только один раз в течение 2 минут: %s" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "ОтпиÑано от %s" + +#: lib/command.php:709 msgid "You are not subscribed to anyone." msgstr "Ð’Ñ‹ ни на кого не подпиÑаны." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Ð’Ñ‹ подпиÑаны на Ñтих людей:" msgstr[1] "Ð’Ñ‹ подпиÑаны на Ñтих людей:" msgstr[2] "Ð’Ñ‹ подпиÑаны на Ñтих людей:" -#: lib/command.php:703 +#: lib/command.php:731 msgid "No one is subscribed to you." msgstr "Ðикто не подпиÑан на ваÑ." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Эти люди подпиÑалиÑÑŒ на ваÑ:" msgstr[1] "Эти люди подпиÑалиÑÑŒ на ваÑ:" msgstr[2] "Эти люди подпиÑалиÑÑŒ на ваÑ:" -#: lib/command.php:725 +#: lib/command.php:753 msgid "You are not a member of any groups." msgstr "Ð’Ñ‹ не ÑоÑтоите ни в одной группе." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Ð’Ñ‹ ÑвлÑетеÑÑŒ учаÑтником Ñледующих групп:" msgstr[1] "Ð’Ñ‹ ÑвлÑетеÑÑŒ учаÑтником Ñледующих групп:" msgstr[2] "Ð’Ñ‹ ÑвлÑетеÑÑŒ учаÑтником Ñледующих групп:" -#: lib/command.php:741 +#: lib/command.php:769 +#, fuzzy msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5160,6 +5182,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5224,19 +5247,19 @@ msgstr "" "tracks — пока не реализовано.\n" "tracking — пока не реализовано.\n" -#: lib/common.php:135 +#: lib/common.php:136 msgid "No configuration file found. " msgstr "Конфигурационный файл не найден. " -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "Конфигурационные файлы иÑкалиÑÑŒ в Ñледующих меÑтах: " -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "Возможно, вы решите запуÑтить уÑтановщик Ð´Ð»Ñ Ð¸ÑÐ¿Ñ€Ð°Ð²Ð»ÐµÐ½Ð¸Ñ Ñтого." -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "Перейти к уÑтановщику" @@ -5732,7 +5755,7 @@ msgstr "" "Ð²Ð¾Ð²Ð»ÐµÑ‡ÐµÐ½Ð¸Ñ Ð´Ñ€ÑƒÐ³Ð¸Ñ… пользователей в разговор. СообщениÑ, получаемые от других " "людей, видите только вы." -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "от " @@ -5882,23 +5905,23 @@ msgstr "з. д." msgid "at" msgstr "на" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "в контекÑте" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 msgid "Repeated by" msgstr "Повторено" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "Ответить на Ñту запиÑÑŒ" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "Ответить" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 msgid "Notice repeated" msgstr "ЗапиÑÑŒ повторена" @@ -6176,47 +6199,47 @@ msgstr "Сообщение" msgid "Moderate" msgstr "Модерировать" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "пару Ñекунд назад" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "около минуты назад" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "около %d минут(Ñ‹) назад" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "около чаÑа назад" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "около %d чаÑа(ов) назад" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "около Ð´Ð½Ñ Ð½Ð°Ð·Ð°Ð´" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "около %d днÑ(ей) назад" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "около меÑÑца назад" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "около %d меÑÑца(ев) назад" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "около года назад" diff --git a/locale/statusnet.po b/locale/statusnet.po index 13b038cbf..cf44e2d3c 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -58,7 +58,7 @@ msgstr "" #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -180,7 +180,7 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -480,7 +480,7 @@ msgstr "" #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -730,7 +730,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "" @@ -934,7 +934,7 @@ msgstr "" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -963,7 +963,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "" @@ -1200,7 +1200,7 @@ msgstr "" msgid "Could not update group." msgstr "" -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "" @@ -2627,23 +2627,23 @@ msgstr "" msgid "Invalid tag: \"%s\"" msgstr "" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "" -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 msgid "Couldn't save location prefs." msgstr "" -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "" -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "" -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "" @@ -3032,7 +3032,7 @@ msgstr "" msgid "You already repeated that notice." msgstr "" -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 msgid "Repeated" msgstr "" @@ -3701,11 +3701,19 @@ msgstr "" msgid "Could not save subscription." msgstr "" -#: actions/subscribe.php:55 -msgid "Not a local user." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." msgstr "" -#: actions/subscribe.php:69 +#: actions/subscribe.php:107 +msgid "No such profile." +msgstr "" + +#: actions/subscribe.php:117 +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "" + +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "" @@ -3765,7 +3773,7 @@ msgstr "" msgid "These are the people whose notices %s listens to." msgstr "" -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -3775,16 +3783,16 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "" -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "" @@ -4178,43 +4186,38 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:215 +#: classes/Notice.php:222 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "" -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:811 +#: classes/Notice.php:882 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4239,7 +4242,7 @@ msgstr "" msgid "Couldn't delete self-subscription." msgstr "" -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "" @@ -4248,11 +4251,11 @@ msgstr "" msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "" -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "" @@ -4468,6 +4471,18 @@ msgstr "" msgid "Before" msgstr "" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "" @@ -4767,7 +4782,7 @@ msgstr "" msgid "Subscribed to %s" msgstr "" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "" @@ -4805,37 +4820,42 @@ msgstr "" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:681 +#: lib/command.php:692 +#, php-format +msgid "Unsubscribed %s" +msgstr "" + +#: lib/command.php:709 msgid "You are not subscribed to anyone." msgstr "" -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "" msgstr[1] "" -#: lib/command.php:703 +#: lib/command.php:731 msgid "No one is subscribed to you." msgstr "" -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "" msgstr[1] "" -#: lib/command.php:725 +#: lib/command.php:753 msgid "You are not a member of any groups." msgstr "" -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "" msgstr[1] "" -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -4849,6 +4869,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -4876,19 +4897,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 msgid "No configuration file found. " msgstr "" -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "" @@ -5294,7 +5315,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "" @@ -5439,23 +5460,23 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 msgid "Repeated by" msgstr "" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 msgid "Notice repeated" msgstr "" @@ -5733,47 +5754,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index ed733a719..b09823e6b 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:03:56+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:51:44+0000\n" "Language-Team: Swedish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: out-statusnet\n" @@ -62,7 +62,7 @@ msgstr "Inaktivera nya registreringar." #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -191,7 +191,7 @@ msgstr "Uppdateringar frÃ¥n %1$s och vänner pÃ¥ %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -494,7 +494,7 @@ msgstr "Ogiltig token." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -748,7 +748,7 @@ msgid "Preview" msgstr "Förhandsgranska" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "Ta bort" @@ -959,7 +959,7 @@ msgstr "Ta bort denna applikation" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -990,7 +990,7 @@ msgstr "Är du säker pÃ¥ att du vill ta bort denna notis?" msgid "Do not delete this notice" msgstr "Ta inte bort denna notis" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "Ta bort denna notis" @@ -1231,7 +1231,7 @@ msgstr "beskrivning är för lÃ¥ng (max %d tecken)." msgid "Could not update group." msgstr "Kunde inte uppdatera grupp." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "Kunde inte skapa alias." @@ -2755,23 +2755,23 @@ msgstr "SprÃ¥knamn är för lÃ¥ngt (max 50 tecken)." msgid "Invalid tag: \"%s\"" msgstr "Ogiltig tagg: \"%s\"" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "Kunde inte uppdatera användaren för automatisk prenumeration." -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 msgid "Couldn't save location prefs." msgstr "Kunde inte spara platsinställningar." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "Kunde inte spara profil." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "Kunde inte spara taggar." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "Inställningar sparade." @@ -3208,7 +3208,7 @@ msgstr "Du kan inte upprepa din egna notis." msgid "You already repeated that notice." msgstr "Du har redan upprepat denna notis." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 msgid "Repeated" msgstr "Upprepad" @@ -3922,11 +3922,21 @@ msgstr "Du är inte prenumerat hos den profilen." msgid "Could not save subscription." msgstr "Kunde inte spara prenumeration." -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "Inte en lokal användare." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "Ingen sÃ¥dan fil." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "Du är inte prenumerat hos den profilen." -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "Prenumerant" @@ -3990,7 +4000,7 @@ msgstr "Det är dessa personer vars meddelanden du lyssnar pÃ¥." msgid "These are the people whose notices %s listens to." msgstr "Det är dessa personer vars notiser %s lyssnar pÃ¥." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -4006,16 +4016,16 @@ msgstr "" "twittersettings%%) kan du prenumerera automatiskt pÃ¥ personer som du redan " "följer där." -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "%s lyssnar inte pÃ¥ nÃ¥gon." -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "Jabber" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "SMS" @@ -4443,22 +4453,22 @@ msgstr "Kunde inte uppdatera meddelande med ny URI." msgid "DB error inserting hashtag: %s" msgstr "Databasfel vid infogning av hashtag: %s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 msgid "Problem saving notice. Too long." msgstr "Problem vid sparande av notis. För lÃ¥ngt." -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "Problem vid sparande av notis. Okänd användare." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "För mÃ¥nga notiser för snabbt; ta en vilopaus och posta igen om ett par " "minuter." -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4466,24 +4476,19 @@ msgstr "" "För mÃ¥nga duplicerade meddelanden för snabbt; ta en vilopaus och posta igen " "om ett par minuter." -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "Du är utestängd frÃ¥n att posta notiser pÃ¥ denna webbplats." -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "Problem med att spara notis." -#: classes/Notice.php:811 +#: classes/Notice.php:882 msgid "Problem saving group inbox." msgstr "Problem med att spara gruppinkorg." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "Databasfel vid infogning av svar: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4508,7 +4513,7 @@ msgstr "Inte prenumerant!" msgid "Couldn't delete self-subscription." msgstr "Kunde inte ta bort själv-prenumeration." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Kunde inte ta bort prenumeration." @@ -4517,11 +4522,11 @@ msgstr "Kunde inte ta bort prenumeration." msgid "Welcome to %1$s, @%2$s!" msgstr "Välkommen till %1$s, @%2$s!" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "Kunde inte skapa grupp." -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "Kunde inte ställa in gruppmedlemskap." @@ -4743,6 +4748,18 @@ msgstr "Senare" msgid "Before" msgstr "Tidigare" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "Du kan inte göra förändringar av denna webbplats." @@ -5041,7 +5058,6 @@ msgid "Specify the name of the user to subscribe to" msgstr "Ange namnet pÃ¥ användaren att prenumerara pÃ¥" #: lib/command.php:554 lib/command.php:589 -#, fuzzy msgid "No such user" msgstr "Ingen sÃ¥dan användare." @@ -5050,7 +5066,7 @@ msgstr "Ingen sÃ¥dan användare." msgid "Subscribed to %s" msgstr "Prenumerar pÃ¥ %s" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "Ange namnet pÃ¥ användaren att avsluta prenumeration pÃ¥" @@ -5089,37 +5105,43 @@ msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" "Denna länk är endast användbar en gÃ¥ng, och gäller bara i 2 minuter: %s" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "Prenumeration hos %s avslutad" + +#: lib/command.php:709 msgid "You are not subscribed to anyone." msgstr "Du prenumererar inte pÃ¥ nÃ¥gon." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Du prenumererar pÃ¥ denna person:" msgstr[1] "Du prenumererar pÃ¥ dessa personer:" -#: lib/command.php:703 +#: lib/command.php:731 msgid "No one is subscribed to you." msgstr "Ingen prenumerar pÃ¥ dig." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Denna person prenumererar pÃ¥ dig:" msgstr[1] "Dessa personer prenumererar pÃ¥ dig:" -#: lib/command.php:725 +#: lib/command.php:753 msgid "You are not a member of any groups." msgstr "Du är inte medlem i nÃ¥gra grupper." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Du är en medlem i denna grupp:" msgstr[1] "Du är en medlem i dessa grupper:" -#: lib/command.php:741 +#: lib/command.php:769 +#, fuzzy msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5133,6 +5155,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5197,19 +5220,19 @@ msgstr "" "tracks - inte implementerat än.\n" "tracking - inte implementerat än.\n" -#: lib/common.php:135 +#: lib/common.php:136 msgid "No configuration file found. " msgstr "Ingen konfigurationsfil hittades. " -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "Jag letade efter konfigurationsfiler pÃ¥ följande platser: " -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "Du kanske vill köra installeraren för att Ã¥tgärda detta." -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "GÃ¥ till installeraren." @@ -5702,7 +5725,7 @@ msgstr "" "engagera andra användare i konversationen. Folk kan skicka meddelanden till " "dig som bara du ser." -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "frÃ¥n" @@ -5853,23 +5876,23 @@ msgstr "V" msgid "at" msgstr "pÃ¥" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "i sammanhang" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 msgid "Repeated by" msgstr "Upprepad av" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "Svara pÃ¥ denna notis" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "Svara" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 msgid "Notice repeated" msgstr "Notis upprepad" @@ -6147,47 +6170,47 @@ msgstr "Meddelande" msgid "Moderate" msgstr "Moderera" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "ett par sekunder sedan" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "för nÃ¥n minut sedan" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "för %d minuter sedan" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "för en timma sedan" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "för %d timmar sedan" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "för en dag sedan" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "för %d dagar sedan" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "för en mÃ¥nad sedan" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "för %d mÃ¥nader sedan" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "för ett Ã¥r sedan" diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index 19debf94d..37a2582b3 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:04:04+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:51:47+0000\n" "Language-Team: Telugu\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: out-statusnet\n" @@ -62,7 +62,7 @@ msgstr "కొతà±à°¤ నమోదà±à°²à°¨à± అచేతనంచేయి. #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -185,7 +185,7 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -493,7 +493,7 @@ msgstr "తపà±à°ªà±à°¡à± పరిమాణం." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -746,7 +746,7 @@ msgid "Preview" msgstr "à°®à±à°¨à±à°œà±‚à°ªà±" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "తొలగించà±" @@ -954,7 +954,7 @@ msgstr "à°ˆ ఉపకరణానà±à°¨à°¿ తొలగించà±" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -983,7 +983,7 @@ msgstr "మీరౠనిజంగానే à°ˆ నోటీసà±à°¨à°¿ à°¤ msgid "Do not delete this notice" msgstr "à°ˆ నోటీసà±à°¨à°¿ తొలగించకà±" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "à°ˆ నోటీసà±à°¨à°¿ తొలగించà±" @@ -1226,7 +1226,7 @@ msgstr "వివరణ చాలా పెదà±à°¦à°¦à°¿à°—à°¾ ఉంది (1 msgid "Could not update group." msgstr "à°—à±à°‚à°ªà±à°¨à°¿ తాజాకరించలేకà±à°¨à±à°¨à°¾à°‚." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "మారà±à°ªà±‡à°°à±à°²à°¨à°¿ సృషà±à°Ÿà°¿à°‚చలేకపోయాం." @@ -2693,24 +2693,24 @@ msgstr "భాష మరీ పెదà±à°¦à°—à°¾ ఉంది (50 à°…à°•à±à°· msgid "Invalid tag: \"%s\"" msgstr "'%s' అనే హోమౠపేజీ సరైనదికాదà±" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "" -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 #, fuzzy msgid "Couldn't save location prefs." msgstr "à°Ÿà±à°¯à°¾à°—à±à°²à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°²à±‡à°•à±à°¨à±à°¨à°¾à°‚." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "à°ªà±à°°à±Šà°«à±ˆà°²à±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°²à±‡à°•à±à°¨à±à°¨à°¾à°‚." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "à°Ÿà±à°¯à°¾à°—à±à°²à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°²à±‡à°•à±à°¨à±à°¨à°¾à°‚." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "అమరికలౠభదà±à°°à°®à°¯à±à°¯à°¾à°¯à°¿." @@ -3122,7 +3122,7 @@ msgstr "à°ˆ లైసెనà±à°¸à±à°•à°¿ అంగీకరించకపో msgid "You already repeated that notice." msgstr "మీరౠఇపà±à°ªà°Ÿà°¿à°•à±‡ à°† వాడà±à°•à°°à°¿à°¨à°¿ నిరోధించారà±." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 #, fuzzy msgid "Repeated" msgstr "సృషà±à°Ÿà°¿à°¤à°‚" @@ -3807,11 +3807,20 @@ msgstr "" msgid "Could not save subscription." msgstr "చందాని సృషà±à°Ÿà°¿à°‚చలేకపోయాం." -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "à°¸à±à°¥à°¾à°¨à°¿à°• వాడà±à°•à°°à°¿ కాదà±." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" -#: actions/subscribe.php:69 +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ ఫైలౠలేదà±." + +#: actions/subscribe.php:117 +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "" + +#: actions/subscribe.php:145 #, fuzzy msgid "Subscribed" msgstr "చందాదారà±à°²à±" @@ -3873,7 +3882,7 @@ msgstr "" msgid "These are the people whose notices %s listens to." msgstr "" -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -3883,16 +3892,16 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "" -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "జాబరà±" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "" @@ -4291,46 +4300,41 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:215 +#: classes/Notice.php:222 #, fuzzy msgid "Problem saving notice. Too long." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:219 +#: classes/Notice.php:226 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "à°ˆ సైటà±à°²à±‹ నోటీసà±à°²à± రాయడం à°¨à±à°‚à°¡à°¿ మిమà±à°®à°²à±à°¨à°¿ నిషేధించారà±." -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:811 +#: classes/Notice.php:882 #, fuzzy msgid "Problem saving group inbox." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4357,7 +4361,7 @@ msgstr "చందాదారà±à°²à±" msgid "Couldn't delete self-subscription." msgstr "చందాని తొలగించలేకపోయాం." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "చందాని తొలగించలేకపోయాం." @@ -4366,11 +4370,11 @@ msgstr "చందాని తొలగించలేకపోయాం." msgid "Welcome to %1$s, @%2$s!" msgstr "@%2$s, %1$sà°•à°¿ à°¸à±à°µà°¾à°—తం!" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "à°—à±à°‚à°ªà±à°¨à°¿ సృషà±à°Ÿà°¿à°‚చలేకపోయాం." -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "à°—à±à°‚పౠసభà±à°¯à°¤à±à°µà°¾à°¨à±à°¨à°¿ అమరà±à°šà°²à±‡à°•à°ªà±‹à°¯à°¾à°‚." @@ -4595,6 +4599,18 @@ msgstr "తరà±à°µà°¾à°¤" msgid "Before" msgstr "ఇంతకà±à°°à°¿à°¤à°‚" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "à°ˆ సైటà±à°•à°¿ మీరౠమారà±à°ªà±à°²à± చేయలేరà±." @@ -4902,16 +4918,15 @@ msgid "Specify the name of the user to subscribe to" msgstr "à°à°µà°°à°¿à°•à°¿ చందా చేరాలనà±à°•à±à°‚à°Ÿà±à°¨à±à°¨à°¾à°°à±‹ à°† వాడà±à°•à°°à°¿ పేరౠతెలియజేయండి" #: lib/command.php:554 lib/command.php:589 -#, fuzzy msgid "No such user" -msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ వాడà±à°•à°°à°¿ లేరà±." +msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ వాడà±à°•à°°à°¿ లేరà±" #: lib/command.php:561 #, php-format msgid "Subscribed to %s" msgstr "%sà°•à°¿ చందా చేరారà±" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "ఎవరి à°¨à±à°‚à°¡à°¿ చందా విరమించాలనà±à°•à±à°‚à°Ÿà±à°¨à±à°¨à°¾à°°à±‹ à°† వాడà±à°•à°°à°¿ పేరౠతెలియజేయండి" @@ -4949,37 +4964,42 @@ msgstr "" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "à°ˆ లంకెని ఒకే సారి ఉపయోగించగలరà±, మరియౠఅది పనిచేసేది 2 నిమిషాలౠమాతà±à°°à°®à±‡: %s" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "%s à°¨à±à°‚à°¡à°¿ చందా విరమించారà±" + +#: lib/command.php:709 msgid "You are not subscribed to anyone." msgstr "మీరౠఎవరికీ చందాచేరలేదà±." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "%sà°•à°¿ à°¸à±à°ªà°‚దనలà±" msgstr[1] "%sà°•à°¿ à°¸à±à°ªà°‚దనలà±" -#: lib/command.php:703 +#: lib/command.php:731 msgid "No one is subscribed to you." msgstr "మీకౠచందాదారà±à°²à± ఎవరూ లేరà±." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "%sà°•à°¿ à°¸à±à°ªà°‚దనలà±" msgstr[1] "%sà°•à°¿ à°¸à±à°ªà°‚దనలà±" -#: lib/command.php:725 +#: lib/command.php:753 msgid "You are not a member of any groups." msgstr "మీరౠఠగà±à°‚à°ªà±à°²à±‹à°¨à±‚ సభà±à°¯à±à°²à± కాదà±." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "మీరౠఇపà±à°ªà°Ÿà°¿à°•à±‡ లోనికి à°ªà±à°°à°µà±‡à°¶à°¿à°‚చారà±!" msgstr[1] "మీరౠఇపà±à°ªà°Ÿà°¿à°•à±‡ లోనికి à°ªà±à°°à°µà±‡à°¶à°¿à°‚చారà±!" -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -4993,6 +5013,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5020,20 +5041,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 #, fuzzy msgid "No configuration file found. " msgstr "నిరà±à°§à°¾à°°à°£ సంకేతం లేదà±." -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "" @@ -5465,7 +5486,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "à°¨à±à°‚à°¡à°¿" @@ -5614,24 +5635,24 @@ msgstr "à°ª" msgid "at" msgstr "" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "సందరà±à°­à°‚లో" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 #, fuzzy msgid "Repeated by" msgstr "సృషà±à°Ÿà°¿à°¤à°‚" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "à°ˆ నోటీసà±à°ªà±ˆ à°¸à±à°ªà°‚దించండి" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "à°¸à±à°ªà°‚దించండి" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 #, fuzzy msgid "Notice repeated" msgstr "నోటీసà±à°¨à°¿ తొలగించాం." @@ -5921,47 +5942,47 @@ msgstr "సందేశం" msgid "Moderate" msgstr "" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "కొనà±à°¨à°¿ à°•à±à°·à°£à°¾à°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "à°“ నిమిషం à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "%d నిమిషాల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "à°’à°• à°—à°‚à°Ÿ à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "%d à°—à°‚à°Ÿà°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "à°“ రోజౠకà±à°°à°¿à°¤à°‚" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "%d రోజà±à°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "à°“ నెల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "%d నెలల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "à°’à°• సంవతà±à°¸à°°à°‚ à°•à±à°°à°¿à°¤à°‚" diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index 441b4458f..149b21292 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:04:14+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:51:50+0000\n" "Language-Team: Turkish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: out-statusnet\n" @@ -66,7 +66,7 @@ msgstr "" #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -191,7 +191,7 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -508,7 +508,7 @@ msgstr "Geçersiz büyüklük." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -770,7 +770,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "" @@ -990,7 +990,7 @@ msgstr "Kendinizi ve ilgi alanlarınızı 140 karakter ile anlatın" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -1020,7 +1020,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "Böyle bir durum mesajı yok." -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "" @@ -1279,7 +1279,7 @@ msgstr "Hakkında bölümü çok uzun (azm 140 karakter)." msgid "Could not update group." msgstr "Kullanıcı güncellenemedi." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 #, fuzzy msgid "Could not create aliases." msgstr "Avatar bilgisi kaydedilemedi" @@ -2793,25 +2793,25 @@ msgstr "" msgid "Invalid tag: \"%s\"" msgstr "%s Geçersiz baÅŸlangıç sayfası" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "" -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 #, fuzzy msgid "Couldn't save location prefs." msgstr "Profil kaydedilemedi." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "Profil kaydedilemedi." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 #, fuzzy msgid "Couldn't save tags." msgstr "Profil kaydedilemedi." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "Ayarlar kaydedildi." @@ -3216,7 +3216,7 @@ msgstr "EÄŸer lisansı kabul etmezseniz kayıt olamazsınız." msgid "You already repeated that notice." msgstr "Zaten giriÅŸ yapmış durumdasıznız!" -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 #, fuzzy msgid "Repeated" msgstr "Yarat" @@ -3910,12 +3910,21 @@ msgstr "Bize o profili yollamadınız" msgid "Could not save subscription." msgstr "Abonelik oluÅŸturulamadı." -#: actions/subscribe.php:55 +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 #, fuzzy -msgid "Not a local user." -msgstr "Böyle bir kullanıcı yok." +msgid "No such profile." +msgstr "Böyle bir durum mesajı yok." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "Bize o profili yollamadınız" -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 #, fuzzy msgid "Subscribed" msgstr "Abone ol" @@ -3976,7 +3985,7 @@ msgstr "Sizin durumlarını takip ettiÄŸiniz kullanıcılar" msgid "These are the people whose notices %s listens to." msgstr "%s adlı kullanıcının durumlarını takip ettiÄŸi kullanıcılar" -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -3986,17 +3995,17 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, fuzzy, php-format msgid "%s is not listening to anyone." msgstr "%1$s %2$s'da durumunuzu takip ediyor" -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 #, fuzzy msgid "Jabber" msgstr "JabberID yok." -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "" @@ -4413,46 +4422,41 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:215 +#: classes/Notice.php:222 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:219 +#: classes/Notice.php:226 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:811 +#: classes/Notice.php:882 #, fuzzy msgid "Problem saving group inbox." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "Cevap eklenirken veritabanı hatası: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4480,7 +4484,7 @@ msgstr "Bu kullanıcıyı zaten takip etmiyorsunuz!" msgid "Couldn't delete self-subscription." msgstr "Abonelik silinemedi." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Abonelik silinemedi." @@ -4489,12 +4493,12 @@ msgstr "Abonelik silinemedi." msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:413 +#: classes/User_group.php:423 #, fuzzy msgid "Could not create group." msgstr "Avatar bilgisi kaydedilemedi" -#: classes/User_group.php:442 +#: classes/User_group.php:452 #, fuzzy msgid "Could not set group membership." msgstr "Abonelik oluÅŸturulamadı." @@ -4728,6 +4732,18 @@ msgstr "« Sonra" msgid "Before" msgstr "Önce »" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "" @@ -5050,7 +5066,7 @@ msgstr "Böyle bir kullanıcı yok." msgid "Subscribed to %s" msgstr "" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "" @@ -5088,37 +5104,42 @@ msgstr "" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "AboneliÄŸi sonlandır" + +#: lib/command.php:709 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Bize o profili yollamadınız" -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Bize o profili yollamadınız" -#: lib/command.php:703 +#: lib/command.php:731 #, fuzzy msgid "No one is subscribed to you." msgstr "Uzaktan abonelik" -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Uzaktan abonelik" -#: lib/command.php:725 +#: lib/command.php:753 #, fuzzy msgid "You are not a member of any groups." msgstr "Bize o profili yollamadınız" -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Bize o profili yollamadınız" -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5132,6 +5153,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5159,20 +5181,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 #, fuzzy msgid "No configuration file found. " msgstr "Onay kodu yok." -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "" @@ -5601,7 +5623,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "" @@ -5751,26 +5773,26 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 #, fuzzy msgid "in context" msgstr "İçerik yok!" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 #, fuzzy msgid "Repeated by" msgstr "Yarat" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 #, fuzzy msgid "Reply" msgstr "cevapla" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 #, fuzzy msgid "Notice repeated" msgstr "Durum mesajları" @@ -6064,47 +6086,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "birkaç saniye önce" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "yaklaşık bir dakika önce" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "yaklaşık %d dakika önce" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "yaklaşık bir saat önce" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "yaklaşık %d saat önce" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "yaklaşık bir gün önce" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "yaklaşık %d gün önce" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "yaklaşık bir ay önce" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "yaklaşık %d ay önce" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "yaklaşık bir yıl önce" diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index 3efac8de1..c261c310d 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:04:18+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:51:53+0000\n" "Language-Team: Ukrainian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: out-statusnet\n" @@ -65,7 +65,7 @@ msgstr "СкаÑувати подальшу регіÑтрацію." #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -193,7 +193,7 @@ msgstr "ÐžÐ½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð²Ñ–Ð´ %1$s та друзів на %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -499,7 +499,7 @@ msgstr "Ðевірний токен." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -758,7 +758,7 @@ msgid "Preview" msgstr "ПереглÑд" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "Видалити" @@ -968,7 +968,7 @@ msgstr "Видалити додаток" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -997,7 +997,7 @@ msgstr "Ви впевненні, що бажаєте видалити цей д msgid "Do not delete this notice" msgstr "Ðе видалÑти цей допиÑ" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "Видалити допиÑ" @@ -1238,7 +1238,7 @@ msgstr "Ð¾Ð¿Ð¸Ñ Ð½Ð°Ð´Ñ‚Ð¾ довгий (%d знаків макÑимум)." msgid "Could not update group." msgstr "Ðе вдалоÑÑ Ð¾Ð½Ð¾Ð²Ð¸Ñ‚Ð¸ групу." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 msgid "Could not create aliases." msgstr "Ðеможна призначити додаткові імена." @@ -2765,23 +2765,23 @@ msgstr "Мова задовга (50 знаків макÑимум)." msgid "Invalid tag: \"%s\"" msgstr "ÐедійÑний теґ: \"%s\"" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "Ðе вдалоÑÑ Ð¾Ð½Ð¾Ð²Ð¸Ñ‚Ð¸ кориÑтувача Ð´Ð»Ñ Ð°Ð²Ñ‚Ð¾Ð¿Ñ–Ð´Ð¿Ð¸Ñки." -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 msgid "Couldn't save location prefs." msgstr "Ðе вдалоÑÑ Ð·Ð±ÐµÑ€ÐµÐ³Ñ‚Ð¸ Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ñ€Ð¾Ð·Ñ‚Ð°ÑˆÑƒÐ²Ð°Ð½Ð½Ñ." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "Ðе вдалоÑÑ Ð·Ð±ÐµÑ€ÐµÐ³Ñ‚Ð¸ профіль." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 msgid "Couldn't save tags." msgstr "Ðе вдалоÑÑ Ð·Ð±ÐµÑ€ÐµÐ³Ñ‚Ð¸ теґи." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "ÐÐ°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ð·Ð±ÐµÑ€ÐµÐ¶ÐµÐ½Ð¾." @@ -3215,7 +3215,7 @@ msgstr "Ви не можете вторувати Ñвоїм влаÑним до msgid "You already repeated that notice." msgstr "Ви вже вторували цьому допиÑу." -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 msgid "Repeated" msgstr "ВторуваннÑ" @@ -3932,11 +3932,21 @@ msgstr "Ви не підпиÑані до цього профілю." msgid "Could not save subscription." msgstr "Ðе вдалоÑÑ Ð·Ð±ÐµÑ€ÐµÐ³Ñ‚Ð¸ підпиÑку." -#: actions/subscribe.php:55 -msgid "Not a local user." -msgstr "Такого кориÑтувача немає." +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" -#: actions/subscribe.php:69 +#: actions/subscribe.php:107 +#, fuzzy +msgid "No such profile." +msgstr "Такого файлу немає." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "Ви не підпиÑані до цього профілю." + +#: actions/subscribe.php:145 msgid "Subscribed" msgstr "ПідпиÑані" @@ -4000,7 +4010,7 @@ msgstr "Тут предÑтавлені Ñ‚Ñ–, за чиїми допиÑами msgid "These are the people whose notices %s listens to." msgstr "Тут предÑтавлені Ñ‚Ñ–, за чиїми допиÑами Ñлідкує %s." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -4016,16 +4026,16 @@ msgstr "" "action.twittersettings%%), то можете автоматично підпиÑатиÑÑŒ до людей, за " "Ñкими Ñлідкуєте там." -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, php-format msgid "%s is not listening to anyone." msgstr "%s не відÑлідковує нічого" -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 msgid "Jabber" msgstr "Jabber" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "СМС" @@ -4450,22 +4460,22 @@ msgstr "Ðе можна оновити Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ð· новим UR msgid "DB error inserting hashtag: %s" msgstr "Помилка бази даних при додаванні теґу: %s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 msgid "Problem saving notice. Too long." msgstr "Проблема при збереженні допиÑу. Ðадто довге." -#: classes/Notice.php:219 +#: classes/Notice.php:226 msgid "Problem saving notice. Unknown user." msgstr "Проблема при збереженні допиÑу. Ðевідомий кориÑтувач." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Дуже багато допиÑів за короткий термін; ходіть подихайте повітрÑм Ñ– " "повертайтеÑÑŒ за кілька хвилин." -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4473,24 +4483,19 @@ msgstr "" "Дуже багато повідомлень за короткий термін; ходіть подихайте повітрÑм Ñ– " "повертайтеÑÑŒ за кілька хвилин." -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "Вам заборонено надÑилати допиÑи до цього Ñайту." -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "Проблема при збереженні допиÑу." -#: classes/Notice.php:811 +#: classes/Notice.php:882 msgid "Problem saving group inbox." msgstr "Проблема при збереженні вхідних допиÑів Ð´Ð»Ñ Ð³Ñ€ÑƒÐ¿Ð¸." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "Помилка бази даних при додаванні відповіді: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4515,7 +4520,7 @@ msgstr "Ðе підпиÑано!" msgid "Couldn't delete self-subscription." msgstr "Ðе можу видалити ÑамопідпиÑку." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Ðе вдалоÑÑ Ð²Ð¸Ð´Ð°Ð»Ð¸Ñ‚Ð¸ підпиÑку." @@ -4524,11 +4529,11 @@ msgstr "Ðе вдалоÑÑ Ð²Ð¸Ð´Ð°Ð»Ð¸Ñ‚Ð¸ підпиÑку." msgid "Welcome to %1$s, @%2$s!" msgstr "Вітаємо на %1$s, @%2$s!" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "Ðе вдалоÑÑ Ñтворити нову групу." -#: classes/User_group.php:442 +#: classes/User_group.php:452 msgid "Could not set group membership." msgstr "Ðе вдалоÑÑ Ð²Ñтановити членÑтво." @@ -4750,6 +4755,18 @@ msgstr "Вперед" msgid "Before" msgstr "Ðазад" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "Ви не можете щоÑÑŒ змінювати на цьому Ñайті." @@ -5048,7 +5065,6 @@ msgid "Specify the name of the user to subscribe to" msgstr "Зазначте Ñ–Ð¼â€™Ñ ÐºÐ¾Ñ€Ð¸Ñтувача, до Ñкого бажаєте підпиÑатиÑÑŒ" #: lib/command.php:554 lib/command.php:589 -#, fuzzy msgid "No such user" msgstr "Такого кориÑтувача немає." @@ -5057,7 +5073,7 @@ msgstr "Такого кориÑтувача немає." msgid "Subscribed to %s" msgstr "ПідпиÑано до %s" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "Зазначте Ñ–Ð¼â€™Ñ ÐºÐ¾Ñ€Ð¸Ñтувача, від Ñкого бажаєте відпиÑатиÑÑŒ" @@ -5096,40 +5112,46 @@ msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" "Це поÑÐ¸Ð»Ð°Ð½Ð½Ñ Ð¼Ð¾Ð¶Ð½Ð° викориÑтати лише раз, воно дійÑне протÑгом 2 хвилин: %s" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "ВідпиÑано від %s" + +#: lib/command.php:709 msgid "You are not subscribed to anyone." msgstr "Ви не маєте жодних підпиÑок." -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Ви підпиÑані до цієї оÑоби:" msgstr[1] "Ви підпиÑані до цих людей:" msgstr[2] "Ви підпиÑані до цих людей:" -#: lib/command.php:703 +#: lib/command.php:731 msgid "No one is subscribed to you." msgstr "До Ð’Ð°Ñ Ð½Ñ–Ñ…Ñ‚Ð¾ не підпиÑаний." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Ð¦Ñ Ð¾Ñоба Ñ” підпиÑаною до ВаÑ:" msgstr[1] "Ці люди підпиÑані до ВаÑ:" msgstr[2] "Ці люди підпиÑані до ВаÑ:" -#: lib/command.php:725 +#: lib/command.php:753 msgid "You are not a member of any groups." msgstr "Ви не Ñ” учаÑником жодної групи." -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Ви Ñ” учаÑником групи:" msgstr[1] "Ви Ñ” учаÑником таких груп:" msgstr[2] "Ви Ñ” учаÑником таких груп:" -#: lib/command.php:741 +#: lib/command.php:769 +#, fuzzy msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5143,6 +5165,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5205,19 +5228,19 @@ msgstr "" "tracks — наразі не виконуєтьÑÑ\n" "tracking — наразі не виконуєтьÑÑ\n" -#: lib/common.php:135 +#: lib/common.php:136 msgid "No configuration file found. " msgstr "Файлу конфігурації не знайдено. " -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "Шукав файли конфігурації в цих міÑцÑÑ…: " -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "ЗапуÑÑ‚Ñ–Ñ‚ÑŒ файл інÑталÑції, аби полагодити це." -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "Іти до файлу інÑталÑції." @@ -5712,7 +5735,7 @@ msgstr "" "Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ð°Ð±Ð¸ долучити кориÑтувачів до розмови. Такі Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ð±Ð°Ñ‡Ð¸Ñ‚Ðµ " "лише Ви." -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "від" @@ -5862,23 +5885,23 @@ msgstr "Зах." msgid "at" msgstr "в" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 msgid "in context" msgstr "в контекÑÑ‚Ñ–" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 msgid "Repeated by" msgstr "Вторуванні" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "ВідповіÑти на цей допиÑ" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "ВідповіÑти" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 msgid "Notice repeated" msgstr "Ð”Ð¾Ð¿Ð¸Ñ Ð²Ñ‚Ð¾Ñ€ÑƒÐ²Ð°Ð»Ð¸" @@ -6156,47 +6179,47 @@ msgstr "ПовідомленнÑ" msgid "Moderate" msgstr "Модерувати" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "мить тому" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "хвилину тому" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "близько %d хвилин тому" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "годину тому" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "близько %d годин тому" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "день тому" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "близько %d днів тому" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "міÑÑць тому" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "близько %d міÑÑців тому" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "рік тому" diff --git a/locale/vi/LC_MESSAGES/statusnet.po b/locale/vi/LC_MESSAGES/statusnet.po index 34e7f4123..4dcc58488 100644 --- a/locale/vi/LC_MESSAGES/statusnet.po +++ b/locale/vi/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:04:21+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:51:57+0000\n" "Language-Team: Vietnamese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: vi\n" "X-Message-Group: out-statusnet\n" @@ -65,7 +65,7 @@ msgstr "" #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -190,7 +190,7 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -510,7 +510,7 @@ msgstr "Kích thÆ°á»›c không hợp lệ." #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -773,7 +773,7 @@ msgid "Preview" msgstr "Xem trÆ°á»›c" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 #, fuzzy msgid "Delete" msgstr "Xóa tin nhắn" @@ -995,7 +995,7 @@ msgstr "Xóa tin nhắn" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -1026,7 +1026,7 @@ msgstr "Bạn có chắc chắn là muốn xóa tin nhắn này không?" msgid "Do not delete this notice" msgstr "Không thể xóa tin nhắn này." -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 #, fuzzy msgid "Delete this notice" msgstr "Xóa tin nhắn" @@ -1298,7 +1298,7 @@ msgstr "Lý lịch quá dài (không quá 140 ký tá»±)" msgid "Could not update group." msgstr "Không thể cập nhật thành viên." -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 #, fuzzy msgid "Could not create aliases." msgstr "Không thể tạo favorite." @@ -2890,26 +2890,26 @@ msgstr "Ngôn ngữ quaÌ daÌ€i (tối Ä‘a là 50 ký tá»±)." msgid "Invalid tag: \"%s\"" msgstr "Trang chủ '%s' không hợp lệ" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 #, fuzzy msgid "Couldn't update user for autosubscribe." msgstr "Không thể cập nhật thành viên." -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 #, fuzzy msgid "Couldn't save location prefs." msgstr "Không thể lÆ°u hồ sÆ¡ cá nhân." -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "Không thể lÆ°u hồ sÆ¡ cá nhân." -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 #, fuzzy msgid "Couldn't save tags." msgstr "Không thể lÆ°u hồ sÆ¡ cá nhân." -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "Äã lÆ°u các Ä‘iá»u chỉnh." @@ -3335,7 +3335,7 @@ msgstr "Bạn không thể đăng ký nếu không đồng ý các Ä‘iá»u kho msgid "You already repeated that notice." msgstr "Bạn đã theo những ngÆ°á»i này:" -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 #, fuzzy msgid "Repeated" msgstr "Tạo" @@ -4049,12 +4049,21 @@ msgstr "Bạn chÆ°a cập nhật thông tin riêng" msgid "Could not save subscription." msgstr "Không thể tạo đăng nhận." -#: actions/subscribe.php:55 +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 #, fuzzy -msgid "Not a local user." -msgstr "Không có user nào." +msgid "No such profile." +msgstr "Không có tin nhắn nào." + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "Bạn chÆ°a cập nhật thông tin riêng" -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 #, fuzzy msgid "Subscribed" msgstr "Theo bạn này" @@ -4115,7 +4124,7 @@ msgstr "Có nhiá»u ngÆ°á»i gá»­i lá»i nhắn để bạn nghe theo." msgid "These are the people whose notices %s listens to." msgstr "Có nhiá»u ngÆ°á»i gá»­i lá»i nhắn để %s nghe theo." -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -4125,17 +4134,17 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, fuzzy, php-format msgid "%s is not listening to anyone." msgstr "%1$s dang theo doi tin nhan cua ban tren %2$s." -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 #, fuzzy msgid "Jabber" msgstr "Không có Jabber ID." -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "SMS" @@ -4565,46 +4574,41 @@ msgstr "Không thể cập nhật thông tin user vá»›i địa chỉ email đã msgid "DB error inserting hashtag: %s" msgstr "Lá»—i cÆ¡ sở dữ liệu khi chèn trả lá»i: %s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:219 +#: classes/Notice.php:226 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:811 +#: classes/Notice.php:882 #, fuzzy msgid "Problem saving group inbox." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "Lá»—i cÆ¡ sở dữ liệu khi chèn trả lá»i: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%s (%s)" @@ -4632,7 +4636,7 @@ msgstr "ChÆ°a đăng nhận!" msgid "Couldn't delete self-subscription." msgstr "Không thể xóa đăng nhận." -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Không thể xóa đăng nhận." @@ -4641,12 +4645,12 @@ msgstr "Không thể xóa đăng nhận." msgid "Welcome to %1$s, @%2$s!" msgstr "%s chào mừng bạn " -#: classes/User_group.php:413 +#: classes/User_group.php:423 #, fuzzy msgid "Could not create group." msgstr "Không thể tạo favorite." -#: classes/User_group.php:442 +#: classes/User_group.php:452 #, fuzzy msgid "Could not set group membership." msgstr "Không thể tạo đăng nhận." @@ -4885,6 +4889,18 @@ msgstr "Sau" msgid "Before" msgstr "TrÆ°á»›c" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 #, fuzzy msgid "You cannot make changes to this site." @@ -5213,7 +5229,7 @@ msgstr "Không có user nào." msgid "Subscribed to %s" msgstr "Theo nhóm này" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "" @@ -5253,37 +5269,42 @@ msgstr "" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "Hết theo" + +#: lib/command.php:709 #, fuzzy msgid "You are not subscribed to anyone." msgstr "Bạn chÆ°a cập nhật thông tin riêng" -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "Bạn đã theo những ngÆ°á»i này:" -#: lib/command.php:703 +#: lib/command.php:731 #, fuzzy msgid "No one is subscribed to you." msgstr "Không thể tạo favorite." -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "Không thể tạo favorite." -#: lib/command.php:725 +#: lib/command.php:753 #, fuzzy msgid "You are not a member of any groups." msgstr "Bạn chÆ°a cập nhật thông tin riêng" -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "Bạn chÆ°a cập nhật thông tin riêng" -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5297,6 +5318,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5324,20 +5346,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 #, fuzzy msgid "No configuration file found. " msgstr "Không có mã số xác nhận." -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "" @@ -5823,7 +5845,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 #, fuzzy msgid "from" msgstr " từ " @@ -5977,26 +5999,26 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 #, fuzzy msgid "in context" msgstr "Không có ná»™i dung!" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 #, fuzzy msgid "Repeated by" msgstr "Tạo" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 #, fuzzy msgid "Reply to this notice" msgstr "Trả lá»i tin nhắn này" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "Trả lá»i" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 #, fuzzy msgid "Notice repeated" msgstr "Tin đã gá»­i" @@ -6304,47 +6326,47 @@ msgstr "Tin má»›i nhất" msgid "Moderate" msgstr "" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "vài giây trÆ°á»›c" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "1 phút trÆ°á»›c" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "%d phút trÆ°á»›c" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "1 giá» trÆ°á»›c" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "%d giá» trÆ°á»›c" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "1 ngày trÆ°á»›c" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "%d ngày trÆ°á»›c" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "1 tháng trÆ°á»›c" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "%d tháng trÆ°á»›c" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "1 năm trÆ°á»›c" diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index 838ed646d..60ca89d66 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:04:24+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:52:00+0000\n" "Language-Team: Simplified Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: out-statusnet\n" @@ -68,7 +68,7 @@ msgstr "" #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -192,7 +192,7 @@ msgstr "æ¥è‡ª%2$s 上 %1$s 和好å‹çš„æ›´æ–°ï¼" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -508,7 +508,7 @@ msgstr "大å°ä¸æ­£ç¡®ã€‚" #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -768,7 +768,7 @@ msgid "Preview" msgstr "预览" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 #, fuzzy msgid "Delete" msgstr "删除" @@ -991,7 +991,7 @@ msgstr "删除通告" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -1022,7 +1022,7 @@ msgstr "确定è¦åˆ é™¤è¿™æ¡æ¶ˆæ¯å—?" msgid "Do not delete this notice" msgstr "无法删除通告。" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 #, fuzzy msgid "Delete this notice" msgstr "删除通告" @@ -1286,7 +1286,7 @@ msgstr "æ述过长(ä¸èƒ½è¶…过140字符)。" msgid "Could not update group." msgstr "无法更新组" -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 #, fuzzy msgid "Could not create aliases." msgstr "无法创建收è—。" @@ -2830,25 +2830,25 @@ msgstr "语言过长(ä¸èƒ½è¶…过50个字符)。" msgid "Invalid tag: \"%s\"" msgstr "主页'%s'ä¸æ­£ç¡®" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "无法更新用户的自动订阅选项。" -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 #, fuzzy msgid "Couldn't save location prefs." msgstr "无法ä¿å­˜ä¸ªäººä¿¡æ¯ã€‚" -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "无法ä¿å­˜ä¸ªäººä¿¡æ¯ã€‚" -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 #, fuzzy msgid "Couldn't save tags." msgstr "无法ä¿å­˜ä¸ªäººä¿¡æ¯ã€‚" -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "设置已ä¿å­˜ã€‚" @@ -3269,7 +3269,7 @@ msgstr "您必须åŒæ„此授æƒæ–¹å¯æ³¨å†Œã€‚" msgid "You already repeated that notice." msgstr "您已æˆåŠŸé˜»æ­¢è¯¥ç”¨æˆ·ï¼š" -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 #, fuzzy msgid "Repeated" msgstr "创建" @@ -3978,12 +3978,21 @@ msgstr "您未告知此个人信æ¯" msgid "Could not save subscription." msgstr "无法删除订阅。" -#: actions/subscribe.php:55 +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 #, fuzzy -msgid "Not a local user." -msgstr "没有这个用户。" +msgid "No such profile." +msgstr "没有这份通告。" + +#: actions/subscribe.php:117 +#, fuzzy +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "您未告知此个人信æ¯" -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 #, fuzzy msgid "Subscribed" msgstr "订阅" @@ -4044,7 +4053,7 @@ msgstr "这是您订阅的用户。" msgid "These are the people whose notices %s listens to." msgstr "这是 %s 订阅的用户。" -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -4054,17 +4063,17 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, fuzzy, php-format msgid "%s is not listening to anyone." msgstr "%1$s 开始关注您的 %2$s ä¿¡æ¯ã€‚" -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 #, fuzzy msgid "Jabber" msgstr "没有 Jabber ID。" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "SMS短信" @@ -4490,47 +4499,42 @@ msgstr "无法添加新URIçš„ä¿¡æ¯ã€‚" msgid "DB error inserting hashtag: %s" msgstr "添加标签时数æ®åº“出错:%s" -#: classes/Notice.php:215 +#: classes/Notice.php:222 #, fuzzy msgid "Problem saving notice. Too long." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:219 +#: classes/Notice.php:226 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "你在短时间里å‘布了过多的消æ¯ï¼Œè¯·æ·±å‘¼å¸ï¼Œè¿‡å‡ åˆ†é’Ÿå†å‘消æ¯ã€‚" -#: classes/Notice.php:230 +#: classes/Notice.php:237 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "你在短时间里å‘布了过多的消æ¯ï¼Œè¯·æ·±å‘¼å¸ï¼Œè¿‡å‡ åˆ†é’Ÿå†å‘消æ¯ã€‚" -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "在这个网站你被ç¦æ­¢å‘布消æ¯ã€‚" -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:811 +#: classes/Notice.php:882 #, fuzzy msgid "Problem saving group inbox." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "添加回å¤æ—¶æ•°æ®åº“出错:%s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4559,7 +4563,7 @@ msgstr "未订阅ï¼" msgid "Couldn't delete self-subscription." msgstr "无法删除订阅。" -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "无法删除订阅。" @@ -4568,11 +4572,11 @@ msgstr "无法删除订阅。" msgid "Welcome to %1$s, @%2$s!" msgstr "å‘é€ç»™ %1$s çš„ %2$s 消æ¯" -#: classes/User_group.php:413 +#: classes/User_group.php:423 msgid "Could not create group." msgstr "无法创建组。" -#: classes/User_group.php:442 +#: classes/User_group.php:452 #, fuzzy msgid "Could not set group membership." msgstr "无法删除订阅。" @@ -4807,6 +4811,18 @@ msgstr "« 之åŽ" msgid "Before" msgstr "ä¹‹å‰ Â»" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 #, fuzzy msgid "You cannot make changes to this site." @@ -5122,7 +5138,6 @@ msgid "Specify the name of the user to subscribe to" msgstr "指定è¦è®¢é˜…的用户å" #: lib/command.php:554 lib/command.php:589 -#, fuzzy msgid "No such user" msgstr "没有这个用户。" @@ -5131,7 +5146,7 @@ msgstr "没有这个用户。" msgid "Subscribed to %s" msgstr "订阅 %s" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "指定è¦å–消订阅的用户å" @@ -5169,37 +5184,42 @@ msgstr "" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "å–消订阅 %s" + +#: lib/command.php:709 #, fuzzy msgid "You are not subscribed to anyone." msgstr "您未告知此个人信æ¯" -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "您已订阅这些用户:" -#: lib/command.php:703 +#: lib/command.php:731 #, fuzzy msgid "No one is subscribed to you." msgstr "无法订阅他人更新。" -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "无法订阅他人更新。" -#: lib/command.php:725 +#: lib/command.php:753 #, fuzzy msgid "You are not a member of any groups." msgstr "您未告知此个人信æ¯" -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "您未告知此个人信æ¯" -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5213,6 +5233,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5240,20 +5261,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 #, fuzzy msgid "No configuration file found. " msgstr "没有验è¯ç " -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:139 +#: lib/common.php:140 #, fuzzy msgid "Go to the installer." msgstr "登入本站" @@ -5692,7 +5713,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 #, fuzzy msgid "from" msgstr " 从 " @@ -5845,27 +5866,27 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 #, fuzzy msgid "in context" msgstr "没有内容ï¼" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 #, fuzzy msgid "Repeated by" msgstr "创建" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 #, fuzzy msgid "Reply to this notice" msgstr "无法删除通告。" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 #, fuzzy msgid "Reply" msgstr "回å¤" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 #, fuzzy msgid "Notice repeated" msgstr "消æ¯å·²å‘布。" @@ -6171,47 +6192,47 @@ msgstr "新消æ¯" msgid "Moderate" msgstr "" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "几秒å‰" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "一分钟å‰" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "%d 分钟å‰" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "一å°æ—¶å‰" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "%d å°æ—¶å‰" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "一天å‰" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "%d 天å‰" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "一个月å‰" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "%d 个月å‰" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "一年å‰" diff --git a/locale/zh_TW/LC_MESSAGES/statusnet.po b/locale/zh_TW/LC_MESSAGES/statusnet.po index be69293d2..ff517edec 100644 --- a/locale/zh_TW/LC_MESSAGES/statusnet.po +++ b/locale/zh_TW/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-21 23:02+0000\n" -"PO-Revision-Date: 2010-02-21 23:04:27+0000\n" +"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"PO-Revision-Date: 2010-02-24 23:52:03+0000\n" "Language-Team: Traditional Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.16alpha (r62792); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hant\n" "X-Message-Group: out-statusnet\n" @@ -63,7 +63,7 @@ msgstr "" #: actions/othersettings.php:126 actions/pathsadminpanel.php:351 #: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 #: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:203 actions/tagother.php:154 +#: actions/subscriptions.php:208 actions/tagother.php:154 #: actions/useradminpanel.php:293 lib/applicationeditform.php:333 #: lib/applicationeditform.php:334 lib/designsettings.php:256 #: lib/groupeditform.php:202 @@ -188,7 +188,7 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:194 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 @@ -500,7 +500,7 @@ msgstr "尺寸錯誤" #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 -#: actions/subscribe.php:46 actions/tagother.php:166 +#: actions/subscribe.php:86 actions/tagother.php:166 #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." @@ -760,7 +760,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:636 +#: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "" @@ -980,7 +980,7 @@ msgstr "請在140個字以內æ述你自己與你的興趣" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:30 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 #: lib/adminpanelaction.php:72 lib/profileformaction.php:63 #: lib/settingsaction.php:72 @@ -1010,7 +1010,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "無此通知" -#: actions/deletenotice.php:146 lib/noticelist.php:636 +#: actions/deletenotice.php:146 lib/noticelist.php:637 msgid "Delete this notice" msgstr "" @@ -1267,7 +1267,7 @@ msgstr "自我介紹éŽé•·(å…±140個字元)" msgid "Could not update group." msgstr "無法更新使用者" -#: actions/editgroup.php:259 classes/User_group.php:423 +#: actions/editgroup.php:259 classes/User_group.php:433 #, fuzzy msgid "Could not create aliases." msgstr "無法存å–個人圖åƒè³‡æ–™" @@ -2739,25 +2739,25 @@ msgstr "" msgid "Invalid tag: \"%s\"" msgstr "個人首é é€£çµ%s無效" -#: actions/profilesettings.php:302 +#: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." msgstr "" -#: actions/profilesettings.php:359 +#: actions/profilesettings.php:363 #, fuzzy msgid "Couldn't save location prefs." msgstr "無法儲存個人資料" -#: actions/profilesettings.php:371 +#: actions/profilesettings.php:375 msgid "Couldn't save profile." msgstr "無法儲存個人資料" -#: actions/profilesettings.php:379 +#: actions/profilesettings.php:383 #, fuzzy msgid "Couldn't save tags." msgstr "無法儲存個人資料" -#: actions/profilesettings.php:387 lib/adminpanelaction.php:137 +#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 msgid "Settings saved." msgstr "" @@ -3152,7 +3152,7 @@ msgstr "" msgid "You already repeated that notice." msgstr "無此使用者" -#: actions/repeat.php:114 lib/noticelist.php:655 +#: actions/repeat.php:114 lib/noticelist.php:656 #, fuzzy msgid "Repeated" msgstr "新增" @@ -3841,12 +3841,20 @@ msgstr "" msgid "Could not save subscription." msgstr "註冊失敗" -#: actions/subscribe.php:55 +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 #, fuzzy -msgid "Not a local user." -msgstr "無此使用者" +msgid "No such profile." +msgstr "無此通知" + +#: actions/subscribe.php:117 +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "" -#: actions/subscribe.php:69 +#: actions/subscribe.php:145 #, fuzzy msgid "Subscribed" msgstr "此帳號已註冊" @@ -3907,7 +3915,7 @@ msgstr "" msgid "These are the people whose notices %s listens to." msgstr "" -#: actions/subscriptions.php:121 +#: actions/subscriptions.php:126 #, php-format msgid "" "You're not listening to anyone's notices right now, try subscribing to " @@ -3917,17 +3925,17 @@ msgid "" "automatically subscribe to people you already follow there." msgstr "" -#: actions/subscriptions.php:123 actions/subscriptions.php:127 +#: actions/subscriptions.php:128 actions/subscriptions.php:132 #, fuzzy, php-format msgid "%s is not listening to anyone." msgstr "ç¾åœ¨%1$s在%2$sæˆç‚ºä½ çš„粉絲囉" -#: actions/subscriptions.php:194 +#: actions/subscriptions.php:199 #, fuzzy msgid "Jabber" msgstr "查無此Jabber ID" -#: actions/subscriptions.php:199 lib/connectsettingsaction.php:115 +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 msgid "SMS" msgstr "" @@ -4335,46 +4343,41 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:215 +#: classes/Notice.php:222 #, fuzzy msgid "Problem saving notice. Too long." msgstr "儲存使用者發生錯誤" -#: classes/Notice.php:219 +#: classes/Notice.php:226 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "儲存使用者發生錯誤" -#: classes/Notice.php:224 +#: classes/Notice.php:231 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:230 +#: classes/Notice.php:237 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:236 +#: classes/Notice.php:243 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:302 classes/Notice.php:328 +#: classes/Notice.php:309 classes/Notice.php:335 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:811 +#: classes/Notice.php:882 #, fuzzy msgid "Problem saving group inbox." msgstr "儲存使用者發生錯誤" -#: classes/Notice.php:871 -#, php-format -msgid "DB error inserting reply: %s" -msgstr "增加回覆時,資料庫發生錯誤: %s" - -#: classes/Notice.php:1328 +#: classes/Notice.php:1407 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4401,7 +4404,7 @@ msgstr "此帳號已註冊" msgid "Couldn't delete self-subscription." msgstr "無法刪除帳號" -#: classes/Subscription.php:179 +#: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "無法刪除帳號" @@ -4410,12 +4413,12 @@ msgstr "無法刪除帳號" msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:413 +#: classes/User_group.php:423 #, fuzzy msgid "Could not create group." msgstr "無法存å–個人圖åƒè³‡æ–™" -#: classes/User_group.php:442 +#: classes/User_group.php:452 #, fuzzy msgid "Could not set group membership." msgstr "註冊失敗" @@ -4643,6 +4646,18 @@ msgstr "" msgid "Before" msgstr "之å‰çš„內容»" +#: lib/activity.php:382 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:410 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:414 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." msgstr "" @@ -4955,7 +4970,7 @@ msgstr "無此使用者" msgid "Subscribed to %s" msgstr "" -#: lib/command.php:582 +#: lib/command.php:582 lib/command.php:685 msgid "Specify the name of the user to unsubscribe from" msgstr "" @@ -4993,37 +5008,42 @@ msgstr "" msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" -#: lib/command.php:681 +#: lib/command.php:692 +#, fuzzy, php-format +msgid "Unsubscribed %s" +msgstr "此帳號已註冊" + +#: lib/command.php:709 #, fuzzy msgid "You are not subscribed to anyone." msgstr "此帳號已註冊" -#: lib/command.php:683 +#: lib/command.php:711 msgid "You are subscribed to this person:" msgid_plural "You are subscribed to these people:" msgstr[0] "此帳號已註冊" -#: lib/command.php:703 +#: lib/command.php:731 #, fuzzy msgid "No one is subscribed to you." msgstr "無此訂閱" -#: lib/command.php:705 +#: lib/command.php:733 msgid "This person is subscribed to you:" msgid_plural "These people are subscribed to you:" msgstr[0] "無此訂閱" -#: lib/command.php:725 +#: lib/command.php:753 #, fuzzy msgid "You are not a member of any groups." msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" -#: lib/command.php:727 +#: lib/command.php:755 msgid "You are a member of this group:" msgid_plural "You are a member of these groups:" msgstr[0] "無法連çµåˆ°ä¼ºæœå™¨:%s" -#: lib/command.php:741 +#: lib/command.php:769 msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5037,6 +5057,7 @@ msgid "" "d - direct message to user\n" "get - get last notice from user\n" "whois - get profile info on user\n" +"lose - force user to stop following you\n" "fav - add user's last notice as a 'fave'\n" "fav # - add notice with the given id as a 'fave'\n" "repeat # - repeat a notice with a given id\n" @@ -5064,20 +5085,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:135 +#: lib/common.php:136 #, fuzzy msgid "No configuration file found. " msgstr "無確èªç¢¼" -#: lib/common.php:136 +#: lib/common.php:137 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:138 +#: lib/common.php:139 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:139 +#: lib/common.php:140 msgid "Go to the installer." msgstr "" @@ -5500,7 +5521,7 @@ msgid "" "users in conversation. People can send you messages for your eyes only." msgstr "" -#: lib/mailbox.php:227 lib/noticelist.php:481 +#: lib/mailbox.php:227 lib/noticelist.php:482 msgid "from" msgstr "" @@ -5650,25 +5671,25 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:557 +#: lib/noticelist.php:558 #, fuzzy msgid "in context" msgstr "無內容" -#: lib/noticelist.php:582 +#: lib/noticelist.php:583 #, fuzzy msgid "Repeated by" msgstr "新增" -#: lib/noticelist.php:609 +#: lib/noticelist.php:610 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:610 +#: lib/noticelist.php:611 msgid "Reply" msgstr "" -#: lib/noticelist.php:654 +#: lib/noticelist.php:655 #, fuzzy msgid "Notice repeated" msgstr "更新個人圖åƒ" @@ -5959,47 +5980,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:871 +#: lib/util.php:952 msgid "a few seconds ago" msgstr "" -#: lib/util.php:873 +#: lib/util.php:954 msgid "about a minute ago" msgstr "" -#: lib/util.php:875 +#: lib/util.php:956 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:877 +#: lib/util.php:958 msgid "about an hour ago" msgstr "" -#: lib/util.php:879 +#: lib/util.php:960 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:881 +#: lib/util.php:962 msgid "about a day ago" msgstr "" -#: lib/util.php:883 +#: lib/util.php:964 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:885 +#: lib/util.php:966 msgid "about a month ago" msgstr "" -#: lib/util.php:887 +#: lib/util.php:968 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:889 +#: lib/util.php:970 msgid "about a year ago" msgstr "" -- cgit v1.2.3-54-g00ecf From d72c357750ada3dd0969e79429df0cb37aef9ddd Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Wed, 24 Feb 2010 22:24:11 -0500 Subject: add image support for xbm, xpm, wbmp, and bmp image formats --- lib/imagefile.php | 135 +++++++++++++++++++++++++++++++++++++++++++++++++++++- 1 file changed, 133 insertions(+), 2 deletions(-) diff --git a/lib/imagefile.php b/lib/imagefile.php index 6bc8e599b..7b0479455 100644 --- a/lib/imagefile.php +++ b/lib/imagefile.php @@ -99,6 +99,10 @@ class ImageFile if ($info[2] !== IMAGETYPE_GIF && $info[2] !== IMAGETYPE_JPEG && + $info[2] !== IMAGETYPE_BMP && + $info[2] !== IMAGETYPE_WBMP && + $info[2] !== IMAGETYPE_XBM && + $info[2] !== IMAGETYPE_XPM && $info[2] !== IMAGETYPE_PNG) { @unlink($_FILES[$param]['tmp_name']); @@ -146,6 +150,18 @@ class ImageFile case IMAGETYPE_PNG: $image_src = imagecreatefrompng($this->filepath); break; + case IMAGETYPE_BMP: + $image_src = imagecreatefrombmp($this->filepath); + break; + case IMAGETYPE_WBMP: + $image_src = imagecreatefromwbmp($this->filepath); + break; + case IMAGETYPE_XBM: + $image_src = imagecreatefromxbm($this->filepath); + break; + case IMAGETYPE_XPM: + $image_src = imagecreatefromxpm($this->filepath); + break; default: throw new Exception(_('Unknown file type')); return; @@ -153,7 +169,7 @@ class ImageFile $image_dest = imagecreatetruecolor($size, $size); - if ($this->type == IMAGETYPE_GIF || $this->type == IMAGETYPE_PNG) { + if ($this->type == IMAGETYPE_GIF || $this->type == IMAGETYPE_PNG || $this->type == IMAGETYPE_BMP) { $transparent_idx = imagecolortransparent($image_src); @@ -176,6 +192,24 @@ class ImageFile imagecopyresampled($image_dest, $image_src, 0, 0, $x, $y, $size, $size, $w, $h); + if($this->type == IMAGETYPE_BMP) { + //we don't want to save BMP... it's an inefficient, rare, antiquated format + //save png instead + $this->type = IMAGETYPE_PNG; + } else if($this->type == IMAGETYPE_WBMP) { + //we don't want to save WBMP... it's a rare format that we can't guarantee clients will support + //save png instead + $this->type = IMAGETYPE_PNG; + } else if($this->type == IMAGETYPE_XBM) { + //we don't want to save XBM... it's a rare format that we can't guarantee clients will support + //save png instead + $this->type = IMAGETYPE_PNG; + } else if($this->type == IMAGETYPE_XPM) { + //we don't want to save XPM... it's a rare format that we can't guarantee clients will support + //save png instead + $this->type = IMAGETYPE_PNG; + } + $outname = Avatar::filename($this->id, image_type_to_extension($this->type), $size, @@ -245,4 +279,101 @@ class ImageFile return $num; } -} \ No newline at end of file +} + +//PHP doesn't (as of 2/24/2010) have an imagecreatefrombmp so conditionally define one +if(!function_exists('imagecreatefrombmp')){ + //taken shamelessly from http://www.php.net/manual/en/function.imagecreatefromwbmp.php#86214 + function imagecreatefrombmp($p_sFile) + { + // Load the image into a string + $file = fopen($p_sFile,"rb"); + $read = fread($file,10); + while(!feof($file)&&($read<>"")) + $read .= fread($file,1024); + + $temp = unpack("H*",$read); + $hex = $temp[1]; + $header = substr($hex,0,108); + + // Process the header + // Structure: http://www.fastgraph.com/help/bmp_header_format.html + if (substr($header,0,4)=="424d") + { + // Cut it in parts of 2 bytes + $header_parts = str_split($header,2); + + // Get the width 4 bytes + $width = hexdec($header_parts[19].$header_parts[18]); + + // Get the height 4 bytes + $height = hexdec($header_parts[23].$header_parts[22]); + + // Unset the header params + unset($header_parts); + } + + // Define starting X and Y + $x = 0; + $y = 1; + + // Create newimage + $image = imagecreatetruecolor($width,$height); + + // Grab the body from the image + $body = substr($hex,108); + + // Calculate if padding at the end-line is needed + // Divided by two to keep overview. + // 1 byte = 2 HEX-chars + $body_size = (strlen($body)/2); + $header_size = ($width*$height); + + // Use end-line padding? Only when needed + $usePadding = ($body_size>($header_size*3)+4); + + // Using a for-loop with index-calculation instaid of str_split to avoid large memory consumption + // Calculate the next DWORD-position in the body + for ($i=0;$i<$body_size;$i+=3) + { + // Calculate line-ending and padding + if ($x>=$width) + { + // If padding needed, ignore image-padding + // Shift i to the ending of the current 32-bit-block + if ($usePadding) + $i += $width%4; + + // Reset horizontal position + $x = 0; + + // Raise the height-position (bottom-up) + $y++; + + // Reached the image-height? Break the for-loop + if ($y>$height) + break; + } + + // Calculation of the RGB-pixel (defined as BGR in image-data) + // Define $i_pos as absolute position in the body + $i_pos = $i*2; + $r = hexdec($body[$i_pos+4].$body[$i_pos+5]); + $g = hexdec($body[$i_pos+2].$body[$i_pos+3]); + $b = hexdec($body[$i_pos].$body[$i_pos+1]); + + // Calculate and draw the pixel + $color = imagecolorallocate($image,$r,$g,$b); + imagesetpixel($image,$x,$height-$y,$color); + + // Raise the horizontal position + $x++; + } + + // Unset the body / free the memory + unset($body); + + // Return image-object + return $image; + } +} -- cgit v1.2.3-54-g00ecf From bdf0dfc30d3c44ee6117e55c1c8faef59654e596 Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Wed, 24 Feb 2010 22:29:46 -0500 Subject: Improve description of what the provide_name parameter means --- plugins/LdapAuthentication/README | 5 ++++- plugins/LdapAuthorization/README | 5 ++++- plugins/ReverseUsernameAuthentication/README | 5 ++++- 3 files changed, 12 insertions(+), 3 deletions(-) diff --git a/plugins/LdapAuthentication/README b/plugins/LdapAuthentication/README index 0460fb639..c188f2dbc 100644 --- a/plugins/LdapAuthentication/README +++ b/plugins/LdapAuthentication/README @@ -9,7 +9,10 @@ to the bottom of your config.php Settings ======== -provider_name*: a unique name for this authentication provider. +provider_name*: This is a identifier designated to the connection. + It's how StatusNet will refer to the authentication source. + For the most part, any name can be used, so long as each authentication source has a different identifier. + In most cases there will be only one authentication source used. authoritative (false): Set to true if LDAP's responses are authoritative (if authorative and LDAP fails, no other password checking will be done). autoregistration (false): Set to true if users should be automatically created diff --git a/plugins/LdapAuthorization/README b/plugins/LdapAuthorization/README index 44239d8e0..3a6d8d25e 100644 --- a/plugins/LdapAuthorization/README +++ b/plugins/LdapAuthorization/README @@ -11,7 +11,10 @@ You *cannot* use this plugin without the LDAP Authentication plugin Settings ======== -provider_name*: name of the LDAP authentication provider that this plugin works with. +provider_name*: This is a identifier designated to the connection. + It's how StatusNet will refer to the authentication source. + For the most part, any name can be used, so long as each authentication source has a different identifier. + In most cases there will be only one authentication source used. authoritative (false): should this plugin be authoritative for authorization? uniqueMember_attribute ('uniqueMember')*: the attribute of a group diff --git a/plugins/ReverseUsernameAuthentication/README b/plugins/ReverseUsernameAuthentication/README index e9160ed9b..57b53219e 100644 --- a/plugins/ReverseUsernameAuthentication/README +++ b/plugins/ReverseUsernameAuthentication/README @@ -8,7 +8,10 @@ add "addPlugin('reverseUsernameAuthentication', array('setting'=>'value', 'setti Settings ======== -provider_name*: a unique name for this authentication provider. +provider_name*: This is a identifier designated to the connection. + It's how StatusNet will refer to the authentication source. + For the most part, any name can be used, so long as each authentication source has a different identifier. + In most cases there will be only one authentication source used. password_changeable*: must be set to false. This plugin does not support changing passwords. authoritative (false): Set to true if this plugin's responses are authoritative (meaning if this fails, do check any other plugins or the internal password database). autoregistration (false): Set to true if users should be automatically created when they attempt to login. -- cgit v1.2.3-54-g00ecf From beb776cfd6b9b78d1f192d55e7e8bc311a0d00ea Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Wed, 24 Feb 2010 22:35:22 -0500 Subject: fix "PHP Warning: Call-time pass-by-reference has been deprecated" --- lib/authorizationplugin.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/authorizationplugin.php b/lib/authorizationplugin.php index 733b0c065..07da9b2d1 100644 --- a/lib/authorizationplugin.php +++ b/lib/authorizationplugin.php @@ -85,7 +85,7 @@ abstract class AuthorizationPlugin extends Plugin } function onStartSetApiUser(&$user) { - return $this->onStartSetUser(&$user); + return $this->onStartSetUser($user); } function onStartHasRole($profile, $name, &$has_role) { -- cgit v1.2.3-54-g00ecf From 489bd935ebdaf607e18f0befe2ad85ed905728ad Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Wed, 24 Feb 2010 23:20:34 -0500 Subject: Make LDAP connection error fatal - there really is no way to recover from that. --- plugins/LdapAuthentication/LdapAuthenticationPlugin.php | 3 +-- plugins/LdapAuthorization/LdapAuthorizationPlugin.php | 5 ++++- 2 files changed, 5 insertions(+), 3 deletions(-) diff --git a/plugins/LdapAuthentication/LdapAuthenticationPlugin.php b/plugins/LdapAuthentication/LdapAuthenticationPlugin.php index 768f0fe7f..1b5dc92e3 100644 --- a/plugins/LdapAuthentication/LdapAuthenticationPlugin.php +++ b/plugins/LdapAuthentication/LdapAuthenticationPlugin.php @@ -199,8 +199,7 @@ class LdapAuthenticationPlugin extends AuthenticationPlugin $ldap->setErrorHandling(PEAR_ERROR_RETURN); $err=$ldap->bind(); if (Net_LDAP2::isError($err)) { - common_log(LOG_WARNING, 'Could not connect to LDAP server: '.$err->getMessage()); - return false; + throw new Exception('Could not connect to LDAP server: '.$err->getMessage()); } if($config == null) $this->default_ldap=$ldap; diff --git a/plugins/LdapAuthorization/LdapAuthorizationPlugin.php b/plugins/LdapAuthorization/LdapAuthorizationPlugin.php index 7f48ce5e1..19aff42b8 100644 --- a/plugins/LdapAuthorization/LdapAuthorizationPlugin.php +++ b/plugins/LdapAuthorization/LdapAuthorizationPlugin.php @@ -167,7 +167,7 @@ class LdapAuthorizationPlugin extends AuthorizationPlugin $ldap->setErrorHandling(PEAR_ERROR_RETURN); $err=$ldap->bind(); if (Net_LDAP2::isError($err)) { - common_log(LOG_WARNING, 'Could not connect to LDAP server: '.$err->getMessage()); + throw new Exception('Could not connect to LDAP server: '.$err->getMessage()); return false; } if($config == null) $this->default_ldap=$ldap; @@ -185,6 +185,9 @@ class LdapAuthorizationPlugin extends AuthorizationPlugin if($ldap==null) { $ldap = $this->ldap_get_connection(); } + if(! $ldap) { + throw new Exception("Could not connect to LDAP"); + } $filter = Net_LDAP2_Filter::create($this->attributes['username'], 'equals', $username); $options = array( 'attributes' => $attributes -- cgit v1.2.3-54-g00ecf From 5acbdfbdb332c5423a4f3286a9c783bf6340020e Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Thu, 25 Feb 2010 13:08:55 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans Signed-off-by: Siebrand Mazeland --- locale/fr/LC_MESSAGES/statusnet.po | 34 ++++++++++++++-------------- locale/mk/LC_MESSAGES/statusnet.po | 36 ++++++++++++++--------------- locale/nl/LC_MESSAGES/statusnet.po | 38 +++++++++++++++---------------- locale/pl/LC_MESSAGES/statusnet.po | 46 +++++++++++++++++++------------------- locale/ru/LC_MESSAGES/statusnet.po | 38 +++++++++++++++---------------- locale/statusnet.po | 12 +++++----- locale/uk/LC_MESSAGES/statusnet.po | 35 +++++++++++++---------------- 7 files changed, 117 insertions(+), 122 deletions(-) diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index cf0cc849b..f5b771140 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -14,12 +14,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:50:48+0000\n" +"POT-Creation-Date: 2010-02-25 11:54+0000\n" +"PO-Revision-Date: 2010-02-25 11:55:22+0000\n" "Language-Team: French\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62948); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: out-statusnet\n" @@ -3984,17 +3984,17 @@ msgstr "Impossible d’enregistrer l’abonnement." #: actions/subscribe.php:77 msgid "This action only accepts POST requests." -msgstr "" +msgstr "Cette action n'accepte que les requêtes de type POST." #: actions/subscribe.php:107 -#, fuzzy msgid "No such profile." -msgstr "Fichier non trouvé." +msgstr "Profil non-trouvé." #: actions/subscribe.php:117 -#, fuzzy msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." -msgstr "Vous n’êtes pas abonné(e) à ce profil." +msgstr "" +"Vous ne pouvez pas vous abonner à un profil OMB 0.1 distant par cette " +"action." #: actions/subscribe.php:145 msgid "Subscribed" @@ -4816,15 +4816,15 @@ msgstr "Avant" #: lib/activity.php:382 msgid "Can't handle remote content yet." -msgstr "" +msgstr "Impossible de gérer le contenu distant pour le moment." #: lib/activity.php:410 msgid "Can't handle embedded XML content yet." -msgstr "" +msgstr "Impossible de gérer le contenu XML embarqué pour le moment." #: lib/activity.php:414 msgid "Can't handle embedded Base64 content yet." -msgstr "" +msgstr "Impossible de gérer le contenu en Base64 embarqué pour le moment." #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." @@ -5214,7 +5214,6 @@ msgstr[0] "Vous êtes membre de ce groupe :" msgstr[1] "Vous êtes membre de ces groupes :" #: lib/command.php:769 -#, fuzzy msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5267,6 +5266,7 @@ msgstr "" "d - message direct à l’utilisateur\n" "get - obtenir le dernier avis de l’utilisateur\n" "whois - obtenir le profil de l’utilisateur\n" +"lose - forcer un utilisateur à arrêter de vous suivre\n" "fav - ajouter de dernier avis de l’utilisateur comme favori\n" "fav # - ajouter l’avis correspondant à l’identifiant comme " "favori\n" @@ -5500,23 +5500,23 @@ msgstr "Erreur système lors du transfert du fichier." msgid "Not an image or corrupt file." msgstr "Ceci n’est pas une image, ou c’est un fichier corrompu." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "Format de fichier d’image non supporté." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "Fichier perdu." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "Type de fichier inconnu" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "Mo" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "Ko" diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index 14efaf620..8d9e55069 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:51:18+0000\n" +"POT-Creation-Date: 2010-02-25 11:54+0000\n" +"PO-Revision-Date: 2010-02-25 11:56:05+0000\n" "Language-Team: Macedonian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62948); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: out-statusnet\n" @@ -3957,17 +3957,16 @@ msgstr "Ðе можев да ја зачувам претплатата." #: actions/subscribe.php:77 msgid "This action only accepts POST requests." -msgstr "" +msgstr "Ова дејÑтво прифаќа Ñамо POST-барања" #: actions/subscribe.php:107 -#, fuzzy msgid "No such profile." -msgstr "Ðема таква податотека." +msgstr "Ðема таков профил." #: actions/subscribe.php:117 -#, fuzzy msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." -msgstr "Ðе Ñте претплатени на тој профил." +msgstr "" +"Ðе можете да Ñе претплатите на OMB 0.1 оддалечен профил Ñо ова дејÑтво." #: actions/subscribe.php:145 msgid "Subscribed" @@ -4786,15 +4785,15 @@ msgstr "Пред" #: lib/activity.php:382 msgid "Can't handle remote content yet." -msgstr "" +msgstr "Сè уште не е поддржана обработката на оддалечена Ñодржина." #: lib/activity.php:410 msgid "Can't handle embedded XML content yet." -msgstr "" +msgstr "Сè уште не е поддржана обработката на XML Ñодржина." #: lib/activity.php:414 msgid "Can't handle embedded Base64 content yet." -msgstr "" +msgstr "Сè уште не е доÑтапна обработката на вметната Base64 Ñодржина." #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." @@ -5143,9 +5142,9 @@ msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "Оваа врÑка може да Ñе употреби Ñамо еднаш, и трае Ñамо 2 минути: %s" #: lib/command.php:692 -#, fuzzy, php-format +#, php-format msgid "Unsubscribed %s" -msgstr "Претплатата на %s е откажана" +msgstr "Откажана претплата на %s" #: lib/command.php:709 msgid "You are not subscribed to anyone." @@ -5178,7 +5177,6 @@ msgstr[0] "Ðе ни го иÑпративте тој профил." msgstr[1] "Ðе ни го иÑпративте тој профил." #: lib/command.php:769 -#, fuzzy msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5459,23 +5457,23 @@ msgstr "СиÑтемÑка грешка при подигањето на под msgid "Not an image or corrupt file." msgstr "Ðе е Ñлика или податотеката е пореметена." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "Ðеподдржан фомрат на Ñлики." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "Податотеката е изгубена." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "Ðепознат тип на податотека" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "МБ" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "кб" diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index 1cd71ad86..e01fb6d3f 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:51:28+0000\n" +"POT-Creation-Date: 2010-02-25 11:54+0000\n" +"PO-Revision-Date: 2010-02-25 11:56:20+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62948); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: out-statusnet\n" @@ -3981,17 +3981,17 @@ msgstr "Het was niet mogelijk het abonnement op te slaan." #: actions/subscribe.php:77 msgid "This action only accepts POST requests." -msgstr "" +msgstr "Deze handeling accepteert alleen POST-verzoeken." #: actions/subscribe.php:107 -#, fuzzy msgid "No such profile." -msgstr "Het bestand bestaat niet." +msgstr "Het profiel bestaat niet." #: actions/subscribe.php:117 -#, fuzzy msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." -msgstr "U bent niet geabonneerd op dat profiel." +msgstr "" +"U kunt niet abonneren op een OMB 1.0 profiel van een andere omgeving via " +"deze handeling." #: actions/subscribe.php:145 msgid "Subscribed" @@ -4820,15 +4820,15 @@ msgstr "Eerder" #: lib/activity.php:382 msgid "Can't handle remote content yet." -msgstr "" +msgstr "Het is nog niet mogelijk inhoud uit andere omgevingen te verwerken." #: lib/activity.php:410 msgid "Can't handle embedded XML content yet." -msgstr "" +msgstr "Het is nog niet mogelijk ingebedde XML-inhoud te verwerken" #: lib/activity.php:414 msgid "Can't handle embedded Base64 content yet." -msgstr "" +msgstr "Het is nog niet mogelijk ingebedde Base64-inhoud te verwerken" #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." @@ -5182,9 +5182,9 @@ msgstr "" "geldig: %s" #: lib/command.php:692 -#, fuzzy, php-format +#, php-format msgid "Unsubscribed %s" -msgstr "Uw abonnement op %s is opgezegd" +msgstr "Het abonnement van %s is opgeheven" #: lib/command.php:709 msgid "You are not subscribed to anyone." @@ -5217,7 +5217,6 @@ msgstr[0] "U bent lid van deze groep:" msgstr[1] "U bent lid van deze groepen:" #: lib/command.php:769 -#, fuzzy msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5270,6 +5269,7 @@ msgstr "" "d - direct bericht aan gebruiker\n" "get - laatste mededeling van gebruiker opvragen\n" "whois - profielinformatie van gebruiker opvragen\n" +"lose - zorgt ervoor dat de gebruiker u niet meer volgt\n" "fav - laatste mededeling van gebruiker op favorietenlijst " "zetten\n" "fav # - mededelingen met aangegeven ID op favorietenlijst " @@ -5501,23 +5501,23 @@ msgstr "Er is een systeemfout opgetreden tijdens het uploaden van het bestand." msgid "Not an image or corrupt file." msgstr "Het bestand is geen afbeelding of het bestand is beschadigd." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "Niet ondersteund beeldbestandsformaat." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "Het bestand is zoekgeraakt." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "Onbekend bestandstype" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "MB" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "kB" diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index 79b37a5e4..5f4b051cb 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:51:31+0000\n" +"POT-Creation-Date: 2010-02-25 11:54+0000\n" +"PO-Revision-Date: 2010-02-25 11:56:23+0000\n" "Last-Translator: Piotr DrÄ…g \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -19,7 +19,7 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62948); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: out-statusnet\n" @@ -1100,7 +1100,7 @@ msgstr "ZmieÅ„ kolory" #: actions/designadminpanel.php:510 lib/designsettings.php:191 msgid "Content" -msgstr "Zawartość" +msgstr "Treść" #: actions/designadminpanel.php:523 lib/designsettings.php:204 msgid "Sidebar" @@ -2160,7 +2160,7 @@ msgstr "Nie można wysÅ‚ać wiadomoÅ›ci do tego użytkownika." #: actions/newmessage.php:144 actions/newnotice.php:136 lib/command.php:342 #: lib/command.php:475 msgid "No content!" -msgstr "Brak zawartoÅ›ci." +msgstr "Brak treÅ›ci." #: actions/newmessage.php:158 msgid "No recipient specified." @@ -2198,7 +2198,7 @@ msgid "" "Search for notices on %%site.name%% by their contents. Separate search terms " "by spaces; they must be 3 characters or more." msgstr "" -"Wyszukaj wpisy na %%site.name%% wedÅ‚ug ich zawartoÅ›ci. Oddziel wyszukiwane " +"Wyszukaj wpisy na %%site.name%% wedÅ‚ug ich treÅ›ci. Oddziel wyszukiwane " "terminy spacjami. Terminy muszÄ… mieć trzy znaki lub wiÄ™cej." #: actions/noticesearch.php:78 @@ -3925,17 +3925,17 @@ msgstr "Nie można zapisać subskrypcji." #: actions/subscribe.php:77 msgid "This action only accepts POST requests." -msgstr "" +msgstr "Ta czynność przyjmuje tylko żądania POST." #: actions/subscribe.php:107 -#, fuzzy msgid "No such profile." -msgstr "Nie ma takiego pliku." +msgstr "Nie ma takiego profilu." #: actions/subscribe.php:117 -#, fuzzy msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." -msgstr "Nie jesteÅ› subskrybowany do tego profilu." +msgstr "" +"Nie można subskrybować zdalnego profilu profilu OMB 0.1 za pomocÄ… tej " +"czynnoÅ›ci." #: actions/subscribe.php:145 msgid "Subscribed" @@ -4754,15 +4754,15 @@ msgstr "WczeÅ›niej" #: lib/activity.php:382 msgid "Can't handle remote content yet." -msgstr "" +msgstr "Nie można jeszcze obsÅ‚ugiwać zdalnej treÅ›ci." #: lib/activity.php:410 msgid "Can't handle embedded XML content yet." -msgstr "" +msgstr "Nie można jeszcze obsÅ‚ugiwać zagnieżdżonej treÅ›ci XML." #: lib/activity.php:414 msgid "Can't handle embedded Base64 content yet." -msgstr "" +msgstr "Nie można jeszcze obsÅ‚ugiwać zagnieżdżonej treÅ›ci Base64." #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." @@ -5112,7 +5112,7 @@ msgstr "" "minuty: %s." #: lib/command.php:692 -#, fuzzy, php-format +#, php-format msgid "Unsubscribed %s" msgstr "UsuniÄ™to subskrypcjÄ™ użytkownika %s" @@ -5150,7 +5150,6 @@ msgstr[1] "JesteÅ› czÅ‚onkiem tych grup:" msgstr[2] "JesteÅ› czÅ‚onkiem tych grup:" #: lib/command.php:769 -#, fuzzy msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5195,14 +5194,15 @@ msgstr "" "on - wÅ‚Ä…cza powiadomienia\n" "off - wyÅ‚Ä…cza powiadomienia\n" "help - wyÅ›wietla tÄ™ pomoc\n" -"follow - wÅ‚Ä…cza obserwowanie użytkownika\n" +"follow - subskrybuje użytkownika\n" "groups - wyÅ›wietla listÄ™ grup, do których doÅ‚Ä…czyÅ‚eÅ›\n" "subscriptions - wyÅ›wietla listÄ™ obserwowanych osób\n" "subscribers - wyÅ›wietla listÄ™ osób, które ciÄ™ obserwujÄ…\n" -"leave - rezygnuje z obserwowania użytkownika\n" +"leave - usuwa subskrypcjÄ™ użytkownika\n" "d - bezpoÅ›rednia wiadomość do użytkownika\n" "get - zwraca ostatni wpis użytkownika\n" "whois - zwraca informacje o profilu użytkownika\n" +"lose - wymusza użytkownika do zatrzymania obserwowania ciÄ™\n" "fav - dodaje ostatni wpis użytkownika jako \"ulubiony\"\n" "fav # - dodaje wpis z podanym identyfikatorem jako " "\"ulubiony\"\n" @@ -5433,23 +5433,23 @@ msgstr "BÅ‚Ä…d systemu podczas wysyÅ‚ania pliku." msgid "Not an image or corrupt file." msgstr "To nie jest obraz lub lub plik jest uszkodzony." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "NieobsÅ‚ugiwany format pliku obrazu." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "Utracono plik." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "Nieznany typ pliku" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "MB" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "KB" diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index d4df1a654..a23f7c2f3 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:51:41+0000\n" +"POT-Creation-Date: 2010-02-25 11:54+0000\n" +"PO-Revision-Date: 2010-02-25 11:56:32+0000\n" "Language-Team: Russian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62948); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: out-statusnet\n" @@ -3948,17 +3948,17 @@ msgstr "Ðе удаётÑÑ Ñохранить подпиÑку." #: actions/subscribe.php:77 msgid "This action only accepts POST requests." -msgstr "" +msgstr "Это дейÑтвие принимает только POST-запроÑÑ‹." #: actions/subscribe.php:107 -#, fuzzy msgid "No such profile." -msgstr "Ðет такого файла." +msgstr "Ðет такого профилÑ." #: actions/subscribe.php:117 -#, fuzzy msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." -msgstr "Ð’Ñ‹ не подпиÑаны на Ñтот профиль." +msgstr "" +"Ð’Ñ‹ не можете подпиÑатьÑÑ Ð½Ð° удалённый профиль OMB 0.1 Ñ Ð¿Ð¾Ð¼Ð¾Ñ‰ÑŒÑŽ Ñтого " +"дейÑтвиÑ." #: actions/subscribe.php:145 msgid "Subscribed" @@ -4774,15 +4774,15 @@ msgstr "Туда" #: lib/activity.php:382 msgid "Can't handle remote content yet." -msgstr "" +msgstr "Пока ещё Ð½ÐµÐ»ÑŒÐ·Ñ Ð¾Ð±Ñ€Ð°Ð±Ð°Ñ‚Ñ‹Ð²Ð°Ñ‚ÑŒ удалённое Ñодержимое." #: lib/activity.php:410 msgid "Can't handle embedded XML content yet." -msgstr "" +msgstr "Пока ещё Ð½ÐµÐ»ÑŒÐ·Ñ Ð¾Ð±Ñ€Ð°Ð±Ð°Ñ‚Ñ‹Ð²Ð°Ñ‚ÑŒ вÑтроенный XML." #: lib/activity.php:414 msgid "Can't handle embedded Base64 content yet." -msgstr "" +msgstr "Пока ещё Ð½ÐµÐ»ÑŒÐ·Ñ Ð¾Ð±Ñ€Ð°Ð±Ð°Ñ‚Ñ‹Ð²Ð°Ñ‚ÑŒ вÑтроенное Ñодержание Base64." #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." @@ -5130,9 +5130,9 @@ msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "Эта ÑÑылка дейÑтвительна только один раз в течение 2 минут: %s" #: lib/command.php:692 -#, fuzzy, php-format +#, php-format msgid "Unsubscribed %s" -msgstr "ОтпиÑано от %s" +msgstr "ОтпиÑано %s" #: lib/command.php:709 msgid "You are not subscribed to anyone." @@ -5168,7 +5168,6 @@ msgstr[1] "Ð’Ñ‹ ÑвлÑетеÑÑŒ учаÑтником Ñледующих гр msgstr[2] "Ð’Ñ‹ ÑвлÑетеÑÑŒ учаÑтником Ñледующих групп:" #: lib/command.php:769 -#, fuzzy msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5221,6 +5220,7 @@ msgstr "" "d — прÑмое Ñообщение пользователю\n" "get — получить поÑледнюю запиÑÑŒ от пользователÑ\n" "whois — получить информацию из Ð¿Ñ€Ð¾Ñ„Ð¸Ð»Ñ Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ\n" +"lose — отменить подпиÑку Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð½Ð° ваÑ\n" "fav — добавить поÑледнюю запиÑÑŒ Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð² чиÑло любимых\n" "fav # — добавить запиÑÑŒ Ñ Ð·Ð°Ð´Ð°Ð½Ð½Ñ‹Ð¼ id в чиÑло любимых\n" "repeat # — повторить уведомление Ñ Ð·Ð°Ð´Ð°Ð½Ð½Ñ‹Ð¼ id\n" @@ -5449,23 +5449,23 @@ msgstr "СиÑÑ‚ÐµÐ¼Ð½Ð°Ñ Ð¾ÑˆÐ¸Ð±ÐºÐ° при загрузке файла." msgid "Not an image or corrupt file." msgstr "Ðе ÑвлÑетÑÑ Ð¸Ð·Ð¾Ð±Ñ€Ð°Ð¶ÐµÐ½Ð¸ÐµÐ¼ или повреждённый файл." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "Ðеподдерживаемый формат файла изображениÑ." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "ПотерÑн файл." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "Ðеподдерживаемый тип файла" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "МБ" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "КБ" diff --git a/locale/statusnet.po b/locale/statusnet.po index cf44e2d3c..483c7711b 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" +"POT-Creation-Date: 2010-02-25 11:54+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -5095,23 +5095,23 @@ msgstr "" msgid "Not an image or corrupt file." msgstr "" -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "" -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "" -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "" diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index c261c310d..cf1a2bf62 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:51:53+0000\n" +"POT-Creation-Date: 2010-02-25 11:54+0000\n" +"PO-Revision-Date: 2010-02-25 11:56:43+0000\n" "Language-Team: Ukrainian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r62948); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: out-statusnet\n" @@ -3934,17 +3934,15 @@ msgstr "Ðе вдалоÑÑ Ð·Ð±ÐµÑ€ÐµÐ³Ñ‚Ð¸ підпиÑку." #: actions/subscribe.php:77 msgid "This action only accepts POST requests." -msgstr "" +msgstr "Ð¦Ñ Ð´Ñ–Ñ Ð¿Ñ€Ð¸Ð¹Ð¼Ð°Ñ” лише запити POST." #: actions/subscribe.php:107 -#, fuzzy msgid "No such profile." -msgstr "Такого файлу немає." +msgstr "Ðемає такого профілю." #: actions/subscribe.php:117 -#, fuzzy msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." -msgstr "Ви не підпиÑані до цього профілю." +msgstr "Цією дією Ви не зможете підпиÑатиÑÑ Ð´Ð¾ віддаленого профілю OMB 0.1." #: actions/subscribe.php:145 msgid "Subscribed" @@ -4757,15 +4755,15 @@ msgstr "Ðазад" #: lib/activity.php:382 msgid "Can't handle remote content yet." -msgstr "" +msgstr "Поки що не можу обробити віддалений контент." #: lib/activity.php:410 msgid "Can't handle embedded XML content yet." -msgstr "" +msgstr "Поки що не можу обробити вбудований XML контент." #: lib/activity.php:414 msgid "Can't handle embedded Base64 content yet." -msgstr "" +msgstr "Поки що не можу обробити вбудований контент Base64." #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." @@ -5113,9 +5111,9 @@ msgstr "" "Це поÑÐ¸Ð»Ð°Ð½Ð½Ñ Ð¼Ð¾Ð¶Ð½Ð° викориÑтати лише раз, воно дійÑне протÑгом 2 хвилин: %s" #: lib/command.php:692 -#, fuzzy, php-format +#, php-format msgid "Unsubscribed %s" -msgstr "ВідпиÑано від %s" +msgstr "ВідпиÑано %s" #: lib/command.php:709 msgid "You are not subscribed to anyone." @@ -5151,7 +5149,6 @@ msgstr[1] "Ви Ñ” учаÑником таких груп:" msgstr[2] "Ви Ñ” учаÑником таких груп:" #: lib/command.php:769 -#, fuzzy msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5429,23 +5426,23 @@ msgstr "СиÑтема відповіла помилкою при заванта msgid "Not an image or corrupt file." msgstr "Це не зображеннÑ, або файл зіпÑовано." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "Формат Ð·Ð¾Ð±Ñ€Ð°Ð¶ÐµÐ½Ð½Ñ Ð½Ðµ підтримуєтьÑÑ." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "Файл втрачено." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "Тип файлу не підтримуєтьÑÑ" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "Мб" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "кб" -- cgit v1.2.3-54-g00ecf From eb724bfdc85d0b50d6f5be60e1e11296ebe11247 Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Thu, 25 Feb 2010 15:34:01 -0500 Subject: Add TabFocus (for die-hard Twitter users) plugin --- plugins/TabFocus/TabFocusPlugin.php | 57 +++++++++++++++++++++++++++++++++++++ plugins/TabFocus/tabfocus.js | 7 +++++ 2 files changed, 64 insertions(+) create mode 100644 plugins/TabFocus/TabFocusPlugin.php create mode 100644 plugins/TabFocus/tabfocus.js diff --git a/plugins/TabFocus/TabFocusPlugin.php b/plugins/TabFocus/TabFocusPlugin.php new file mode 100644 index 000000000..bf89c478c --- /dev/null +++ b/plugins/TabFocus/TabFocusPlugin.php @@ -0,0 +1,57 @@ +. + * + * @category Plugin + * @package StatusNet + * @author Craig Andrews + * @author Paul Irish + * @copyright 2009 Craig Andrews http://candrews.integralblue.com + * @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 TabFocusPlugin extends Plugin +{ + function __construct() + { + parent::__construct(); + } + + function onEndShowScripts($action) + { + $action->script('plugins/TabFocus/tabfocus.js'); + } + + function onPluginVersion(&$versions) + { + $versions[] = array('name' => 'TabFocus', + 'version' => STATUSNET_VERSION, + 'author' => 'Craig Andrews and Paul Irish', + 'homepage' => 'http://status.net/wiki/Plugin:TabFocus', + 'rawdescription' => + _m('TabFocus changes the notice form behavior so that, while in the text area, pressing the tab key focuses the "Send" button, matching the behavor of Twitter.')); + return true; + } +} diff --git a/plugins/TabFocus/tabfocus.js b/plugins/TabFocus/tabfocus.js new file mode 100644 index 000000000..e2c1c6521 --- /dev/null +++ b/plugins/TabFocus/tabfocus.js @@ -0,0 +1,7 @@ +jQuery(function($){ + $('#notice_data-text').bind('keydown',function(e){ + if (e.which==9) { + setTimeout(function(){ $('#notice_action-submit').focus(); },15); + } + }); +}); -- cgit v1.2.3-54-g00ecf From 410cd524344e632bbb876578e1d816511095a55c Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Fri, 26 Feb 2010 15:50:35 -0500 Subject: bail out if the requested nickname is illegal --- classes/User.php | 1 + 1 file changed, 1 insertion(+) diff --git a/classes/User.php b/classes/User.php index 10b1f4865..e0f0d87d1 100644 --- a/classes/User.php +++ b/classes/User.php @@ -206,6 +206,7 @@ class User extends Memcached_DataObject if(! User::allowed_nickname($nickname)){ common_log(LOG_WARNING, sprintf("Attempted to register a nickname that is not allowed: %s", $profile->nickname), __FILE__); + return false; } $profile->profileurl = common_profile_url($nickname); -- cgit v1.2.3-54-g00ecf From 74bcc6929db15b18b761564232a1cb674ffbdce2 Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Fri, 26 Feb 2010 15:50:51 -0500 Subject: Show messaging on the login and registration forms informing users that they may use their LDAP credentials --- .../LdapAuthenticationPlugin.php | 26 ++++++++++++++++++++++ 1 file changed, 26 insertions(+) diff --git a/plugins/LdapAuthentication/LdapAuthenticationPlugin.php b/plugins/LdapAuthentication/LdapAuthenticationPlugin.php index 1b5dc92e3..d6a945f49 100644 --- a/plugins/LdapAuthentication/LdapAuthenticationPlugin.php +++ b/plugins/LdapAuthentication/LdapAuthenticationPlugin.php @@ -76,6 +76,32 @@ class LdapAuthenticationPlugin extends AuthenticationPlugin return false; } } + + function onEndShowPageNotice($action) + { + $name = $action->trimmed('action'); + $instr = false; + + switch ($name) + { + case 'register': + if($this->autoregistration) { + $instr = 'Have an LDAP account? Use your standard username and password.'; + } + break; + case 'login': + $instr = 'Have an LDAP account? Use your standard username and password.'; + break; + default: + return true; + } + + if($instr) { + $output = common_markup_to_html($instr); + $action->raw($output); + } + return true; + } //---interface implementation---// -- cgit v1.2.3-54-g00ecf From a796a7cdc6e66a4c03af0ecd8ec97cd6643da966 Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Fri, 26 Feb 2010 16:31:38 -0500 Subject: nicknamize the requested nickname during autoregistration --- lib/authenticationplugin.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/authenticationplugin.php b/lib/authenticationplugin.php index 5be3ea5b9..97e9d52de 100644 --- a/lib/authenticationplugin.php +++ b/lib/authenticationplugin.php @@ -79,7 +79,7 @@ abstract class AuthenticationPlugin extends Plugin $nickname = $username; } $registration_data = array(); - $registration_data['nickname'] = $nickname ; + $registration_data['nickname'] = common_nicknamize($nickname); return User::register($registration_data); } -- cgit v1.2.3-54-g00ecf From bafd7b3399edfd735df1ed013a586aee106dbef8 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Sat, 27 Feb 2010 18:36:44 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans Signed-off-by: Siebrand Mazeland --- locale/ar/LC_MESSAGES/statusnet.po | 387 +++++++++++++++++---------------- locale/arz/LC_MESSAGES/statusnet.po | 333 +++++++++++++++------------- locale/bg/LC_MESSAGES/statusnet.po | 333 +++++++++++++++------------- locale/ca/LC_MESSAGES/statusnet.po | 349 ++++++++++++++++-------------- locale/cs/LC_MESSAGES/statusnet.po | 333 +++++++++++++++------------- locale/de/LC_MESSAGES/statusnet.po | 375 ++++++++++++++++---------------- locale/el/LC_MESSAGES/statusnet.po | 333 +++++++++++++++------------- locale/en_GB/LC_MESSAGES/statusnet.po | 333 +++++++++++++++------------- locale/es/LC_MESSAGES/statusnet.po | 333 +++++++++++++++------------- locale/fa/LC_MESSAGES/statusnet.po | 333 +++++++++++++++------------- locale/fi/LC_MESSAGES/statusnet.po | 333 +++++++++++++++------------- locale/fr/LC_MESSAGES/statusnet.po | 325 +++++++++++++++------------- locale/ga/LC_MESSAGES/statusnet.po | 333 +++++++++++++++------------- locale/he/LC_MESSAGES/statusnet.po | 333 +++++++++++++++------------- locale/hsb/LC_MESSAGES/statusnet.po | 333 +++++++++++++++------------- locale/ia/LC_MESSAGES/statusnet.po | 335 +++++++++++++++------------- locale/is/LC_MESSAGES/statusnet.po | 333 +++++++++++++++------------- locale/it/LC_MESSAGES/statusnet.po | 356 ++++++++++++++++-------------- locale/ja/LC_MESSAGES/statusnet.po | 333 +++++++++++++++------------- locale/ko/LC_MESSAGES/statusnet.po | 333 +++++++++++++++------------- locale/mk/LC_MESSAGES/statusnet.po | 323 ++++++++++++++------------- locale/nb/LC_MESSAGES/statusnet.po | 395 ++++++++++++++++++---------------- locale/nl/LC_MESSAGES/statusnet.po | 323 ++++++++++++++------------- locale/nn/LC_MESSAGES/statusnet.po | 333 +++++++++++++++------------- locale/pl/LC_MESSAGES/statusnet.po | 323 ++++++++++++++------------- locale/pt/LC_MESSAGES/statusnet.po | 333 +++++++++++++++------------- locale/pt_BR/LC_MESSAGES/statusnet.po | 333 +++++++++++++++------------- locale/ru/LC_MESSAGES/statusnet.po | 323 ++++++++++++++------------- locale/statusnet.po | 315 ++++++++++++++------------- locale/sv/LC_MESSAGES/statusnet.po | 353 ++++++++++++++++-------------- locale/te/LC_MESSAGES/statusnet.po | 334 +++++++++++++++------------- locale/tr/LC_MESSAGES/statusnet.po | 333 +++++++++++++++------------- locale/uk/LC_MESSAGES/statusnet.po | 323 ++++++++++++++------------- locale/vi/LC_MESSAGES/statusnet.po | 333 +++++++++++++++------------- locale/zh_CN/LC_MESSAGES/statusnet.po | 333 +++++++++++++++------------- locale/zh_TW/LC_MESSAGES/statusnet.po | 333 +++++++++++++++------------- 36 files changed, 6507 insertions(+), 5625 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index 26f956329..f64779e8e 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -9,19 +9,19 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:50:01+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:32:58+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=6; plural= n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 " "&& n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "Ù†Ùاذ" @@ -92,14 +92,15 @@ msgstr "لا صÙحة كهذه" #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "لا مستخدم كهذا." @@ -175,20 +176,20 @@ msgstr "" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 msgid "API method not found." msgstr "لم يتم العثور على وسيلة API." @@ -220,8 +221,9 @@ msgstr "تعذّر تحديث المستخدم." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "ليس للمستخدم مل٠شخصي." @@ -245,7 +247,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -355,68 +357,68 @@ msgstr "تعذّر تحديد المستخدم المصدر." msgid "Could not find target user." msgstr "تعذّر إيجاد المستخدم الهدÙ." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "الاسم المستعار مستخدم بالÙعل. جرّب اسمًا آخرًا." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "ليس اسمًا مستعارًا صحيحًا." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "الصÙحة الرئيسية ليست عنونًا صالحًا." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "الاسم الكامل طويل جدا (الأقصى 255 حرÙًا)" -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "" -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "" -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "كنيات كيرة! العدد الأقصى هو %d." -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "كنية غير صالحة: \"%s\"" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "" -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "" @@ -427,15 +429,15 @@ msgstr "" msgid "Group not found!" msgstr "لم توجد المجموعة!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "" -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "" -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, php-format msgid "Could not join user %1$s to group %2$s." msgstr "لم يمكن ضم المستخدم %1$s إلى المجموعة %2$s." @@ -444,7 +446,7 @@ msgstr "لم يمكن ضم المستخدم %1$s إلى المجموعة %2$s." msgid "You are not a member of this group." msgstr "لست عضوًا ÙÙŠ هذه المجموعة" -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "لم يمكن إزالة المستخدم %1$s من المجموعة %2$s." @@ -476,7 +478,7 @@ msgstr "حجم غير صالح." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -519,7 +521,7 @@ msgstr "" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -548,7 +550,7 @@ msgstr "الحساب" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -630,12 +632,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "" #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "مسار %s الزمني" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -692,8 +694,7 @@ msgstr "لا مرÙÙ‚ كهذا." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "لا اسم مستعار." @@ -705,7 +706,7 @@ msgstr "لا حجم." msgid "Invalid size." msgstr "حجم غير صالح." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Ø£Ùتار" @@ -713,7 +714,7 @@ msgstr "Ø£Ùتار" #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." -msgstr "" +msgstr "بإمكانك رÙع Ø£Ùتارك الشخصي. أقصى حجم للمل٠هو %s." #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 @@ -722,30 +723,30 @@ msgid "User without matching profile" msgstr "" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "إعدادات الأÙتار" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" -msgstr "الأصلي" +msgstr "الأصل" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" -msgstr "عاين" +msgstr "معاينة" #: actions/avatarsettings.php:149 actions/showapplication.php:252 #: lib/deleteuserform.php:66 lib/noticelist.php:637 msgid "Delete" msgstr "احذÙ" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "ارÙع" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "" @@ -753,7 +754,7 @@ msgstr "" msgid "Pick a square area of the image to be your avatar" msgstr "" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "" @@ -785,22 +786,22 @@ msgid "" msgstr "" #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "لا" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "لا تمنع هذا المستخدم" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "نعم" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "امنع هذا المستخدم" @@ -808,39 +809,43 @@ msgstr "امنع هذا المستخدم" msgid "Failed to save block information." msgstr "Ùشل Ø­Ùظ معلومات المنع." -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "لا مجموعة كهذه." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s ملÙات ممنوعة, الصÙحة %2$d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "" -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "ألغ منع المستخدم من المجموعة" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "ألغ٠المنع" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "ألغ٠منع هذا المستخدم" @@ -922,9 +927,8 @@ msgid "There was a problem with your session token." msgstr "" #: actions/deleteapplication.php:123 actions/deleteapplication.php:147 -#, fuzzy msgid "Delete application" -msgstr "عدّل التطبيق" +msgstr "احذ٠هذا التطبيق" #: actions/deleteapplication.php:149 msgid "" @@ -934,9 +938,8 @@ msgid "" msgstr "" #: actions/deleteapplication.php:156 -#, fuzzy msgid "Do not delete this application" -msgstr "لا تحذ٠هذا الإشعار" +msgstr "لا تحذ٠هذا التطبيق" #: actions/deleteapplication.php:160 #, fuzzy @@ -991,18 +994,18 @@ msgstr "يمكنك حذ٠المستخدمين المحليين Ùقط." msgid "Delete user" msgstr "احذ٠المستخدم" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "احذ٠هذا المستخدم" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "التصميم" @@ -1053,7 +1056,7 @@ msgstr "الخلÙية" msgid "" "You can upload a background image for the site. The maximum file size is %1" "$s." -msgstr "" +msgstr "بإمكانك رÙع صورة خلÙية للموقع. أقصى حجم للمل٠هو %1$s." #: actions/designadminpanel.php:457 lib/designsettings.php:139 msgid "On" @@ -1116,9 +1119,9 @@ msgid "Add to favorites" msgstr "أض٠إلى المÙضلات" #: actions/doc.php:158 -#, fuzzy, php-format +#, php-format msgid "No such document \"%s\"" -msgstr "لا مستند كهذا." +msgstr "لا مستند باسم \"%s\"" #: actions/editapplication.php:54 #, fuzzy @@ -1195,29 +1198,29 @@ msgstr "عدّل مجموعة %s" msgid "You must be logged in to create a group." msgstr "يجب أن تكون والجًا لتنشئ مجموعة." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "يجب أن تكون إداريا لتعدل المجموعة." -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "استخدم هذا النموذج لتعديل المجموعة." -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "" -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "تعذر تحديث المجموعة." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "تعذّر إنشاء الكنى." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "Ø­ÙÙظت الخيارات." @@ -1301,15 +1304,15 @@ msgstr "أرسل لي بريدًا إلكرتونيًا عندما يضي٠أح #: actions/emailsettings.php:169 msgid "Send me email when someone sends me a private message." -msgstr "" +msgstr "أرسل لي بريدًا إلكترونيًا عندما يرسل لي أحد رسالة خاصة." #: actions/emailsettings.php:174 msgid "Send me email when someone sends me an \"@-reply\"." -msgstr "أرسل لي بريدًا إلكترونيًا عندما يرسل لي أحدهم \"@-رد\"." +msgstr "أرسل لي بريدًا إلكترونيًا عندما يرسل لي أحد \"@-رد\"." #: actions/emailsettings.php:179 msgid "Allow friends to nudge me and send me an email." -msgstr "" +msgstr "اسمح لأصدقائي بتنبيهي ومراسلتي عبر البريد الإلكتروني." #: actions/emailsettings.php:185 msgid "I want to post notices by email." @@ -1317,7 +1320,7 @@ msgstr "أريد أن أرسل الملاحظات عبر البريد الإلك #: actions/emailsettings.php:191 msgid "Publish a MicroID for my email address." -msgstr "" +msgstr "انشر هوية مصغّرة لعنوان بريدي الإلكتروني." #: actions/emailsettings.php:302 actions/imsettings.php:264 #: actions/othersettings.php:180 actions/smssettings.php:284 @@ -1386,7 +1389,7 @@ msgstr "لا عنوان بريد إلكتروني وارد." #: actions/emailsettings.php:456 actions/emailsettings.php:478 #: actions/smssettings.php:528 actions/smssettings.php:552 msgid "Couldn't update user record." -msgstr "" +msgstr "تعذّر تحديث سجل المستخدم." #: actions/emailsettings.php:459 actions/smssettings.php:531 msgid "Incoming email address removed." @@ -1546,7 +1549,7 @@ msgstr "" msgid "User is not a member of group." msgstr "المستخدم ليس عضوًا ÙÙŠ المجموعة." -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "امنع المستخدم من المجموعة" @@ -1578,86 +1581,86 @@ msgstr "لا هوية." msgid "You must be logged in to edit a group." msgstr "يجب أن تلج لتÙعدّل المجموعات." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "تصميم المجموعة" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "" -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 msgid "Couldn't update your design." msgstr "تعذّر تحديث تصميمك." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "" -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "شعار المجموعة" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." -msgstr "" +msgstr "بإمكانك رÙع صورة شعار مجموعتك. أقصى حجم للمل٠هو %s." -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 msgid "User without matching profile." msgstr "المستخدم بدون مل٠مطابق." -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "" -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "Ø­Ùدّث الشعار." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "Ùشل رÙع الشعار." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "أعضاء مجموعة %s" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "%1$s أعضاء المجموعة, الصÙحة %2$d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "قائمة بمستخدمي هذه المجموعة." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "إداري" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "امنع" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "اجعل هذا المستخدم إداريًا" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "" @@ -1875,7 +1878,7 @@ msgstr "" #: actions/invite.php:162 msgid "" "Use this form to invite your friends and colleagues to use this service." -msgstr "" +msgstr "استخدم هذا النموذج لدعوة أصدقائك وزملائك لاستخدام هذه الخدمة." #: actions/invite.php:187 msgid "Email addresses" @@ -1937,7 +1940,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "يجب أن تلج لتنضم إلى مجموعة." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "لا اسم مستعار." + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "%1$s انضم للمجموعة %2$s" @@ -1946,11 +1954,11 @@ msgstr "%1$s انضم للمجموعة %2$s" msgid "You must be logged in to leave a group." msgstr "يجب أن تلج لتغادر مجموعة." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "لست عضوا ÙÙŠ تلك المجموعة." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, php-format msgid "%1$s left group %2$s" msgstr "%1$s ترك المجموعة %2$s" @@ -1982,7 +1990,7 @@ msgstr "تذكّرني" #: actions/login.php:237 actions/register.php:480 msgid "Automatically login in the future; not for shared computers!" -msgstr "" +msgstr "Ù„Ùج تلقائيًا ÙÙŠ المستقبل؛ هذا الخيار ليس Ù…Ùعدًا للحواسيب المشتركة!" #: actions/login.php:247 msgid "Lost or forgotten password?" @@ -1993,6 +2001,7 @@ msgid "" "For security reasons, please re-enter your user name and password before " "changing your settings." msgstr "" +"لأسباب أمنية، من Ùضلك أعد إدخال اسم مستخدمك وكلمة سرك قبل تغيير إعداداتك." #: actions/login.php:270 #, php-format @@ -2025,7 +2034,6 @@ msgid "No current status" msgstr "لا حالة حالية" #: actions/newapplication.php:52 -#, fuzzy msgid "New Application" msgstr "تطبيق جديد" @@ -2210,8 +2218,8 @@ msgstr "نوع المحتوى " msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "ليس نسق بيانات مدعوم." @@ -2291,7 +2299,7 @@ msgstr "" #: actions/passwordsettings.php:58 msgid "Change password" -msgstr "غيّر كلمة السر" +msgstr "تغيير كلمة السر" #: actions/passwordsettings.php:69 msgid "Change your password." @@ -2311,7 +2319,7 @@ msgstr "كلمة سر جديدة" #: actions/passwordsettings.php:109 msgid "6 or more characters" -msgstr "" +msgstr "6 أحر٠أو أكثر" #: actions/passwordsettings.php:112 actions/recoverpassword.php:239 #: actions/register.php:433 actions/smssettings.php:134 @@ -2350,7 +2358,7 @@ msgstr "تعذّر Ø­Ùظ كلمة السر الجديدة." msgid "Password saved." msgstr "Ø­ÙÙظت كلمة السر." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "المسارات" @@ -2383,7 +2391,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "الموقع" @@ -2548,10 +2556,10 @@ msgstr "معلومات المل٠الشخصي" #: actions/profilesettings.php:108 lib/groupeditform.php:154 msgid "1-64 lowercase letters or numbers, no punctuation or spaces" -msgstr "" +msgstr "1-64 حرÙًا إنجليزيًا أو رقمًا بدون نقاط أو مساÙات" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "الاسم الكامل" @@ -2579,7 +2587,7 @@ msgid "Bio" msgstr "السيرة" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3128,7 +3136,7 @@ msgid "User is already sandboxed." msgstr "" #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "الجلسات" @@ -3184,7 +3192,7 @@ msgstr "المنظمة" msgid "Description" msgstr "الوصÙ" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "إحصاءات" @@ -3300,67 +3308,67 @@ msgstr "مجموعة %s" msgid "%1$s group, page %2$d" msgstr "%1$s أعضاء المجموعة, الصÙحة %2$d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "مل٠المجموعة الشخصي" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "مسار" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "ملاحظة" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "الكنى" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "الأعضاء" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(لا شيء)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "جميع الأعضاء" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "أنشئ" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3370,7 +3378,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3379,7 +3387,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "الإداريون" @@ -3891,7 +3899,7 @@ msgstr "" msgid "No such tag." msgstr "لا وسم كهذا." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "" @@ -3921,7 +3929,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "المستخدم" @@ -4089,7 +4097,7 @@ msgstr "تصميم المل٠الشخصي" msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." -msgstr "" +msgstr "خصّص أسلوب عرض ملÙÙƒ بصورة خلÙية ومخطط ألوان من اختيارك." #: actions/userdesignsettings.php:282 msgid "Enjoy your hotdog!" @@ -4125,10 +4133,12 @@ msgid "" "This site is powered by %1$s version %2$s, Copyright 2008-2010 StatusNet, " "Inc. and contributors." msgstr "" +"هذا الموقع يشغله %1$s النسخة %2$sØŒ حقوق النشر 2008-2010 StatusNet, Inc " +"ومساهموها." #: actions/version.php:161 msgid "Contributors" -msgstr "" +msgstr "المساهمون" #: actions/version.php:168 msgid "" @@ -4155,7 +4165,7 @@ msgstr "" #: actions/version.php:189 msgid "Plugins" -msgstr "ملحقات" +msgstr "الملحقات" #: actions/version.php:196 lib/action.php:747 msgid "Version" @@ -4194,6 +4204,11 @@ msgstr "ليس جزءا من المجموعة." msgid "Group leave failed." msgstr "ترك المجموعة Ùشل." +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "تعذر تحديث المجموعة." + #: classes/Login_token.php:76 #, php-format msgid "Could not create login token for %s" @@ -4211,44 +4226,44 @@ msgstr "تعذّر إدراج الرسالة." msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:222 +#: classes/Notice.php:239 msgid "Problem saving notice. Too long." msgstr "مشكلة ÙÙŠ Ø­Ùظ الإشعار. طويل جدًا." -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "مشكلة ÙÙŠ Ø­Ùظ الإشعار. مستخدم غير معروÙ." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "مشكلة أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:882 +#: classes/Notice.php:911 #, fuzzy msgid "Problem saving group inbox." msgstr "مشكلة أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تي @%1$s %2$s" @@ -4277,19 +4292,29 @@ msgstr "لم يمكن حذ٠اشتراك ذاتي." msgid "Couldn't delete subscription." msgstr "تعذّر حذ٠الاشتراك." -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "أهلا بكم ÙÙŠ %1$s يا @%2$s!" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "تعذّر إنشاء المجموعة." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "تعذّر ضبط عضوية المجموعة." + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "تعذّر ضبط عضوية المجموعة." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "تعذّر Ø­Ùظ الاشتراك." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "غيّر إعدادات ملÙÙƒ الشخصي" @@ -4438,7 +4463,7 @@ msgstr "اتصل" #: lib/action.php:751 msgid "Badge" -msgstr "" +msgstr "الجسر" #: lib/action.php:779 msgid "StatusNet software license" @@ -4507,15 +4532,15 @@ msgstr "بعد" msgid "Before" msgstr "قبل" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4539,38 +4564,38 @@ msgstr "" msgid "Unable to delete design setting." msgstr "تعذّر حذ٠إعدادات التصميم." -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 msgid "Basic site configuration" msgstr "ضبط الموقع الأساسي" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "ضبط التصميم" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 #, fuzzy msgid "User configuration" msgstr "ضبط المسارات" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Access configuration" msgstr "ضبط التصميم" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 msgid "Paths configuration" msgstr "ضبط المسارات" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Sessions configuration" msgstr "ضبط التصميم" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5150,23 +5175,23 @@ msgstr "" msgid "Not an image or corrupt file." msgstr "" -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "" -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "" -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "نوع مل٠غير معروÙ" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "ميجابايت" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "كيلوبايت" @@ -5612,7 +5637,7 @@ msgstr "وسوم ÙÙŠ إشعارات %s" #: lib/plugin.php:114 msgid "Unknown" -msgstr "غير معروÙ" +msgstr "غير معروÙØ©" #: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 msgid "Subscriptions" @@ -5678,7 +5703,7 @@ msgstr "أأكرّر هذا الإشعار؟ّ" msgid "Repeat this notice" msgstr "كرّر هذا الإشعار" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index cd8640753..9b91b2fae 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -10,19 +10,19 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:50:08+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:33:01+0000\n" "Language-Team: Egyptian Spoken Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=6; plural= n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 " "&& n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "Ù†Ùاذ" @@ -96,14 +96,15 @@ msgstr "لا صÙحه كهذه" #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "لا مستخدم كهذا." @@ -179,20 +180,20 @@ msgstr "" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 msgid "API method not found." msgstr "الـ API method مش موجوده." @@ -224,8 +225,9 @@ msgstr "تعذّر تحديث المستخدم." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "ليس للمستخدم مل٠شخصى." @@ -249,7 +251,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -359,68 +361,68 @@ msgstr "" msgid "Could not find target user." msgstr "تعذّر إيجاد المستخدم الهدÙ." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "" -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "ليس اسمًا مستعارًا صحيحًا." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "الصÙحه الرئيسيه ليست عنونًا صالحًا." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "الاسم الكامل طويل جدا (الأقصى 255 حرÙًا)" -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "" -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "" -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "" -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "كنيه غير صالحة: \"%s\"" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "" -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "" @@ -431,15 +433,15 @@ msgstr "" msgid "Group not found!" msgstr "لم توجد المجموعة!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "" -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "" -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, php-format msgid "Could not join user %1$s to group %2$s." msgstr "ما Ù†Ùعش يضم %1$s للجروپ %2$s." @@ -448,7 +450,7 @@ msgstr "ما Ù†Ùعش يضم %1$s للجروپ %2$s." msgid "You are not a member of this group." msgstr "" -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "ما Ù†Ùعش يتشال اليوزر %1$s من الجروپ %2$s." @@ -480,7 +482,7 @@ msgstr "حجم غير صالح." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -523,7 +525,7 @@ msgstr "" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -552,7 +554,7 @@ msgstr "الحساب" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -634,12 +636,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "" #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "مسار %s الزمني" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -696,8 +698,7 @@ msgstr "لا مرÙÙ‚ كهذا." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "لا اسم مستعار." @@ -709,7 +710,7 @@ msgstr "لا حجم." msgid "Invalid size." msgstr "حجم غير صالح." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Ø£Ùتار" @@ -726,17 +727,17 @@ msgid "User without matching profile" msgstr "" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "إعدادات الأÙتار" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "الأصلي" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "عاين" @@ -745,11 +746,11 @@ msgstr "عاين" msgid "Delete" msgstr "احذÙ" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "ارÙع" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "" @@ -757,7 +758,7 @@ msgstr "" msgid "Pick a square area of the image to be your avatar" msgstr "" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "" @@ -789,22 +790,22 @@ msgid "" msgstr "" #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "لا" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "لا تمنع هذا المستخدم" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "نعم" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "امنع هذا المستخدم" @@ -812,39 +813,43 @@ msgstr "امنع هذا المستخدم" msgid "Failed to save block information." msgstr "Ùشل Ø­Ùظ معلومات المنع." -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "لا مجموعه كهذه." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s Ùايلات معمول ليها بلوك, الصÙحه %2$d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "" -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "ألغ منع المستخدم من المجموعة" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "ألغ٠المنع" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "ألغ٠منع هذا المستخدم" @@ -995,18 +1000,18 @@ msgstr "يمكنك حذ٠المستخدمين المحليين Ùقط." msgid "Delete user" msgstr "احذ٠المستخدم" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "احذ٠هذا المستخدم" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "التصميم" @@ -1199,29 +1204,29 @@ msgstr "عدّل مجموعه %s" msgid "You must be logged in to create a group." msgstr "يجب أن تكون والجًا لتنشئ مجموعه." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "لازم تكون ادارى علشان تعدّل الجروپ." -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "استخدم هذا النموذج لتعديل المجموعه." -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "" -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "تعذر تحديث المجموعه." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "تعذّر إنشاء الكنى." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "Ø­ÙÙظت الخيارات." @@ -1550,7 +1555,7 @@ msgstr "" msgid "User is not a member of group." msgstr "المستخدم ليس عضوًا ÙÙ‰ المجموعه." -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "امنع المستخدم من المجموعة" @@ -1582,86 +1587,86 @@ msgstr "لا هويه." msgid "You must be logged in to edit a group." msgstr "يجب أن تلج لتÙعدّل المجموعات." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "تصميم المجموعة" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "" -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 msgid "Couldn't update your design." msgstr "تعذّر تحديث تصميمك." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "" -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "شعار المجموعة" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "" -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 msgid "User without matching profile." msgstr "يوزر من-غير پروÙايل زيّه." -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "" -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "Ø­Ùدّث الشعار." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "Ùشل رÙع الشعار." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "أعضاء مجموعه %s" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "%1$s اعضاء الجروپ, صÙحه %2$d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "قائمه بمستخدمى هذه المجموعه." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "إداري" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "امنع" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "اجعل هذا المستخدم إداريًا" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "" @@ -1941,7 +1946,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "" -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "لا اسم مستعار." + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "%1$s دخل جروپ %2$s" @@ -1950,11 +1960,11 @@ msgstr "%1$s دخل جروپ %2$s" msgid "You must be logged in to leave a group." msgstr "" -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "لست عضوا ÙÙ‰ تلك المجموعه." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, php-format msgid "%1$s left group %2$s" msgstr "%1$s ساب جروپ %2$s" @@ -2212,8 +2222,8 @@ msgstr "نوع المحتوى " msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr " مش نظام بيانات مدعوم." @@ -2352,7 +2362,7 @@ msgstr "تعذّر Ø­Ùظ كلمه السر الجديده." msgid "Password saved." msgstr "Ø­ÙÙظت كلمه السر." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "المسارات" @@ -2385,7 +2395,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "الموقع" @@ -2553,7 +2563,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "الاسم الكامل" @@ -2581,7 +2591,7 @@ msgid "Bio" msgstr "السيرة" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3129,7 +3139,7 @@ msgid "User is already sandboxed." msgstr "" #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "الجلسات" @@ -3185,7 +3195,7 @@ msgstr "المنظمه" msgid "Description" msgstr "الوصÙ" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "إحصاءات" @@ -3301,67 +3311,67 @@ msgstr "مجموعه %s" msgid "%1$s group, page %2$d" msgstr "%1$s أعضاء المجموعة, الصÙحه %2$d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "مل٠المجموعه الشخصي" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "مسار" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "ملاحظة" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "الكنى" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "الأعضاء" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(لا شيء)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "جميع الأعضاء" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "أنشئ" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3371,7 +3381,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3380,7 +3390,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "الإداريون" @@ -3892,7 +3902,7 @@ msgstr "" msgid "No such tag." msgstr "لا وسم كهذا." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "" @@ -3922,7 +3932,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "المستخدم" @@ -4195,6 +4205,11 @@ msgstr "مش جزء من الجروپ." msgid "Group leave failed." msgstr "الخروج من الجروپ Ùشل." +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "تعذر تحديث المجموعه." + #: classes/Login_token.php:76 #, php-format msgid "Could not create login token for %s" @@ -4212,44 +4227,44 @@ msgstr "تعذّر إدراج الرساله." msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:222 +#: classes/Notice.php:239 msgid "Problem saving notice. Too long." msgstr "مشكله ÙÙ‰ Ø­Ùظ الإشعار. طويل جدًا." -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "مشكله ÙÙ‰ Ø­Ùظ الإشعار. مستخدم غير معروÙ." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "مشكله أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:882 +#: classes/Notice.php:911 #, fuzzy msgid "Problem saving group inbox." msgstr "مشكله أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تى @%1$s %2$s" @@ -4278,19 +4293,29 @@ msgstr "ما Ù†Ùعش يمسح الاشتراك الشخصى." msgid "Couldn't delete subscription." msgstr "تعذّر حذ٠الاشتراك." -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "أهلا بكم ÙÙ‰ %1$s يا @%2$s!" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "تعذّر إنشاء المجموعه." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "تعذّر ضبط عضويه المجموعه." + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "تعذّر ضبط عضويه المجموعه." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "تعذّر Ø­Ùظ الاشتراك." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "غيّر إعدادات ملÙÙƒ الشخصي" @@ -4508,15 +4533,15 @@ msgstr "بعد" msgid "Before" msgstr "قبل" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4540,38 +4565,38 @@ msgstr "" msgid "Unable to delete design setting." msgstr "تعذّر حذ٠إعدادات التصميم." -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 msgid "Basic site configuration" msgstr "ضبط الموقع الأساسي" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "ضبط التصميم" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 #, fuzzy msgid "User configuration" msgstr "ضبط المسارات" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Access configuration" msgstr "ضبط التصميم" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 msgid "Paths configuration" msgstr "ضبط المسارات" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Sessions configuration" msgstr "ضبط التصميم" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5151,23 +5176,23 @@ msgstr "" msgid "Not an image or corrupt file." msgstr "" -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "" -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "" -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "نوع مل٠غير معروÙ" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "ميجابايت" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "كيلوبايت" @@ -5669,7 +5694,7 @@ msgstr "كرر هذا الإشعار؟" msgid "Repeat this notice" msgstr "كرر هذا الإشعار" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index 3cb121628..999903133 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -9,18 +9,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:50:11+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:33:04+0000\n" "Language-Team: Bulgarian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "ДоÑтъп" @@ -91,14 +91,15 @@ msgstr "ÐÑма такака Ñтраница." #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "ÐÑма такъв потребител" @@ -174,20 +175,20 @@ msgstr "Бележки от %1$s и приÑтели в %2$s." #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 msgid "API method not found." msgstr "Ðе е открит методът в API." @@ -219,8 +220,9 @@ msgstr "Грешка при обновÑване на потребителÑ." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "ПотребителÑÑ‚ нÑма профил." @@ -244,7 +246,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 #, fuzzy @@ -362,7 +364,7 @@ msgstr "Грешка при изтеглÑне на Ð¾Ð±Ñ‰Ð¸Ñ Ð¿Ð¾Ñ‚Ð¾Ðº" msgid "Could not find target user." msgstr "ЦелевиÑÑ‚ потребител не беше открит." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." @@ -370,62 +372,62 @@ msgstr "" "ПÑевдонимът може да Ñъдържа Ñамо малки букви, чиÑла и никакво разÑтоÑние " "между Ñ‚ÑÑ…." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "Опитайте друг пÑевдоним, този вече е зает." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Ðеправилен пÑевдоним." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "ÐдреÑÑŠÑ‚ на личната Ñтраница не е правилен URL." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "Пълното име е твърде дълго (макÑ. 255 знака)" -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "ОпиÑанието е твърде дълго (до %d Ñимвола)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "Името на меÑтоположението е твърде дълго (макÑ. 255 знака)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "" -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Ðеправилен пÑевдоним: \"%s\"" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "ПÑевдонимът \"%s\" вече е зает. Опитайте друг." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "" @@ -436,15 +438,15 @@ msgstr "" msgid "Group not found!" msgstr "Групата не е открита." -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "Вече членувате в тази група." -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "" -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, fuzzy, php-format msgid "Could not join user %1$s to group %2$s." msgstr "Грешка при проÑледÑване — потребителÑÑ‚ не е намерен." @@ -453,7 +455,7 @@ msgstr "Грешка при проÑледÑване — Ð¿Ð¾Ñ‚Ñ€ÐµÐ±Ð¸Ñ‚ÐµÐ»Ñ msgid "You are not a member of this group." msgstr "Ðе членувате в тази група." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, fuzzy, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "Грешка при проÑледÑване — потребителÑÑ‚ не е намерен." @@ -485,7 +487,7 @@ msgstr "Ðеправилен размер." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -529,7 +531,7 @@ msgstr "" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -558,7 +560,7 @@ msgstr "Сметка" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -641,12 +643,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s бележки отбелÑзани като любими от %s / %s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "Поток на %s" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -704,8 +706,7 @@ msgstr "ÐÑма такъв документ." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "ÐÑма пÑевдоним." @@ -717,7 +718,7 @@ msgstr "ÐÑма размер." msgid "Invalid size." msgstr "Ðеправилен размер." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Ðватар" @@ -735,17 +736,17 @@ msgid "User without matching profile" msgstr "Потребител без ÑъответÑтващ профил" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "ÐаÑтройки за аватар" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Оригинал" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Преглед" @@ -754,11 +755,11 @@ msgstr "Преглед" msgid "Delete" msgstr "Изтриване" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Качване" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "ИзрÑзване" @@ -766,7 +767,7 @@ msgstr "ИзрÑзване" msgid "Pick a square area of the image to be your avatar" msgstr "Изберете квадратна облаÑÑ‚ от изображението за аватар" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "" @@ -798,22 +799,22 @@ msgid "" msgstr "" #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "Ðе" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "Да не Ñе блокира този потребител" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Да" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "Блокиране на потребителÑ" @@ -821,40 +822,44 @@ msgstr "Блокиране на потребителÑ" msgid "Failed to save block information." msgstr "Грешка при запиÑване данните за блокирането." -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "ÐÑма такава група" -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "Блокирани за %s" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, fuzzy, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "Блокирани за %s, Ñтраница %d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 #, fuzzy msgid "A list of the users blocked from joining this group." msgstr "СпиÑък Ñ Ð¿Ð¾Ñ‚Ñ€ÐµÐ±Ð¸Ñ‚ÐµÐ»Ð¸Ñ‚Ðµ в тази група." -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "Разблокиране на Ð¿Ð¾Ñ‚Ñ€ÐµÐ±Ð¸Ñ‚ÐµÐ»Ñ Ð¾Ñ‚ групата" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "Разблокиране" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "Разблокиране на този потребител" @@ -1007,18 +1012,18 @@ msgstr "Може да изтривате Ñамо локални потреби msgid "Delete user" msgstr "Изтриване на потребител" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "Изтриване на този потребител" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1226,31 +1231,31 @@ msgstr "Редактиране на групата %s" msgid "You must be logged in to create a group." msgstr "За да Ñъздавате група, Ñ‚Ñ€Ñбва да Ñте влезли." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 #, fuzzy msgid "You must be an admin to edit the group." msgstr "За да редактирате групата, Ñ‚Ñ€Ñбва да Ñте й админиÑтратор." -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "" -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "ОпиÑанието е твърде дълго (до %d Ñимвола)." -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "Грешка при обновÑване на групата." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 #, fuzzy msgid "Could not create aliases." msgstr "Грешка при отбелÑзване като любима." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "ÐаÑтройките Ñа запазени." @@ -1591,7 +1596,7 @@ msgstr "ПотребителÑÑ‚ вече е блокиран за групат msgid "User is not a member of group." msgstr "ПотребителÑÑ‚ не членува в групата." -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 #, fuzzy msgid "Block user from group" msgstr "Блокиране на потребителÑ" @@ -1626,92 +1631,92 @@ msgstr "ЛипÑва ID." msgid "You must be logged in to edit a group." msgstr "За да редактирате група, Ñ‚Ñ€Ñбва да Ñте влезли." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 #, fuzzy msgid "Group design" msgstr "Групи" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "" -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 #, fuzzy msgid "Couldn't update your design." msgstr "Грешка при обновÑване на потребителÑ." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 #, fuzzy msgid "Design preferences saved." msgstr "ÐаÑтройките Ñа запазени." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "Лого на групата" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, fuzzy, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "Може да качите лого за групата ви." -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 #, fuzzy msgid "User without matching profile." msgstr "Потребител без ÑъответÑтващ профил" -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 #, fuzzy msgid "Pick a square area of the image to be the logo." msgstr "Изберете квадратна облаÑÑ‚ от изображението за аватар" -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "Лотого е обновено." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "ÐеуÑпешно обновÑване на логото." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "Членове на групата %s" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, fuzzy, php-format msgid "%1$s group members, page %2$d" msgstr "Членове на групата %s, Ñтраница %d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "СпиÑък Ñ Ð¿Ð¾Ñ‚Ñ€ÐµÐ±Ð¸Ñ‚ÐµÐ»Ð¸Ñ‚Ðµ в тази група." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "ÐаÑтройки" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "Блокиране" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 #, fuzzy msgid "Make user an admin of the group" msgstr "За да редактирате групата, Ñ‚Ñ€Ñбва да Ñте й админиÑтратор." -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Бележки от %1$s в %2$s." @@ -2036,7 +2041,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "За да Ñе приÑъедините към група, Ñ‚Ñ€Ñбва да Ñте влезли." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "ÐÑма пÑевдоним." + +#: actions/joingroup.php:141 #, fuzzy, php-format msgid "%1$s joined group %2$s" msgstr "%s Ñе приÑъедини към групата %s" @@ -2045,11 +2055,11 @@ msgstr "%s Ñе приÑъедини към групата %s" msgid "You must be logged in to leave a group." msgstr "За напуÑнете група, Ñ‚Ñ€Ñбва да Ñте влезли." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "Ðе членувате в тази група." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, php-format msgid "%1$s left group %2$s" msgstr "%1$s напуÑна групата %2$s" @@ -2322,8 +2332,8 @@ msgstr "вид Ñъдържание " msgid "Only " msgstr "Само " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "Ðеподдържан формат на данните" @@ -2469,7 +2479,7 @@ msgstr "Грешка при запазване на новата парола." msgid "Password saved." msgstr "Паролата е запиÑана." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "Пътища" @@ -2502,7 +2512,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Сайт" @@ -2672,7 +2682,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "От 1 до 64 малки букви или цифри, без Ð¿ÑƒÐ½ÐºÑ‚Ð¾Ð°Ñ†Ð¸Ñ Ð¸ интервали" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Пълно име" @@ -2700,7 +2710,7 @@ msgid "Bio" msgstr "За мен" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3276,7 +3286,7 @@ msgid "User is already sandboxed." msgstr "ПотребителÑÑ‚ ви е блокирал." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "СеÑии" @@ -3334,7 +3344,7 @@ msgstr "ОрганизациÑ" msgid "Description" msgstr "ОпиÑание" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "СтатиÑтики" @@ -3447,67 +3457,67 @@ msgstr "Група %s" msgid "%1$s group, page %2$d" msgstr "Членове на групата %s, Ñтраница %d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "Профил на групата" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Бележка" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "ПÑевдоними" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "ЕмиÑÐ¸Ñ Ñ Ð±ÐµÐ»ÐµÐ¶ÐºÐ¸ на %s" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "ЕмиÑÐ¸Ñ Ñ Ð±ÐµÐ»ÐµÐ¶ÐºÐ¸ на %s" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "ЕмиÑÐ¸Ñ Ñ Ð±ÐµÐ»ÐµÐ¶ÐºÐ¸ на %s" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "ИзходÑща ÐºÑƒÑ‚Ð¸Ñ Ð·Ð° %s" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "Членове" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "Ð’Ñички членове" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "Създадена на" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3517,7 +3527,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3526,7 +3536,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "ÐдминиÑтратори" @@ -4054,7 +4064,7 @@ msgstr "" msgid "No such tag." msgstr "ÐÑма такъв етикет." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "Методът в API вÑе още Ñе разработва." @@ -4087,7 +4097,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "Потребител" @@ -4378,6 +4388,11 @@ msgstr "Грешка при обновÑване на групата." msgid "Group leave failed." msgstr "Профил на групата" +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "Грешка при обновÑване на групата." + #: classes/Login_token.php:76 #, fuzzy, php-format msgid "Could not create login token for %s" @@ -4396,28 +4411,28 @@ msgstr "Грешка при вмъкване на Ñъобщението." msgid "Could not update message with new URI." msgstr "Грешка при обновÑване на бележката Ñ Ð½Ð¾Ð² URL-адреÑ." -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:222 +#: classes/Notice.php:239 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Проблем при запиÑване на бележката." -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "Грешка при запиÑване на бележката. Ðепознат потребител." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Твърде много бележки за кратко време. Спрете, поемете дъх и публикувайте " "отново Ñлед нÑколко минути." -#: classes/Notice.php:237 +#: classes/Notice.php:254 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4426,20 +4441,20 @@ msgstr "" "Твърде много бележки за кратко време. Спрете, поемете дъх и публикувайте " "отново Ñлед нÑколко минути." -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "Забранено ви е да публикувате бележки в този Ñайт." -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "Проблем при запиÑване на бележката." -#: classes/Notice.php:882 +#: classes/Notice.php:911 #, fuzzy msgid "Problem saving group inbox." msgstr "Проблем при запиÑване на бележката." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4471,20 +4486,30 @@ msgstr "Грешка при изтриване на абонамента." msgid "Couldn't delete subscription." msgstr "Грешка при изтриване на абонамента." -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Добре дошли в %1$s, @%2$s!" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "Грешка при Ñъздаване на групата." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "Грешка при Ñъздаване на нов абонамент." + +#: classes/User_group.php:492 #, fuzzy msgid "Could not set group membership." msgstr "Грешка при Ñъздаване на нов абонамент." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "Грешка при Ñъздаване на нов абонамент." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "ПромÑна наÑтройките на профила" @@ -4707,15 +4732,15 @@ msgstr "След" msgid "Before" msgstr "Преди" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4743,38 +4768,38 @@ msgstr "Командата вÑе още не Ñе поддържа." msgid "Unable to delete design setting." msgstr "Грешка при запиÑване наÑтройките за Twitter" -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 msgid "Basic site configuration" msgstr "ОÑновна наÑтройка на Ñайта" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "ÐаÑтройка на оформлението" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 #, fuzzy msgid "User configuration" msgstr "ÐаÑтройка на пътищата" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Access configuration" msgstr "ÐаÑтройка на оформлението" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 msgid "Paths configuration" msgstr "ÐаÑтройка на пътищата" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Sessions configuration" msgstr "ÐаÑтройка на оформлението" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5357,24 +5382,24 @@ msgstr "СиÑтемна грешка при качване на файл." msgid "Not an image or corrupt file." msgstr "Файлът не е изображение или е повреден." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "Форматът на файла Ñ Ð¸Ð·Ð¾Ð±Ñ€Ð°Ð¶ÐµÐ½Ð¸ÐµÑ‚Ð¾ не Ñе поддържа." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 #, fuzzy msgid "Lost our file." msgstr "ÐÑма такава бележка." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "Ðеподдържан вид файл" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "MB" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "kB" @@ -5893,7 +5918,7 @@ msgstr "ПовтарÑне на тази бележка" msgid "Repeat this notice" msgstr "ПовтарÑне на тази бележка" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index d94ad8431..157b03d70 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -10,18 +10,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:50:15+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:33:07+0000\n" "Language-Team: Catalan\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "Accés" @@ -97,14 +97,15 @@ msgstr "No existeix la pàgina." #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "No existeix aquest usuari." @@ -182,20 +183,20 @@ msgstr "Actualitzacions de %1$s i amics a %2$s!" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "No s'ha trobat el mètode API!" @@ -229,8 +230,9 @@ msgstr "No s'ha pogut actualitzar l'usuari." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "L'usuari no té perfil." @@ -255,7 +257,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 #, fuzzy @@ -376,7 +378,7 @@ msgstr "No s'ha pogut determinar l'usuari d'origen." msgid "Could not find target user." msgstr "No es pot trobar cap estatus." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." @@ -384,62 +386,62 @@ msgstr "" "El sobrenom ha de tenir només lletres minúscules i números i no pot tenir " "espais." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "Aquest sobrenom ja existeix. Prova un altre. " -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Sobrenom no vàlid." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "La pàgina personal no és un URL vàlid." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "El teu nom és massa llarg (màx. 255 caràcters)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "La descripció és massa llarga (màx. %d caràcters)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "La ubicació és massa llarga (màx. 255 caràcters)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "Hi ha massa àlies! Màxim %d." -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "L'àlies no és vàlid «%s»" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "L'àlies «%s» ja està en ús. Proveu-ne un altre." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "L'àlies no pot ser el mateix que el sobrenom." @@ -450,15 +452,15 @@ msgstr "L'àlies no pot ser el mateix que el sobrenom." msgid "Group not found!" msgstr "No s'ha trobat el grup!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "Ja sou membre del grup." -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "L'administrador us ha blocat del grup." -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, fuzzy, php-format msgid "Could not join user %1$s to group %2$s." msgstr "No s'ha pogut afegir l'usuari %s al grup %s." @@ -467,7 +469,7 @@ msgstr "No s'ha pogut afegir l'usuari %s al grup %s." msgid "You are not a member of this group." msgstr "No sou un membre del grup." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, fuzzy, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "No s'ha pogut suprimir l'usuari %s del grup %s." @@ -499,7 +501,7 @@ msgstr "Mida invàlida." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -545,7 +547,7 @@ msgstr "" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -574,7 +576,7 @@ msgstr "Compte" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -660,12 +662,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s actualitzacions favorites per %s / %s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "%s línia temporal" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -722,8 +724,7 @@ msgstr "No existeix l'adjunció." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Cap sobrenom." @@ -735,7 +736,7 @@ msgstr "Cap mida." msgid "Invalid size." msgstr "Mida invàlida." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Avatar" @@ -753,17 +754,17 @@ msgid "User without matching profile" msgstr "Usuari sense perfil coincident" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Configuració de l'avatar" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Original" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Vista prèvia" @@ -772,11 +773,11 @@ msgstr "Vista prèvia" msgid "Delete" msgstr "Suprimeix" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Puja" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "Retalla" @@ -786,7 +787,7 @@ msgstr "" "Selecciona un quadrat de l'àrea de la imatge que vols que sigui el teu " "avatar." -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "S'ha perdut el nostre fitxer de dades." @@ -818,22 +819,22 @@ msgid "" msgstr "" #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "No" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "No bloquis l'usuari" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Sí" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "Bloquejar aquest usuari" @@ -841,40 +842,44 @@ msgstr "Bloquejar aquest usuari" msgid "Failed to save block information." msgstr "Error al guardar la informació del block." -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "No s'ha trobat el grup." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "%s perfils blocats" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, fuzzy, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%s perfils blocats, pàgina %d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 #, fuzzy msgid "A list of the users blocked from joining this group." msgstr "La llista dels usuaris d'aquest grup." -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "Desbloca l'usuari del grup" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "Desbloca" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "Desbloca l'usuari" @@ -1032,18 +1037,18 @@ msgstr "No pots eliminar l'estatus d'un altre usuari." msgid "Delete user" msgstr "Suprimeix l'usuari" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "Suprimeix l'usuari" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "Disseny" @@ -1246,30 +1251,30 @@ msgstr "Editar el grup %s" msgid "You must be logged in to create a group." msgstr "Has d'haver entrat per crear un grup." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 #, fuzzy msgid "You must be an admin to edit the group." msgstr "Has de ser admin per editar aquest grup" -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "Utilitza aquest formulari per editar el grup." -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "la descripció és massa llarga (màx. %d caràcters)." -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "No s'ha pogut actualitzar el grup." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "No s'han pogut crear els àlies." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "Configuració guardada." @@ -1613,7 +1618,7 @@ msgstr "Un usuari t'ha bloquejat." msgid "User is not a member of group." msgstr "L'usuari no és membre del grup." -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "Bloca l'usuari del grup" @@ -1648,11 +1653,11 @@ msgstr "No ID" msgid "You must be logged in to edit a group." msgstr "Heu d'iniciar una sessió per editar un grup." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "Disseny de grup" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." @@ -1660,77 +1665,77 @@ msgstr "" "Personalitzeu l'aspecte del vostre grup amb una imatge de fons i una paleta " "de colors de la vostra elecció." -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 msgid "Couldn't update your design." msgstr "No s'ha pogut actualitzar el vostre disseny." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "S'han desat les preferències de disseny." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "Logo del grup" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, fuzzy, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "Pots pujar una imatge de logo per al grup." -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 #, fuzzy msgid "User without matching profile." msgstr "Usuari sense perfil coincident" -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Trieu una àrea quadrada de la imatge perquè en sigui el logotip." -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "Logo actualitzat." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "Error en actualitzar logo." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "%s membre/s en el grup" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, fuzzy, php-format msgid "%1$s group members, page %2$d" msgstr "%s membre/s en el grup, pàgina %d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "La llista dels usuaris d'aquest grup." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "Bloca" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "Fes l'usuari un administrador del grup" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "Fes-lo administrador" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "Fes l'usuari administrador" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Actualitzacions dels membres de %1$s el %2$s!" @@ -2059,7 +2064,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "Has d'haver entrat per participar en un grup." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Cap sobrenom." + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "%1$s s'ha unit al grup %2$s" @@ -2068,11 +2078,11 @@ msgstr "%1$s s'ha unit al grup %2$s" msgid "You must be logged in to leave a group." msgstr "Has d'haver entrat per a poder marxar d'un grup." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "No ets membre d'aquest grup." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, fuzzy, php-format msgid "%1$s left group %2$s" msgstr "%s ha abandonat el grup %s" @@ -2213,9 +2223,9 @@ msgid "Message sent" msgstr "S'ha enviat el missatge" #: actions/newmessage.php:185 -#, fuzzy, php-format +#, php-format msgid "Direct message to %s sent." -msgstr "Missatge directe per a %s enviat" +msgstr "S'ha enviat un missatge directe a %s." #: actions/newmessage.php:210 actions/newnotice.php:245 lib/channel.php:170 msgid "Ajax Error" @@ -2293,9 +2303,8 @@ msgid "You must be logged in to list your applications." msgstr "Heu d'iniciar una sessió per editar un grup." #: actions/oauthappssettings.php:74 -#, fuzzy msgid "OAuth applications" -msgstr "Altres opcions" +msgstr "Aplicacions OAuth" #: actions/oauthappssettings.php:85 msgid "Applications you have registered" @@ -2315,9 +2324,8 @@ msgid "You have allowed the following applications to access you account." msgstr "" #: actions/oauthconnectionssettings.php:175 -#, fuzzy msgid "You are not a user of that application." -msgstr "No ets membre d'aquest grup." +msgstr "No sou usuari de l'aplicació." #: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " @@ -2349,8 +2357,8 @@ msgstr "tipus de contingut " msgid "Only " msgstr "Només " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "Format de data no suportat." @@ -2363,9 +2371,8 @@ msgid "Notice Search" msgstr "Cerca de notificacions" #: actions/othersettings.php:60 -#, fuzzy msgid "Other settings" -msgstr "Altres configuracions" +msgstr "Altres paràmetres" #: actions/othersettings.php:71 msgid "Manage various other options." @@ -2397,9 +2404,8 @@ msgstr "" "El servei d'auto-escurçament d'URL és massa llarga (màx. 50 caràcters)." #: actions/otp.php:69 -#, fuzzy msgid "No user ID specified." -msgstr "No s'ha especificat cap grup." +msgstr "No s'ha especificat cap ID d'usuari." #: actions/otp.php:83 #, fuzzy @@ -2498,7 +2504,7 @@ msgstr "No es pot guardar la nova contrasenya." msgid "Password saved." msgstr "Contrasenya guardada." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "Camins" @@ -2531,7 +2537,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Lloc" @@ -2706,7 +2712,7 @@ msgstr "" "1-64 lletres en minúscula o números, sense signes de puntuació o espais" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Nom complet" @@ -2735,7 +2741,7 @@ msgid "Bio" msgstr "Biografia" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3330,7 +3336,7 @@ msgid "User is already sandboxed." msgstr "Un usuari t'ha bloquejat." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "Sessions" @@ -3389,7 +3395,7 @@ msgstr "Paginació" msgid "Description" msgstr "Descripció" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Estadístiques" @@ -3502,67 +3508,67 @@ msgstr "%s grup" msgid "%1$s group, page %2$d" msgstr "%s membre/s en el grup, pàgina %d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "Perfil del grup" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Avisos" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "Àlies" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "Accions del grup" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Feed d'avisos del grup %s" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Feed d'avisos del grup %s" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "Feed d'avisos del grup %s" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "Safata de sortida per %s" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "Membres" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Cap)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "Tots els membres" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "S'ha creat" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3572,7 +3578,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3583,7 +3589,7 @@ msgstr "" "**%s** és un grup d'usuaris a %%%%site.name%%%%, un servei de [microblogging]" "(http://ca.wikipedia.org/wiki/Microblogging)" -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "Administradors" @@ -4126,7 +4132,7 @@ msgstr "" msgid "No such tag." msgstr "No existeix aquesta etiqueta." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "Mètode API en construcció." @@ -4157,7 +4163,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "Usuari" @@ -4448,6 +4454,11 @@ msgstr "No s'ha pogut actualitzar el grup." msgid "Group leave failed." msgstr "Perfil del grup" +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "No s'ha pogut actualitzar el grup." + #: classes/Login_token.php:76 #, fuzzy, php-format msgid "Could not create login token for %s" @@ -4465,28 +4476,28 @@ msgstr "No s'ha pogut inserir el missatge." msgid "Could not update message with new URI." msgstr "No s'ha pogut inserir el missatge amb la nova URI." -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Hashtag de l'error de la base de dades:%s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Problema en guardar l'avís." -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "Problema al guardar la notificació. Usuari desconegut." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Masses notificacions massa ràpid; pren un respir i publica de nou en uns " "minuts." -#: classes/Notice.php:237 +#: classes/Notice.php:254 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4495,20 +4506,20 @@ msgstr "" "Masses notificacions massa ràpid; pren un respir i publica de nou en uns " "minuts." -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "Ha estat bandejat de publicar notificacions en aquest lloc." -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "Problema en guardar l'avís." -#: classes/Notice.php:882 +#: classes/Notice.php:911 #, fuzzy msgid "Problem saving group inbox." msgstr "Problema en guardar l'avís." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4539,19 +4550,29 @@ msgstr "No s'ha pogut eliminar la subscripció." msgid "Couldn't delete subscription." msgstr "No s'ha pogut eliminar la subscripció." -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Us donem la benvinguda a %1$s, @%2$s!" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "No s'ha pogut crear el grup." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "No s'ha pogut establir la pertinença d'aquest grup." + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "No s'ha pogut establir la pertinença d'aquest grup." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "No s'ha pogut guardar la subscripció." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "Canvieu els paràmetres del vostre perfil" @@ -4771,15 +4792,15 @@ msgstr "Posteriors" msgid "Before" msgstr "Anteriors" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4807,38 +4828,38 @@ msgstr "Comanda encara no implementada." msgid "Unable to delete design setting." msgstr "No s'ha pogut guardar la teva configuració de Twitter!" -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 msgid "Basic site configuration" msgstr "Configuració bàsica del lloc" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "Configuració del disseny" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 #, fuzzy msgid "User configuration" msgstr "Configuració dels camins" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Access configuration" msgstr "Configuració del disseny" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 msgid "Paths configuration" msgstr "Configuració dels camins" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Sessions configuration" msgstr "Configuració del disseny" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5417,23 +5438,23 @@ msgstr "Error del sistema en pujar el fitxer." msgid "Not an image or corrupt file." msgstr "No és una imatge o és un fitxer corrupte." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "Format d'imatge no suportat." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "Hem perdut el nostre arxiu." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "Tipus de fitxer desconegut" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "MB" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "kB" @@ -5960,7 +5981,7 @@ msgstr "Repeteix l'avís" msgid "Repeat this notice" msgstr "Repeteix l'avís" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index dd51424e6..0d58ee5f0 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -9,18 +9,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:50:18+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:33:10+0000\n" "Language-Team: Czech\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n< =4) ? 1 : 2 ;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 #, fuzzy msgid "Access" msgstr "PÅ™ijmout" @@ -98,14 +98,15 @@ msgstr "Žádné takové oznámení." #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "Žádný takový uživatel." @@ -182,20 +183,20 @@ msgstr "" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Potvrzující kód nebyl nalezen" @@ -229,8 +230,9 @@ msgstr "Nelze aktualizovat uživatele" #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "Uživatel nemá profil." @@ -255,7 +257,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -372,68 +374,68 @@ msgstr "Nelze aktualizovat uživatele" msgid "Could not find target user." msgstr "Nelze aktualizovat uživatele" -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "PÅ™ezdívka může obsahovat pouze malá písmena a Äísla bez mezer" -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "PÅ™ezdívku již nÄ›kdo používá. Zkuste jinou" -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Není platnou pÅ™ezdívkou." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "Stránka není platnou URL." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "Jméno je moc dlouhé (maximální délka je 255 znaků)" -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "Text je příliÅ¡ dlouhý (maximální délka je 140 zanků)" -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "UmístÄ›ní příliÅ¡ dlouhé (maximálnÄ› 255 znaků)" -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "" -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, fuzzy, php-format msgid "Invalid alias: \"%s\"" msgstr "Neplatná adresa '%s'" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, fuzzy, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "PÅ™ezdívku již nÄ›kdo používá. Zkuste jinou" -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "" @@ -445,16 +447,16 @@ msgstr "" msgid "Group not found!" msgstr "Žádný požadavek nebyl nalezen!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 #, fuzzy msgid "You are already a member of that group." msgstr "Již jste pÅ™ihlášen" -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "" -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, fuzzy, php-format msgid "Could not join user %1$s to group %2$s." msgstr "Nelze pÅ™esmÄ›rovat na server: %s" @@ -464,7 +466,7 @@ msgstr "Nelze pÅ™esmÄ›rovat na server: %s" msgid "You are not a member of this group." msgstr "Neodeslal jste nám profil" -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, fuzzy, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "Nelze vytvoÅ™it OpenID z: %s" @@ -496,7 +498,7 @@ msgstr "Neplatná velikost" #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -540,7 +542,7 @@ msgstr "" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -570,7 +572,7 @@ msgstr "O nás" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -657,12 +659,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "Mikroblog od %s" #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -721,8 +723,7 @@ msgstr "Žádný takový dokument." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Žádná pÅ™ezdívka." @@ -734,7 +735,7 @@ msgstr "Žádná velikost" msgid "Invalid size." msgstr "Neplatná velikost" -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Obrázek" @@ -751,18 +752,18 @@ msgid "User without matching profile" msgstr "" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 #, fuzzy msgid "Avatar settings" msgstr "Nastavení" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "" @@ -771,11 +772,11 @@ msgstr "" msgid "Delete" msgstr "Odstranit" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Upload" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "" @@ -783,7 +784,7 @@ msgstr "" msgid "Pick a square area of the image to be your avatar" msgstr "" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "" @@ -817,23 +818,23 @@ msgid "" msgstr "" #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "Ne" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 #, fuzzy msgid "Do not block this user" msgstr "Žádný takový uživatel." #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Ano" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "Zablokovat tohoto uživatele" @@ -841,41 +842,45 @@ msgstr "Zablokovat tohoto uživatele" msgid "Failed to save block information." msgstr "" -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 #, fuzzy msgid "No such group." msgstr "Žádné takové oznámení." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, fuzzy, php-format msgid "%s blocked profiles" msgstr "Uživatel nemá profil." -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, fuzzy, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%s a přátelé" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "" -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 #, fuzzy msgid "Unblock user from group" msgstr "Žádný takový uživatel." -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 #, fuzzy msgid "Unblock this user" msgstr "Žádný takový uživatel." @@ -1033,18 +1038,18 @@ msgstr "Můžete použít místní odebírání." msgid "Delete user" msgstr "" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "Odstranit tohoto uživatele" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "Vzhled" @@ -1250,31 +1255,31 @@ msgstr "Upravit %s skupinu" msgid "You must be logged in to create a group." msgstr "" -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "" -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "" -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, fuzzy, php-format msgid "description is too long (max %d chars)." msgstr "Text je příliÅ¡ dlouhý (maximální délka je 140 zanků)" -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 #, fuzzy msgid "Could not update group." msgstr "Nelze aktualizovat uživatele" -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 #, fuzzy msgid "Could not create aliases." msgstr "Nelze uložin informace o obrázku" -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "Nastavení uloženo." @@ -1618,7 +1623,7 @@ msgstr "Uživatel nemá profil." msgid "User is not a member of group." msgstr "Neodeslal jste nám profil" -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 #, fuzzy msgid "Block user from group" msgstr "Žádný takový uživatel." @@ -1654,91 +1659,91 @@ msgstr "Žádné id" msgid "You must be logged in to edit a group." msgstr "" -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "" -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 #, fuzzy msgid "Couldn't update your design." msgstr "Nelze aktualizovat uživatele" -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 #, fuzzy msgid "Design preferences saved." msgstr "Nastavení uloženo" -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "Logo skupiny" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "" -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 #, fuzzy msgid "User without matching profile." msgstr "Uživatel nemá profil." -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "" -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 #, fuzzy msgid "Logo updated." msgstr "Obrázek nahrán" -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 #, fuzzy msgid "Failed updating logo." msgstr "Nahrávání obrázku selhalo." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Mikroblog od %s" @@ -2036,7 +2041,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "" -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Žádná pÅ™ezdívka." + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "" @@ -2045,12 +2055,12 @@ msgstr "" msgid "You must be logged in to leave a group." msgstr "" -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 #, fuzzy msgid "You are not a member of that group." msgstr "Neodeslal jste nám profil" -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, fuzzy, php-format msgid "%1$s left group %2$s" msgstr "%1 statusů na %2" @@ -2318,8 +2328,8 @@ msgstr "PÅ™ipojit" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "" @@ -2467,7 +2477,7 @@ msgstr "Nelze uložit nové heslo" msgid "Password saved." msgstr "Heslo uloženo" -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "" @@ -2500,7 +2510,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "" @@ -2683,7 +2693,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 znaků nebo Äísel, bez teÄek, Äárek a mezer" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Celé jméno" @@ -2711,7 +2721,7 @@ msgid "Bio" msgstr "O mÄ›" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3279,7 +3289,7 @@ msgid "User is already sandboxed." msgstr "Uživatel nemá profil." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3339,7 +3349,7 @@ msgstr "UmístÄ›ní" msgid "Description" msgstr "OdbÄ›ry" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statistiky" @@ -3450,70 +3460,70 @@ msgstr "" msgid "%1$s group, page %2$d" msgstr "VÅ¡echny odbÄ›ry" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 #, fuzzy msgid "Group profile" msgstr "Žádné takové oznámení." -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Poznámka" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Feed sdÄ›lení pro %s" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Feed sdÄ›lení pro %s" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "Feed sdÄ›lení pro %s" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "Feed sdÄ›lení pro %s" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 #, fuzzy msgid "Members" msgstr "ÄŒlenem od" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 #, fuzzy msgid "Created" msgstr "VytvoÅ™it" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3523,7 +3533,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3532,7 +3542,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "" @@ -4063,7 +4073,7 @@ msgstr "" msgid "No such tag." msgstr "Žádné takové oznámení." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "" @@ -4098,7 +4108,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "" @@ -4392,6 +4402,11 @@ msgstr "Nelze aktualizovat uživatele" msgid "Group leave failed." msgstr "Žádné takové oznámení." +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "Nelze aktualizovat uživatele" + #: classes/Login_token.php:76 #, fuzzy, php-format msgid "Could not create login token for %s" @@ -4409,46 +4424,46 @@ msgstr "" msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:222 +#: classes/Notice.php:239 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:226 +#: classes/Notice.php:243 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:882 +#: classes/Notice.php:911 #, fuzzy msgid "Problem saving group inbox." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4480,21 +4495,31 @@ msgstr "Nelze smazat odebírání" msgid "Couldn't delete subscription." msgstr "Nelze smazat odebírání" -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:423 +#: classes/User_group.php:462 #, fuzzy msgid "Could not create group." msgstr "Nelze uložin informace o obrázku" -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "Nelze vytvoÅ™it odebírat" + +#: classes/User_group.php:492 #, fuzzy msgid "Could not set group membership." msgstr "Nelze vytvoÅ™it odebírat" +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "Nelze vytvoÅ™it odebírat" + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "" @@ -4723,15 +4748,15 @@ msgstr "« NovÄ›jší" msgid "Before" msgstr "Starší »" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4755,41 +4780,41 @@ msgstr "" msgid "Unable to delete design setting." msgstr "" -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 #, fuzzy msgid "Basic site configuration" msgstr "Potvrzení emailové adresy" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 #, fuzzy msgid "Design configuration" msgstr "Potvrzení emailové adresy" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 #, fuzzy msgid "User configuration" msgstr "Potvrzení emailové adresy" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Access configuration" msgstr "Potvrzení emailové adresy" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 #, fuzzy msgid "Paths configuration" msgstr "Potvrzení emailové adresy" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Sessions configuration" msgstr "Potvrzení emailové adresy" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5383,24 +5408,24 @@ msgstr "Chyba systému pÅ™i nahrávání souboru" msgid "Not an image or corrupt file." msgstr "Není obrázkem, nebo jde o poÅ¡kozený soubor." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "Nepodporovaný formát obrázku." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 #, fuzzy msgid "Lost our file." msgstr "Žádné takové oznámení." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "" @@ -5926,7 +5951,7 @@ msgstr "Odstranit toto oznámení" msgid "Repeat this notice" msgstr "Odstranit toto oznámení" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index 053187a86..b21b5ddd5 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -4,6 +4,7 @@ # Author@translatewiki.net: Lutzgh # Author@translatewiki.net: March # Author@translatewiki.net: McDutchie +# Author@translatewiki.net: Michi # Author@translatewiki.net: Pill # Author@translatewiki.net: Umherirrender # -- @@ -13,18 +14,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:50:21+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:33:14+0000\n" "Language-Team: German\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "Zugang" @@ -96,14 +97,15 @@ msgstr "Seite nicht vorhanden" #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "Unbekannter Benutzer." @@ -189,20 +191,20 @@ msgstr "Aktualisierungen von %1$s und Freunden auf %2$s!" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 msgid "API method not found." msgstr "API-Methode nicht gefunden." @@ -234,8 +236,9 @@ msgstr "Konnte Benutzerdaten nicht aktualisieren." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "Benutzer hat kein Profil." @@ -259,7 +262,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -372,7 +375,7 @@ msgstr "Konnte öffentlichen Stream nicht abrufen." msgid "Could not find target user." msgstr "Konnte keine Statusmeldungen finden." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." @@ -380,63 +383,63 @@ msgstr "" "Der Nutzername darf nur aus Kleinbuchstaben und Ziffern bestehen. " "Leerzeichen sind nicht erlaubt." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "Nutzername wird bereits verwendet. Suche dir einen anderen aus." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Ungültiger Nutzername." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "" "Homepage ist keine gültige URL. URL’s müssen ein Präfix wie http enthalten." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "Der vollständige Name ist zu lang (maximal 255 Zeichen)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "Die Beschreibung ist zu lang (max. %d Zeichen)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "Der eingegebene Aufenthaltsort ist zu lang (maximal 255 Zeichen)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "Zu viele Pseudonyme! Maximale Anzahl ist %d." -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Ungültiger Tag: „%s“" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Nutzername „%s“ wird bereits verwendet. Suche dir einen anderen aus." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "Alias kann nicht das gleiche wie der Spitznamen sein." @@ -447,15 +450,15 @@ msgstr "Alias kann nicht das gleiche wie der Spitznamen sein." msgid "Group not found!" msgstr "Gruppe nicht gefunden!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "Du bist bereits Mitglied dieser Gruppe" -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "Der Admin dieser Gruppe hat dich gesperrt." -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, php-format msgid "Could not join user %1$s to group %2$s." msgstr "Konnte Benutzer %s nicht der Gruppe %s hinzufügen." @@ -464,7 +467,7 @@ msgstr "Konnte Benutzer %s nicht der Gruppe %s hinzufügen." msgid "You are not a member of this group." msgstr "Du bist kein Mitglied dieser Gruppe." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "Konnte Benutzer %1$s nicht aus der Gruppe %2$s entfernen." @@ -496,7 +499,7 @@ msgstr "Ungültige Größe." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -539,7 +542,7 @@ msgstr "" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -568,7 +571,7 @@ msgstr "Konto" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -654,12 +657,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s Aktualisierung in den Favoriten von %s / %s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "%s Zeitleiste" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -716,8 +719,7 @@ msgstr "Kein solcher Anhang." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Kein Nutzername." @@ -729,7 +731,7 @@ msgstr "Keine Größe." msgid "Invalid size." msgstr "Ungültige Größe." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Avatar" @@ -747,17 +749,17 @@ msgid "User without matching profile" msgstr "Benutzer ohne passendes Profil" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Avatar-Einstellungen" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Original" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Vorschau" @@ -766,11 +768,11 @@ msgstr "Vorschau" msgid "Delete" msgstr "Löschen" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Hochladen" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "Zuschneiden" @@ -779,7 +781,7 @@ msgid "Pick a square area of the image to be your avatar" msgstr "" "Wähle eine quadratische Fläche aus dem Bild, um dein Avatar zu speichern" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Daten verloren." @@ -811,22 +813,22 @@ msgid "" msgstr "" #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "Nein" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "Diesen Benutzer freigeben" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Ja" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "Diesen Benutzer blockieren" @@ -834,39 +836,43 @@ msgstr "Diesen Benutzer blockieren" msgid "Failed to save block information." msgstr "Konnte Blockierungsdaten nicht speichern." -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "Keine derartige Gruppe." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "%s blockierte Benutzerprofile" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, fuzzy, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%s blockierte Benutzerprofile, Seite %d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "Liste der blockierten Benutzer in dieser Gruppe." -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "Sperrung des Nutzers für die Gruppe aufheben." -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "Freigeben" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "Diesen Benutzer freigeben" @@ -1021,18 +1027,18 @@ msgstr "Du kannst nur lokale Benutzer löschen." msgid "Delete user" msgstr "Benutzer löschen" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "Diesen Benutzer löschen" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1153,68 +1159,58 @@ msgid "No such document \"%s\"" msgstr "Unbekanntes Dokument." #: actions/editapplication.php:54 -#, fuzzy msgid "Edit Application" -msgstr "Sonstige Optionen" +msgstr "Anwendung bearbeiten" #: actions/editapplication.php:66 -#, fuzzy msgid "You must be logged in to edit an application." -msgstr "Du musst angemeldet sein, um eine Gruppe zu bearbeiten." +msgstr "Du musst angemeldet sein, um eine Anwendung zu bearbeiten." #: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 #: actions/showapplication.php:87 -#, fuzzy msgid "No such application." -msgstr "Unbekannte Nachricht." +msgstr "Anwendung nicht bekannt." #: actions/editapplication.php:161 -#, fuzzy msgid "Use this form to edit your application." -msgstr "Benutze dieses Formular, um die Gruppe zu bearbeiten." +msgstr "Benutze dieses Formular, um die Anwendung zu bearbeiten." #: actions/editapplication.php:177 actions/newapplication.php:159 -#, fuzzy msgid "Name is required." -msgstr "Gleiches Passwort wie zuvor. Pflichteingabe." +msgstr "Name ist erforderlich." #: actions/editapplication.php:180 actions/newapplication.php:165 -#, fuzzy msgid "Name is too long (max 255 chars)." -msgstr "Der vollständige Name ist zu lang (maximal 255 Zeichen)." +msgstr "Der Name ist zu lang (maximal 255 Zeichen)." #: actions/editapplication.php:183 actions/newapplication.php:162 -#, fuzzy msgid "Name already in use. Try another one." -msgstr "Nutzername wird bereits verwendet. Suche dir einen anderen aus." +msgstr "Der Name wird bereits verwendet. Suche dir einen anderen aus." #: actions/editapplication.php:186 actions/newapplication.php:168 -#, fuzzy msgid "Description is required." -msgstr "Beschreibung" +msgstr "Beschreibung ist erforderlich." #: actions/editapplication.php:194 msgid "Source URL is too long." -msgstr "" +msgstr "Homepage ist zu lang." #: actions/editapplication.php:200 actions/newapplication.php:185 -#, fuzzy msgid "Source URL is not valid." msgstr "" "Homepage ist keine gültige URL. URL’s müssen ein Präfix wie http enthalten." #: actions/editapplication.php:203 actions/newapplication.php:188 msgid "Organization is required." -msgstr "" +msgstr "Organisation ist erforderlich. (Pflichtangabe)" #: actions/editapplication.php:206 actions/newapplication.php:191 -#, fuzzy msgid "Organization is too long (max 255 chars)." -msgstr "Der eingegebene Aufenthaltsort ist zu lang (maximal 255 Zeichen)." +msgstr "Die angegebene Organisation ist zu lang (maximal 255 Zeichen)." #: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." -msgstr "" +msgstr "Homepage der Organisation ist erforderlich (Pflichtangabe)." #: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." @@ -1238,35 +1234,34 @@ msgstr "Gruppe %s bearbeiten" msgid "You must be logged in to create a group." msgstr "Du musst angemeldet sein, um eine Gruppe zu erstellen." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 #, fuzzy msgid "You must be an admin to edit the group." msgstr "Du musst ein Administrator sein, um die Gruppe zu bearbeiten" -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "Benutze dieses Formular, um die Gruppe zu bearbeiten." -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "Die Beschreibung ist zu lang (max. %d Zeichen)." -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "Konnte Gruppe nicht aktualisieren." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "Konnte keinen Favoriten erstellen." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "Einstellungen gespeichert." #: actions/emailsettings.php:60 -#, fuzzy msgid "Email settings" msgstr "E-Mail-Einstellungen" @@ -1305,9 +1300,8 @@ msgid "Cancel" msgstr "Abbrechen" #: actions/emailsettings.php:121 -#, fuzzy msgid "Email address" -msgstr "E-Mail-Adressen" +msgstr "E-Mail-Adresse" #: actions/emailsettings.php:123 msgid "Email address, like \"UserName@example.org\"" @@ -1601,7 +1595,7 @@ msgstr "Dieser Nutzer ist bereits von der Gruppe gesperrt" msgid "User is not a member of group." msgstr "Nutzer ist kein Mitglied dieser Gruppe." -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "Benutzerzugang zu der Gruppe blockieren" @@ -1634,30 +1628,30 @@ msgstr "Keine ID" msgid "You must be logged in to edit a group." msgstr "Du musst angemeldet sein, um eine Gruppe zu bearbeiten." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "Gruppen-Design" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "" -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 msgid "Couldn't update your design." msgstr "Konnte dein Design nicht aktualisieren." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "Design-Einstellungen gespeichert." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "Gruppen-Logo" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." @@ -1665,58 +1659,58 @@ msgstr "" "Du kannst ein Logo für Deine Gruppe hochladen. Die maximale Dateigröße ist %" "s." -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 #, fuzzy msgid "User without matching profile." msgstr "Benutzer ohne passendes Profil" -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Wähle eine quadratische Fläche aus dem Bild, um das Logo zu speichern." -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "Logo aktualisiert." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "Aktualisierung des Logos fehlgeschlagen." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "%s Gruppen-Mitglieder" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, fuzzy, php-format msgid "%1$s group members, page %2$d" msgstr "%s Gruppen-Mitglieder, Seite %d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "Liste der Benutzer in dieser Gruppe." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "Blockieren" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "Benutzer zu einem Admin dieser Gruppe ernennen" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "Zum Admin ernennen" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "Diesen Benutzer zu einem Admin ernennen" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Aktualisierungen von %1$s auf %2$s!" @@ -2053,7 +2047,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "Du musst angemeldet sein, um Mitglied einer Gruppe zu werden." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Kein Nutzername." + +#: actions/joingroup.php:141 #, fuzzy, php-format msgid "%1$s joined group %2$s" msgstr "%s ist der Gruppe %s beigetreten" @@ -2062,11 +2061,11 @@ msgstr "%s ist der Gruppe %s beigetreten" msgid "You must be logged in to leave a group." msgstr "Du musst angemeldet sein, um aus einer Gruppe auszutreten." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "Du bist kein Mitglied dieser Gruppe." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, fuzzy, php-format msgid "%1$s left group %2$s" msgstr "%s hat die Gruppe %s verlassen" @@ -2285,9 +2284,8 @@ msgid "You must be logged in to list your applications." msgstr "Du musst angemeldet sein, um eine Gruppe zu bearbeiten." #: actions/oauthappssettings.php:74 -#, fuzzy msgid "OAuth applications" -msgstr "Sonstige Optionen" +msgstr "OAuth-Anwendungen" #: actions/oauthappssettings.php:85 msgid "Applications you have registered" @@ -2341,8 +2339,8 @@ msgstr "Content-Typ " msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "Kein unterstütztes Datenformat." @@ -2486,7 +2484,7 @@ msgstr "Konnte neues Passwort nicht speichern" msgid "Password saved." msgstr "Passwort gespeichert." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "" @@ -2519,7 +2517,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Ungültiger SSL-Server. Die maximale Länge ist 255 Zeichen." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Seite" @@ -2694,7 +2692,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 Kleinbuchstaben oder Ziffern, keine Sonder- oder Leerzeichen" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Vollständiger Name" @@ -2723,7 +2721,7 @@ msgid "Bio" msgstr "Biografie" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3317,7 +3315,7 @@ msgid "User is already sandboxed." msgstr "Dieser Benutzer hat dich blockiert." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3376,7 +3374,7 @@ msgstr "Seitenerstellung" msgid "Description" msgstr "Beschreibung" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statistiken" @@ -3489,67 +3487,67 @@ msgstr "%s Gruppe" msgid "%1$s group, page %2$d" msgstr "%s Gruppen-Mitglieder, Seite %d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "Gruppenprofil" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Nachricht" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "Gruppenaktionen" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Nachrichtenfeed der Gruppe %s (RSS 1.0)" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Nachrichtenfeed der Gruppe %s (RSS 2.0)" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Nachrichtenfeed der Gruppe %s (Atom)" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "Postausgang von %s" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "Mitglieder" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Kein)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "Alle Mitglieder" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "Erstellt" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3559,7 +3557,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3572,7 +3570,7 @@ msgstr "" "Freien Software [StatusNet](http://status.net/). Seine Mitglieder erstellen " "kurze Nachrichten über Ihr Leben und Interessen. " -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "Administratoren" @@ -4117,7 +4115,7 @@ msgstr "" msgid "No such tag." msgstr "Tag nicht vorhanden." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "API-Methode im Aufbau." @@ -4150,7 +4148,7 @@ msgstr "" "Die Nachrichtenlizenz '%s' ist nicht kompatibel mit der Lizenz der Seite '%" "s'." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "Benutzer" @@ -4440,6 +4438,11 @@ msgstr "Konnte Gruppe nicht aktualisieren." msgid "Group leave failed." msgstr "Gruppenprofil" +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "Konnte Gruppe nicht aktualisieren." + #: classes/Login_token.php:76 #, fuzzy, php-format msgid "Could not create login token for %s" @@ -4458,27 +4461,27 @@ msgstr "Konnte Nachricht nicht einfügen." msgid "Could not update message with new URI." msgstr "Konnte Nachricht nicht mit neuer URI versehen." -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Datenbankfehler beim Einfügen des Hashtags: %s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 msgid "Problem saving notice. Too long." msgstr "Problem bei Speichern der Nachricht. Sie ist zu lang." -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "Problem bei Speichern der Nachricht. Unbekannter Benutzer." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Zu schnell zu viele Nachrichten; atme kurz durch und schicke sie erneut in " "ein paar Minuten ab." -#: classes/Notice.php:237 +#: classes/Notice.php:254 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4487,21 +4490,21 @@ msgstr "" "Zu schnell zu viele Nachrichten; atme kurz durch und schicke sie erneut in " "ein paar Minuten ab." -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "" "Du wurdest für das Schreiben von Nachrichten auf dieser Seite gesperrt." -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "Problem bei Speichern der Nachricht." -#: classes/Notice.php:882 +#: classes/Notice.php:911 #, fuzzy msgid "Problem saving group inbox." msgstr "Problem bei Speichern der Nachricht." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4532,19 +4535,29 @@ msgstr "Konnte Abonnement nicht löschen." msgid "Couldn't delete subscription." msgstr "Konnte Abonnement nicht löschen." -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Herzlich willkommen bei %1$s, @%2$s!" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "Konnte Gruppe nicht erstellen." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "Konnte Gruppenmitgliedschaft nicht setzen." + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Konnte Gruppenmitgliedschaft nicht setzen." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "Konnte Abonnement nicht erstellen." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "Ändern der Profileinstellungen" @@ -4767,15 +4780,15 @@ msgstr "Später" msgid "Before" msgstr "Vorher" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4801,41 +4814,41 @@ msgstr "saveSettings() noch nicht implementiert." msgid "Unable to delete design setting." msgstr "Konnte die Design Einstellungen nicht löschen." -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 #, fuzzy msgid "Basic site configuration" msgstr "Bestätigung der E-Mail-Adresse" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 #, fuzzy msgid "Design configuration" msgstr "SMS-Konfiguration" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 #, fuzzy msgid "User configuration" msgstr "SMS-Konfiguration" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Access configuration" msgstr "SMS-Konfiguration" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 #, fuzzy msgid "Paths configuration" msgstr "SMS-Konfiguration" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Sessions configuration" msgstr "SMS-Konfiguration" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5419,23 +5432,23 @@ msgstr "Systemfehler beim hochladen der Datei." msgid "Not an image or corrupt file." msgstr "Kein Bild oder defekte Datei." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "Bildformat wird nicht unterstützt." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "Daten verloren." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "Unbekannter Dateityp" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "MB" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "kB" @@ -6007,7 +6020,7 @@ msgstr "Diese Nachricht wiederholen?" msgid "Repeat this notice" msgstr "Diese Nachricht wiederholen" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/el/LC_MESSAGES/statusnet.po b/locale/el/LC_MESSAGES/statusnet.po index 6ff718d45..716cecb44 100644 --- a/locale/el/LC_MESSAGES/statusnet.po +++ b/locale/el/LC_MESSAGES/statusnet.po @@ -9,18 +9,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:50:24+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:33:17+0000\n" "Language-Team: Greek\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: el\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "ΠÏόσβαση" @@ -94,14 +94,15 @@ msgstr "Δεν υπάÏχει τέτοια σελίδα" #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "Κανένας τέτοιος χÏήστης." @@ -177,20 +178,20 @@ msgstr "" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Η μέθοδος του ΑΡΙ δε βÏέθηκε!" @@ -224,8 +225,9 @@ msgstr "Απέτυχε η ενημέÏωση του χÏήστη." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "" @@ -250,7 +252,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -366,68 +368,68 @@ msgstr "Απέτυχε η ενημέÏωση του χÏήστη." msgid "Could not find target user." msgstr "Απέτυχε η εÏÏεση οποιασδήποτε κατάστασης." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "Το ψευδώνυμο Ï€Ïέπει να έχει μόνο πεζοÏÏ‚ χαÏακτήÏες και χωÏίς κενά." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "Το ψευδώνυμο είναι ήδη σε χÏήση. Δοκιμάστε κάποιο άλλο." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "" -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "Η αÏχική σελίδα δεν είναι έγκυÏο URL." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "Το ονοματεπώνυμο είναι Ï€Î¿Î»Ï Î¼ÎµÎ³Î¬Î»Î¿ (μέγιστο 255 χαÏακτ.)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "Η πεÏιγÏαφή είναι Ï€Î¿Î»Ï Î¼ÎµÎ³Î¬Î»Î· (μέγιστο %d χαÏακτ.)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "Η τοποθεσία είναι Ï€Î¿Î»Ï Î¼ÎµÎ³Î¬Î»Î· (μέγιστο 255 χαÏακτ.)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "" -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, fuzzy, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Το ψευδώνυμο είναι ήδη σε χÏήση. Δοκιμάστε κάποιο άλλο." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "" @@ -438,15 +440,15 @@ msgstr "" msgid "Group not found!" msgstr "Η ομάδα δεν βÏέθηκε!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "" -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "" -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, fuzzy, php-format msgid "Could not join user %1$s to group %2$s." msgstr "ΑδÏνατη η αποθήκευση των νέων πληÏοφοÏιών του Ï€Ïοφίλ" @@ -455,7 +457,7 @@ msgstr "ΑδÏνατη η αποθήκευση των νέων πληÏÎ¿Ï†Î¿Ï msgid "You are not a member of this group." msgstr "" -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, fuzzy, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." @@ -487,7 +489,7 @@ msgstr "Μήνυμα" #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -530,7 +532,7 @@ msgstr "" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -559,7 +561,7 @@ msgstr "ΛογαÏιασμός" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -643,12 +645,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "" #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "χÏονοδιάγÏαμμα του χÏήστη %s" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -705,8 +707,7 @@ msgstr "" #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "" @@ -718,7 +719,7 @@ msgstr "" msgid "Invalid size." msgstr "" -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "" @@ -735,17 +736,17 @@ msgid "User without matching profile" msgstr "" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Ρυθμίσεις του άβαταÏ" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "" @@ -754,11 +755,11 @@ msgstr "" msgid "Delete" msgstr "ΔιαγÏαφή" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "" @@ -766,7 +767,7 @@ msgstr "" msgid "Pick a square area of the image to be your avatar" msgstr "" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "" @@ -800,23 +801,23 @@ msgid "" msgstr "" #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "Όχι" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 #, fuzzy msgid "Do not block this user" msgstr "Αδυναμία διαγÏαφής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… μηνÏματος." #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Îαι" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "" @@ -824,40 +825,44 @@ msgstr "" msgid "Failed to save block information." msgstr "" -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 #, fuzzy msgid "No such group." msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, fuzzy, php-format msgid "%s blocked profiles" msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, fuzzy, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%s και οι φίλοι του/της" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "" -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "" @@ -1013,18 +1018,18 @@ msgstr "" msgid "Delete user" msgstr "ΔιαγÏαφή χÏήστη" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "ΔιαγÏάψτε αυτόν τον χÏήστη" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1227,31 +1232,31 @@ msgstr "" msgid "You must be logged in to create a group." msgstr "" -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "" -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "" -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, fuzzy, php-format msgid "description is too long (max %d chars)." msgstr "Το βιογÏαφικό είναι Ï€Î¿Î»Ï Î¼ÎµÎ³Î¬Î»Î¿ (μέγιστο 140 χαÏακτ.)." -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 #, fuzzy msgid "Could not update group." msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 #, fuzzy msgid "Could not create aliases." msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "" @@ -1593,7 +1598,7 @@ msgstr "" msgid "User is not a member of group." msgstr "" -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "" @@ -1625,90 +1630,90 @@ msgstr "" msgid "You must be logged in to edit a group." msgstr "" -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "" -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 #, fuzzy msgid "Couldn't update your design." msgstr "Απέτυχε η ενημέÏωση του χÏήστη." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 #, fuzzy msgid "Design preferences saved." msgstr "Οι Ï€Ïοτιμήσεις αποθηκεÏτηκαν" -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "" -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 msgid "User without matching profile." msgstr "" -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "" -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 #, fuzzy msgid "Logo updated." msgstr "ΑποσÏνδεση" -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "" -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "ΔιαχειÏιστής" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 #, fuzzy msgid "Make Admin" msgstr "ΔιαχειÏιστής" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "" @@ -1997,7 +2002,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "" -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Μήνυμα" + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "" @@ -2006,11 +2016,11 @@ msgstr "" msgid "You must be logged in to leave a group." msgstr "" -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "" -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, php-format msgid "%1$s left group %2$s" msgstr "" @@ -2276,8 +2286,8 @@ msgstr "ΣÏνδεση" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "" @@ -2423,7 +2433,7 @@ msgstr "ΑδÏνατη η αποθήκευση του νέου κωδικοÏ" msgid "Password saved." msgstr "Ο κωδικός αποθηκεÏτηκε." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "" @@ -2456,7 +2466,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "" @@ -2631,7 +2641,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 μικÏά γÏάμματα ή αÏιθμοί, χωÏίς σημεία στίξης ή κενά" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Ονοματεπώνυμο" @@ -2660,7 +2670,7 @@ msgid "Bio" msgstr "ΒιογÏαφικό" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3237,7 +3247,7 @@ msgid "User is already sandboxed." msgstr "" #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3295,7 +3305,7 @@ msgstr "ΠÏοσκλήσεις" msgid "Description" msgstr "ΠεÏιγÏαφή" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "" @@ -3407,68 +3417,68 @@ msgstr "" msgid "%1$s group, page %2$d" msgstr "ΑδÏνατη η αποθήκευση των νέων πληÏοφοÏιών του Ï€Ïοφίλ" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 #, fuzzy msgid "Group profile" msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "Μέλη" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "ΔημιουÏγημένος" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3478,7 +3488,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3487,7 +3497,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "ΔιαχειÏιστές" @@ -4010,7 +4020,7 @@ msgstr "" msgid "No such tag." msgstr "" -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "Η μέθοδος του ΑΡΙ είναι υπό κατασκευή." @@ -4041,7 +4051,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "" @@ -4323,6 +4333,11 @@ msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." msgid "Group leave failed." msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." + #: classes/Login_token.php:76 #, fuzzy, php-format msgid "Could not create login token for %s" @@ -4340,43 +4355,43 @@ msgstr "" msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Σφάλμα στη βάση δεδομένων κατά την εισαγωγή hashtag: %s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "" -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:882 +#: classes/Notice.php:911 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4407,20 +4422,30 @@ msgstr "Απέτυχε η διαγÏαφή συνδÏομής." msgid "Couldn't delete subscription." msgstr "Απέτυχε η διαγÏαφή συνδÏομής." -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "Δεν ήταν δυνατή η δημιουÏγία ομάδας." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "ΑδÏνατη η αποθήκευση των νέων πληÏοφοÏιών του Ï€Ïοφίλ" + +#: classes/User_group.php:492 #, fuzzy msgid "Could not set group membership." msgstr "ΑδÏνατη η αποθήκευση των νέων πληÏοφοÏιών του Ï€Ïοφίλ" +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "ΑδÏνατη η αποθήκευση των νέων πληÏοφοÏιών του Ï€Ïοφίλ" + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "Αλλάξτε τις Ïυθμίσεις του Ï€Ïοφίλ σας" @@ -4637,15 +4662,15 @@ msgstr "" msgid "Before" msgstr "" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4669,41 +4694,41 @@ msgstr "" msgid "Unable to delete design setting." msgstr "" -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 #, fuzzy msgid "Basic site configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 #, fuzzy msgid "Design configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 #, fuzzy msgid "User configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Access configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 #, fuzzy msgid "Paths configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Sessions configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5279,24 +5304,24 @@ msgstr "" msgid "Not an image or corrupt file." msgstr "" -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "" -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 #, fuzzy msgid "Lost our file." msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "" @@ -5807,7 +5832,7 @@ msgstr "Αδυναμία διαγÏαφής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… μηνÏματος msgid "Repeat this notice" msgstr "Αδυναμία διαγÏαφής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… μηνÏματος." -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index 98e7790f2..b4689e43d 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -10,18 +10,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:50:27+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:33:19+0000\n" "Language-Team: British English\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "Access" @@ -92,14 +92,15 @@ msgstr "No such page" #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "No such user." @@ -182,20 +183,20 @@ msgstr "Updates from %1$s and friends on %2$s!" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 msgid "API method not found." msgstr "API method not found." @@ -230,8 +231,9 @@ msgstr "Couldn't update user." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "User has no profile." @@ -258,7 +260,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -368,68 +370,68 @@ msgstr "Could not determine source user." msgid "Could not find target user." msgstr "Could not find target user." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "Nickname must have only lowercase letters and numbers, and no spaces." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "Nickname already in use. Try another one." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Not a valid nickname." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "Homepage is not a valid URL." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "Full name is too long (max 255 chars)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "Description is too long (max %d chars)" -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "Location is too long (max 255 chars)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "Too many aliases! Maximum %d." -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Invalid alias: \"%s\"" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Alias \"%s\" already in use. Try another one." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "Alias can't be the same as nickname." @@ -440,15 +442,15 @@ msgstr "Alias can't be the same as nickname." msgid "Group not found!" msgstr "Group not found!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "You are already a member of that group." -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "You have been blocked from that group by the admin." -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, php-format msgid "Could not join user %1$s to group %2$s." msgstr "Could not join user %1$s to group %2$s." @@ -457,7 +459,7 @@ msgstr "Could not join user %1$s to group %2$s." msgid "You are not a member of this group." msgstr "You are not a member of this group." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "Could not remove user %1$s to group %2$s." @@ -488,7 +490,7 @@ msgstr "Invalid token." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -531,7 +533,7 @@ msgstr "The request token %s has been denied and revoked." #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -563,7 +565,7 @@ msgstr "Account" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -645,12 +647,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s updates favourited by %2$s / %2$s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "%s timeline" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -707,8 +709,7 @@ msgstr "No such attachment." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "No nickname." @@ -720,7 +721,7 @@ msgstr "No size." msgid "Invalid size." msgstr "Invalid size." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Avatar" @@ -737,17 +738,17 @@ msgid "User without matching profile" msgstr "User without matching profile" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Avatar settings" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Original" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Preview" @@ -756,11 +757,11 @@ msgstr "Preview" msgid "Delete" msgstr "Delete" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Upload" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "Crop" @@ -768,7 +769,7 @@ msgstr "Crop" msgid "Pick a square area of the image to be your avatar" msgstr "Pick a square area of the image to be your avatar" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Lost our file data." @@ -803,22 +804,22 @@ msgstr "" "will not be notified of any @-replies from them." #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "No" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "Do not block this user" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Yes" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "Block this user" @@ -826,39 +827,43 @@ msgstr "Block this user" msgid "Failed to save block information." msgstr "Failed to save block information." -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "No such group." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "%s blocked profiles" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s blocked profiles, page %2$d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "A list of the users blocked from joining this group." -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "Unblock user from group" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "Unblock" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "Unblock this user" @@ -1009,7 +1014,7 @@ msgstr "You can only delete local users." msgid "Delete user" msgstr "Delete user" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." @@ -1017,12 +1022,12 @@ msgstr "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "Delete this user" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "Design" @@ -1216,29 +1221,29 @@ msgstr "Edit %s group" msgid "You must be logged in to create a group." msgstr "You must be logged in to create a group." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "You must be an admin to edit the group." -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "Use this form to edit the group." -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "description is too long (max %d chars)." -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "Could not update group." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "Could not create aliases" -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "Options saved." @@ -1580,7 +1585,7 @@ msgstr "User is already blocked from group." msgid "User is not a member of group." msgstr "User is not a member of group." -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 #, fuzzy msgid "Block user from group" msgstr "Block user" @@ -1618,12 +1623,12 @@ msgstr "No ID" msgid "You must be logged in to edit a group." msgstr "You must be logged in to create a group." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 #, fuzzy msgid "Group design" msgstr "Groups" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." @@ -1631,82 +1636,82 @@ msgstr "" "Customise the way your group looks with a background image and a colour " "palette of your choice." -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 #, fuzzy msgid "Couldn't update your design." msgstr "Couldn't update user." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 #, fuzzy msgid "Design preferences saved." msgstr "Sync preferences saved." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "Group logo" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, fuzzy, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "You can upload a logo image for your group." -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 #, fuzzy msgid "User without matching profile." msgstr "User without matching profile" -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 #, fuzzy msgid "Pick a square area of the image to be the logo." msgstr "Pick a square area of the image to be your avatar" -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "Logo updated." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "Failed updating logo." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "%s group members" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, fuzzy, php-format msgid "%1$s group members, page %2$d" msgstr "%s group members, page %d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "A list of the users in this group." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "Block" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 #, fuzzy msgid "Make user an admin of the group" msgstr "You must be an admin to edit the group" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 #, fuzzy msgid "Make Admin" msgstr "Admin" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Updates from %1$s on %2$s!" @@ -2034,7 +2039,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "You must be logged in to join a group." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "No nickname." + +#: actions/joingroup.php:141 #, fuzzy, php-format msgid "%1$s joined group %2$s" msgstr "%s joined group %s" @@ -2043,11 +2053,11 @@ msgstr "%s joined group %s" msgid "You must be logged in to leave a group." msgstr "You must be logged in to leave a group." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "You are not a member of that group." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, fuzzy, php-format msgid "%1$s left group %2$s" msgstr "%s left group %s" @@ -2322,8 +2332,8 @@ msgstr "Connect" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "Not a supported data format." @@ -2469,7 +2479,7 @@ msgstr "Can't save new password." msgid "Password saved." msgstr "Password saved." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "" @@ -2502,7 +2512,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 #, fuzzy msgid "Site" msgstr "Invite" @@ -2679,7 +2689,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 lowercase letters or numbers, no punctuation or spaces" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Full name" @@ -2707,7 +2717,7 @@ msgid "Bio" msgstr "Bio" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3302,7 +3312,7 @@ msgid "User is already sandboxed." msgstr "User is already sandboxed." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3362,7 +3372,7 @@ msgstr "Pagination" msgid "Description" msgstr "Description" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statistics" @@ -3481,67 +3491,67 @@ msgstr "%s group" msgid "%1$s group, page %2$d" msgstr "%s group members, page %d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "Group profile" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Note" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "Group actions" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Notice feed for %s group" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Notice feed for %s group" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "Notice feed for %s group" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "Outbox for %s" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "Members" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(None)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "All members" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "Created" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3556,7 +3566,7 @@ msgstr "" "their life and interests. [Join now](%%%%action.register%%%%) to become part " "of this group and many more! ([Read more](%%%%doc.help%%%%))" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3567,7 +3577,7 @@ msgstr "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." "wikipedia.org/wiki/Micro-blogging) service " -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 #, fuzzy msgid "Admins" msgstr "Admin" @@ -4109,7 +4119,7 @@ msgstr "Use this form to add tags to your subscribers or subscriptions." msgid "No such tag." msgstr "No such tag." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "API method under construction." @@ -4142,7 +4152,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "Notice licence ‘%s’ is not compatible with site licence ‘%s’." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "User" @@ -4447,6 +4457,11 @@ msgstr "Could not update group." msgid "Group leave failed." msgstr "Group profile" +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "Could not update group." + #: classes/Login_token.php:76 #, fuzzy, php-format msgid "Could not create login token for %s" @@ -4465,27 +4480,27 @@ msgstr "Could not insert message." msgid "Could not update message with new URI." msgstr "Could not update message with new URI." -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "DB error inserting hashtag: %s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Problem saving notice." -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "Problem saving notice. Unknown user." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Too many notices too fast; take a breather and post again in a few minutes." -#: classes/Notice.php:237 +#: classes/Notice.php:254 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4493,20 +4508,20 @@ msgid "" msgstr "" "Too many notices too fast; take a breather and post again in a few minutes." -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "You are banned from posting notices on this site." -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "Problem saving notice." -#: classes/Notice.php:882 +#: classes/Notice.php:911 #, fuzzy msgid "Problem saving group inbox." msgstr "Problem saving notice." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4537,19 +4552,29 @@ msgstr "Couldn't delete subscription." msgid "Couldn't delete subscription." msgstr "Couldn't delete subscription." -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Welcome to %1$s, @%2$s!" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "Could not create group." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "Could not set group membership." + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Could not set group membership." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "Could not save subscription." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "Change your profile settings" @@ -4769,15 +4794,15 @@ msgstr "After" msgid "Before" msgstr "Before" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4806,40 +4831,40 @@ msgstr "Command not yet implemented." msgid "Unable to delete design setting." msgstr "Unable to save your design settings!" -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 #, fuzzy msgid "Basic site configuration" msgstr "E-mail address confirmation" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "Design configuration" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 #, fuzzy msgid "User configuration" msgstr "SMS confirmation" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Access configuration" msgstr "Design configuration" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 #, fuzzy msgid "Paths configuration" msgstr "SMS confirmation" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Sessions configuration" msgstr "Design configuration" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5419,23 +5444,23 @@ msgstr "System error uploading file." msgid "Not an image or corrupt file." msgstr "Not an image or corrupt file." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "Unsupported image file format." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "Lost our file." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "Unknown file type" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "" @@ -5968,7 +5993,7 @@ msgstr "Reply to this notice" msgid "Repeat this notice" msgstr "Reply to this notice" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index b5e0469b6..6d74d9072 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -12,18 +12,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:50:30+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:33:23+0000\n" "Language-Team: Spanish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "Acceder" @@ -94,14 +94,15 @@ msgstr "No existe tal página" #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "No existe ese usuario." @@ -185,20 +186,20 @@ msgstr "¡Actualizaciones de %1$s y amigos en %2$s!" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 msgid "API method not found." msgstr "Método de API no encontrado." @@ -232,8 +233,9 @@ msgstr "No se pudo actualizar el usuario." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "El usuario no tiene un perfil." @@ -259,7 +261,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -369,7 +371,7 @@ msgstr "No se pudo determinar el usuario fuente." msgid "Could not find target user." msgstr "No se pudo encontrar ningún usuario de destino." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." @@ -377,62 +379,62 @@ msgstr "" "El usuario debe tener solamente letras minúsculas y números y no puede tener " "espacios." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "El usuario ya existe. Prueba con otro." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Usuario inválido" -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "La página de inicio no es un URL válido." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "Tu nombre es demasiado largo (max. 255 carac.)" -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "La descripción es demasiado larga (máx. %d caracteres)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "La ubicación es demasiado larga (máx. 255 caracteres)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "¡Muchos seudónimos! El máximo es %d." -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Alias inválido: \"%s\"" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "El alias \"%s\" ya está en uso. Intenta usar otro." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "El alias no puede ser el mismo que el usuario." @@ -443,15 +445,15 @@ msgstr "El alias no puede ser el mismo que el usuario." msgid "Group not found!" msgstr "¡No se ha encontrado el grupo!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "Ya eres miembro de ese grupo" -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "Has sido bloqueado de ese grupo por el administrador." -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, php-format msgid "Could not join user %1$s to group %2$s." msgstr "No se pudo unir el usuario %s al grupo %s" @@ -460,7 +462,7 @@ msgstr "No se pudo unir el usuario %s al grupo %s" msgid "You are not a member of this group." msgstr "No eres miembro de este grupo." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "No se pudo eliminar al usuario %1$s del grupo %2$s." @@ -491,7 +493,7 @@ msgstr "Token inválido." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -537,7 +539,7 @@ msgstr "El token de solicitud %2 ha sido denegado y revocado." #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -569,7 +571,7 @@ msgstr "Cuenta" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -653,12 +655,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s actualizaciones favoritas de %2$s / %2$s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "línea temporal de %s" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -715,8 +717,7 @@ msgstr "No existe tal archivo adjunto." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Ningún apodo." @@ -728,7 +729,7 @@ msgstr "Ningún tamaño." msgid "Invalid size." msgstr "Tamaño inválido." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Avatar" @@ -745,17 +746,17 @@ msgid "User without matching profile" msgstr "Usuario sin perfil equivalente" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Configuración de Avatar" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Original" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Vista previa" @@ -764,11 +765,11 @@ msgstr "Vista previa" msgid "Delete" msgstr "Borrar" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Cargar" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "Cortar" @@ -776,7 +777,7 @@ msgstr "Cortar" msgid "Pick a square area of the image to be your avatar" msgstr "Elige un área cuadrada de la imagen para que sea tu avatar" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Se perdió nuestros datos de archivo." @@ -811,22 +812,22 @@ msgstr "" "te notificará de ninguna de sus respuestas @." #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "No" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "No bloquear a este usuario" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Sí" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "Bloquear este usuario." @@ -834,40 +835,44 @@ msgstr "Bloquear este usuario." msgid "Failed to save block information." msgstr "No se guardó información de bloqueo." -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "No existe ese grupo." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "%s perfiles bloqueados" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s perfiles bloqueados, página %2$d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "" "Una lista de los usuarios que han sido bloqueados para unirse a este grupo." -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "Desbloquear usuario de grupo" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "Desbloquear" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "Desbloquear este usuario" @@ -1018,7 +1023,7 @@ msgstr "Sólo puedes eliminar usuarios locales." msgid "Delete user" msgstr "Borrar usuario" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." @@ -1026,12 +1031,12 @@ msgstr "" "¿Realmente deseas eliminar este usuario? Esto borrará de la base de datos " "todos los datos sobre el usuario, sin dejar una copia de seguridad." -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "Borrar este usuario" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "Diseño" @@ -1225,29 +1230,29 @@ msgstr "Editar grupo %s" msgid "You must be logged in to create a group." msgstr "Debes estar conectado para crear un grupo" -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "Para editar el grupo debes ser administrador." -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "Usa este formulario para editar el grupo." -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "La descripción es muy larga (máx. %d caracteres)." -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "No se pudo actualizar el grupo." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "No fue posible crear alias." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "Se guardó Opciones." @@ -1590,7 +1595,7 @@ msgstr "Usuario ya está bloqueado del grupo." msgid "User is not a member of group." msgstr "Usuario no es miembro del grupo" -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "Bloquear usuario de grupo" @@ -1627,11 +1632,11 @@ msgstr "Sin ID." msgid "You must be logged in to edit a group." msgstr "Debes estar conectado para editar un grupo." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "Diseño de grupo" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." @@ -1639,20 +1644,20 @@ msgstr "" "Personaliza el aspecto de tu grupo con una imagen de fondo y la paleta de " "colores que prefieras." -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 msgid "Couldn't update your design." msgstr "No fue posible actualizar tu diseño." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "Preferencias de diseño guardadas." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "Logo de grupo" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." @@ -1660,57 +1665,57 @@ msgstr "" "Puedes subir una imagen de logo para tu grupo. El tamaño máximo del archivo " "debe ser %s." -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 msgid "User without matching profile." msgstr "Usuario sin perfil coincidente." -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Elige un área cuadrada de la imagen para que sea tu logo." -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "Logo actualizado." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "Error al actualizar el logo." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "Miembros del grupo %s" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "%1$s miembros de grupo, página %2$d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "Lista de los usuarios en este grupo." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "Bloquear" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "Convertir al usuario en administrador del grupo" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "Convertir en administrador" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "Convertir a este usuario en administrador" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "¡Actualizaciones de miembros de %1$s en %2$s!" @@ -2044,7 +2049,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "Debes estar conectado para unirte a un grupo." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Ningún apodo." + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "%1$s se ha unido al grupo %2$" @@ -2053,11 +2063,11 @@ msgstr "%1$s se ha unido al grupo %2$" msgid "You must be logged in to leave a group." msgstr "Debes estar conectado para dejar un grupo." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "No eres miembro de este grupo." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, php-format msgid "%1$s left group %2$s" msgstr "%1$s ha dejado el grupo %2$s" @@ -2333,8 +2343,8 @@ msgstr "tipo de contenido " msgid "Only " msgstr "Sólo " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "No es un formato de dato soportado" @@ -2474,7 +2484,7 @@ msgstr "No se puede guardar la nueva contraseña." msgid "Password saved." msgstr "Se guardó Contraseña." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "" @@ -2507,7 +2517,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Servidor SSL no válido. La longitud máxima es de 255 caracteres." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Sitio" @@ -2683,7 +2693,7 @@ msgstr "" "1-64 letras en minúscula o números, sin signos de puntuación o espacios" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Nombre completo" @@ -2711,7 +2721,7 @@ msgid "Bio" msgstr "Biografía" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3301,7 +3311,7 @@ msgid "User is already sandboxed." msgstr "El usuario te ha bloqueado." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "Sesiones" @@ -3357,7 +3367,7 @@ msgstr "Organización" msgid "Description" msgstr "Descripción" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Estadísticas" @@ -3469,68 +3479,68 @@ msgstr "Grupo %s" msgid "%1$s group, page %2$d" msgstr "Miembros del grupo %s, página %d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "Perfil del grupo" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Nota" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "Alias" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "Acciones del grupo" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Feed de avisos de grupo %s" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Feed de avisos de grupo %s" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "Feed de avisos de grupo %s" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "Bandeja de salida para %s" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 #, fuzzy msgid "Members" msgstr "Miembros" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Ninguno)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "Todos los miembros" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "Creado" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3540,7 +3550,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3551,7 +3561,7 @@ msgstr "" "**%s** es un grupo de usuarios en %%%%site.name%%%%, un servicio [micro-" "blogging](http://en.wikipedia.org/wiki/Micro-blogging) " -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "Administradores" @@ -4087,7 +4097,7 @@ msgstr "" msgid "No such tag." msgstr "No existe ese tag." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "Método API en construcción." @@ -4119,7 +4129,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "Usuario" @@ -4408,6 +4418,11 @@ msgstr "No es parte del grupo." msgid "Group leave failed." msgstr "Perfil de grupo" +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "No se pudo actualizar el grupo." + #: classes/Login_token.php:76 #, fuzzy, php-format msgid "Could not create login token for %s" @@ -4425,27 +4440,27 @@ msgstr "No se pudo insertar mensaje." msgid "Could not update message with new URI." msgstr "No se pudo actualizar mensaje con nuevo URI." -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Error de la BD al insertar la etiqueta clave: %s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 msgid "Problem saving notice. Too long." msgstr "Ha habido un problema al guardar el mensaje. Es muy largo." -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "Ha habido un problema al guardar el mensaje. Usuario desconocido." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Demasiados avisos demasiado rápido; para y publicar nuevamente en unos " "minutos." -#: classes/Notice.php:237 +#: classes/Notice.php:254 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4454,20 +4469,20 @@ msgstr "" "Demasiados avisos demasiado rápido; para y publicar nuevamente en unos " "minutos." -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "Tienes prohibido publicar avisos en este sitio." -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "Hubo un problema al guardar el aviso." -#: classes/Notice.php:882 +#: classes/Notice.php:911 #, fuzzy msgid "Problem saving group inbox." msgstr "Hubo un problema al guardar el aviso." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4498,20 +4513,30 @@ msgstr "No se pudo eliminar la suscripción." msgid "Couldn't delete subscription." msgstr "No se pudo eliminar la suscripción." -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Bienvenido a %1$s, @%2$s!" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "No se pudo crear grupo." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "No se pudo configurar miembros de grupo." + +#: classes/User_group.php:492 #, fuzzy msgid "Could not set group membership." msgstr "No se pudo configurar miembros de grupo." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "No se ha podido guardar la suscripción." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "Cambia tus opciones de perfil" @@ -4731,15 +4756,15 @@ msgstr "Después" msgid "Before" msgstr "Antes" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4767,36 +4792,36 @@ msgstr "Todavía no se implementa comando." msgid "Unable to delete design setting." msgstr "¡No se pudo guardar tu configuración de Twitter!" -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 msgid "Basic site configuration" msgstr "Configuración básica del sitio" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "Configuración del diseño" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 msgid "User configuration" msgstr "Configuración de usuario" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 msgid "Access configuration" msgstr "Configuración de acceso" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 #, fuzzy msgid "Paths configuration" msgstr "SMS confirmación" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 msgid "Sessions configuration" msgstr "Configuración de sesiones" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5375,23 +5400,23 @@ msgstr "Error del sistema al cargar el archivo." msgid "Not an image or corrupt file." msgstr "No es una imagen o es un fichero corrupto." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "Formato de imagen no soportado." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "Se perdió nuestro archivo." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "Tipo de archivo desconocido" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "MB" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "kB" @@ -5921,7 +5946,7 @@ msgstr "Responder este aviso." msgid "Repeat this notice" msgstr "Responder este aviso." -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index 600323e43..51e1ae0d1 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:50:38+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:33:29+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian\n" "MIME-Version: 1.0\n" @@ -20,10 +20,10 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "دسترسی" @@ -97,14 +97,15 @@ msgstr "چنین صÙحه‌ای وجود ندارد" #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "چنین کاربری وجود ندارد." @@ -186,20 +187,20 @@ msgstr "به روز رسانی از %1$ Ùˆ دوستان در %2$" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 msgid "API method not found." msgstr "رابط مورد نظر پیدا نشد." @@ -231,8 +232,9 @@ msgstr "نمی‌توان کاربر را به‌هنگام‌سازی کرد." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "کاربر هیچ شناس‌نامه‌ای ندارد." @@ -257,7 +259,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -370,68 +372,68 @@ msgstr "نمی‌توان کاربر منبع را تعیین کرد." msgid "Could not find target user." msgstr "نمی‌توان کاربر هد٠را پیدا کرد." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "لقب باید شامل حرو٠کوچک Ùˆ اعداد Ùˆ بدون Ùاصله باشد." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "این لقب در حال حاضر ثبت شده است. لطÙا یکی دیگر انتخاب کنید." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "لقب نا معتبر." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "برگهٔ آغازین یک نشانی معتبر نیست." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "نام کامل طولانی است (Û²ÛµÛµ حر٠در حالت بیشینه(." -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "توصی٠بسیار زیاد است (حداکثر %d حرÙ)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "مکان طولانی است (حداکثر Û²ÛµÛµ حرÙ)" -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "نام‌های مستعار بسیار زیاد هستند! حداکثر %d." -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "نام‌مستعار غیر مجاز: «%s»" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "نام‌مستعار «%s» ازپیش گرÙته‌شده‌است. یکی دیگر را امتحان کنید." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "نام Ùˆ نام مستعار شما نمی تواند یکی باشد ." @@ -442,15 +444,15 @@ msgstr "نام Ùˆ نام مستعار شما نمی تواند یکی باشد . msgid "Group not found!" msgstr "گروه یاÙت نشد!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "شما از پیش یک عضو این گروه هستید." -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "دسترسی شما به گروه توسط مدیر آن محدود شده است." -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, fuzzy, php-format msgid "Could not join user %1$s to group %2$s." msgstr "عضویت %s در گروه %s نا موÙÙ‚ بود." @@ -459,7 +461,7 @@ msgstr "عضویت %s در گروه %s نا موÙÙ‚ بود." msgid "You are not a member of this group." msgstr "شما یک عضو این گروه نیستید." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, fuzzy, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "خارج شدن %s از گروه %s نا موÙÙ‚ بود" @@ -491,7 +493,7 @@ msgstr "اندازه‌ی نادرست" #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -533,7 +535,7 @@ msgstr "" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -562,7 +564,7 @@ msgstr "حساب کاربری" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -646,12 +648,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s به روز رسانی های دوست داشتنی %s / %s" #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "خط زمانی %s" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -708,8 +710,7 @@ msgstr "چنین پیوستی وجود ندارد." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "بدون لقب." @@ -721,7 +722,7 @@ msgstr "بدون اندازه." msgid "Invalid size." msgstr "اندازه‌ی نادرست" -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "چهره" @@ -739,17 +740,17 @@ msgid "User without matching profile" msgstr "کاربر بدون مشخصات" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "تنظیمات چهره" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "اصلی" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "پیش‌نمایش" @@ -758,11 +759,11 @@ msgstr "پیش‌نمایش" msgid "Delete" msgstr "حذÙ" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "پایین‌گذاری" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "برش" @@ -770,7 +771,7 @@ msgstr "برش" msgid "Pick a square area of the image to be your avatar" msgstr "یک مربع از عکس خود را انتخاب کنید تا چهره‌ی شما باشد." -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Ùایل اطلاعات خود را Ú¯Ù… کرده ایم." @@ -806,22 +807,22 @@ msgstr "" "نخواهید شد" #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "خیر" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "کاربر را مسدود Ù†Ú©Ù†" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "بله" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "کاربر را مسدود Ú©Ù†" @@ -829,39 +830,43 @@ msgstr "کاربر را مسدود Ú©Ù†" msgid "Failed to save block information." msgstr "" -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "چنین گروهی وجود ندارد." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "%s کاربران مسدود شده" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, fuzzy, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%s کاربران مسدود شده، صÙحه‌ی %d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "Ùهرستی از اÙراد مسدود شده در پیوستن به این گروه." -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "آزاد کردن کاربر در پیوستن به گروه" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "آزاد سازی" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "آزاد سازی کاربر" @@ -1019,7 +1024,7 @@ msgstr "شما Ùقط می‌توانید کاربران محلی را پاک Ú© msgid "Delete user" msgstr "حذ٠کاربر" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." @@ -1027,12 +1032,12 @@ msgstr "" "آیا مطمئن هستید Ú©Ù‡ می‌خواهید این کاربر را پاک کنید؟ با این کار تمام اطلاعات " "پاک Ùˆ بدون برگشت خواهند بود." -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "حذ٠این کاربر" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "طرح" @@ -1235,30 +1240,30 @@ msgstr "ویرایش گروه %s" msgid "You must be logged in to create a group." msgstr "برای ساخت یک گروه، باید وارد شده باشید." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 #, fuzzy msgid "You must be an admin to edit the group." msgstr "برای ویرایش گروه، باید یک مدیر باشید." -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "از این روش برای ویرایش گروه استÙاده کنید." -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "توصی٠بسیار زیاد است (حداکثر %d حرÙ)." -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "نمی‌توان گروه را به‌هنگام‌سازی کرد." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "نمی‌توان نام‌های مستعار را ساخت." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "گزینه‌ها ذخیره شدند." @@ -1596,7 +1601,7 @@ msgstr "هم اکنون دسترسی کاربر به گروه مسدود شده msgid "User is not a member of group." msgstr "کاربر عضو گروه نیست." -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "دسترسی کاربر به گروه را مسدود Ú©Ù†" @@ -1628,87 +1633,87 @@ msgstr "" msgid "You must be logged in to edit a group." msgstr "برای ویرایش گروه باید وارد شوید." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "ظاهر گروه" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "ظاهر گروه را تغییر دهید تا شما را راضی کند." -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 msgid "Couldn't update your design." msgstr "نمی‌توان ظاهر را به روز کرد." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "ترجیحات طرح ذخیره شد." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "نشان گروه" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "شما می‌توانید یک نشان برای گروه خود با بیشینه حجم %s بÙرستید." -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 #, fuzzy msgid "User without matching profile." msgstr "کاربر بدون مشخصات" -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "یک ناحیه‌ی مربع از تصویر را انتخاب کنید تا به عنوان نشان باشد." -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "نشان به‌هنگام‌سازی شد." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "اشکال در ارسال نشان." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "اعضای گروه %s" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, fuzzy, php-format msgid "%1$s group members, page %2$d" msgstr "اعضای گروه %sØŒ صÙحهٔ %d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "یک Ùهرست از کاربران در این گروه" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "مدیر" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "بازداشتن" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "کاربر یک مدیر گروه شود" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "مدیر شود" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "این کاربر یک مدیر شود" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "به روز رسانی کابران %1$s در %2$s" @@ -2011,7 +2016,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "برای پیوستن به یک گروه، باید وارد شده باشید." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "بدون لقب." + +#: actions/joingroup.php:141 #, fuzzy, php-format msgid "%1$s joined group %2$s" msgstr "ملحق شدن به گروه" @@ -2020,11 +2030,11 @@ msgstr "ملحق شدن به گروه" msgid "You must be logged in to leave a group." msgstr "برای ترک یک گروه، شما باید وارد شده باشید." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "شما یک کاربر این گروه نیستید." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, fuzzy, php-format msgid "%1$s left group %2$s" msgstr "%s گروه %s را ترک کرد." @@ -2300,8 +2310,8 @@ msgstr "نوع محتوا " msgid "Only " msgstr " Ùقط" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "یک قالب دادهٔ پشتیبانی‌شده نیست." @@ -2447,7 +2457,7 @@ msgstr "نمی‌توان گذرواژه جدید را ذخیره کرد." msgid "Password saved." msgstr "گذرواژه ذخیره شد." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "مسیر ها" @@ -2480,7 +2490,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "سایت" @@ -2653,7 +2663,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "Û±-Û¶Û´ کاراکتر Ú©ÙˆÚ†Ú© یا اعداد، بدون نقطه گذاری یا Ùاصله" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "نام‌کامل" @@ -2681,7 +2691,7 @@ msgid "Bio" msgstr "شرح‌حال" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3234,7 +3244,7 @@ msgid "User is already sandboxed." msgstr "" #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3294,7 +3304,7 @@ msgstr "صÙحه بندى" msgid "Description" msgstr "" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "آمار" @@ -3407,67 +3417,67 @@ msgstr "" msgid "%1$s group, page %2$d" msgstr "اعضای گروه %sØŒ صÙحهٔ %d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "نام های مستعار" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "اعضا" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "هیچ" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "همه ÛŒ اعضا" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "ساخته شد" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3477,7 +3487,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3486,7 +3496,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "" @@ -4010,7 +4020,7 @@ msgstr "" msgid "No such tag." msgstr "" -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "روش API در دست ساخت." @@ -4040,7 +4050,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "کاربر" @@ -4316,6 +4326,11 @@ msgstr "نمی‌توان گروه را به‌هنگام‌سازی کرد." msgid "Group leave failed." msgstr "" +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "نمی‌توان گروه را به‌هنگام‌سازی کرد." + #: classes/Login_token.php:76 #, fuzzy, php-format msgid "Could not create login token for %s" @@ -4333,27 +4348,27 @@ msgstr "پیغام نمی تواند درج گردد" msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:222 +#: classes/Notice.php:239 msgid "Problem saving notice. Too long." msgstr "مشکل در ذخیره کردن پیام. بسیار طولانی." -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "مشکل در ذخیره کردن پیام. کاربر نا شناخته." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "تعداد خیلی زیاد Ø¢Ú¯Ù‡ÛŒ Ùˆ بسیار سریع؛ استراحت کنید Ùˆ مجددا دقایقی دیگر ارسال " "کنید." -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4361,20 +4376,20 @@ msgstr "" "تعداد زیاد پیام های دو نسخه ای Ùˆ بسرعت؛ استراحت کنید Ùˆ دقایقی دیگر مجددا " "ارسال کنید." -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "شما از Ùرستادن پست در این سایت مردود شدید ." -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "مشکل در ذخیره کردن Ø¢Ú¯Ù‡ÛŒ." -#: classes/Notice.php:882 +#: classes/Notice.php:911 #, fuzzy msgid "Problem saving group inbox." msgstr "مشکل در ذخیره کردن Ø¢Ú¯Ù‡ÛŒ." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4403,19 +4418,29 @@ msgstr "" msgid "Couldn't delete subscription." msgstr "" -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "خوش امدید به %1$s , @%2$s!" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "نمیتوان گروه را تشکیل داد" -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "نمیتوان گروه را تشکیل داد" + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "" +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "نمی‌توان شناس‌نامه را ذخیره کرد." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "تنضبمات پروÙيلتان را تغیر دهید" @@ -4628,15 +4653,15 @@ msgstr "بعد از" msgid "Before" msgstr "قبل از" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4661,38 +4686,38 @@ msgstr "" msgid "Unable to delete design setting." msgstr "نمی توان تنظیمات طراحی شده را پاک کرد ." -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 msgid "Basic site configuration" msgstr "پیکره بندی اصلی سایت" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 #, fuzzy msgid "User configuration" msgstr "پیکره بندی اصلی سایت" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Access configuration" msgstr "پیکره بندی اصلی سایت" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 msgid "Paths configuration" msgstr "" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Sessions configuration" msgstr "پیکره بندی اصلی سایت" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5267,23 +5292,23 @@ msgstr "خطای سیستم ارسال Ùایل." msgid "Not an image or corrupt file." msgstr "تصویر یا Ùایل خرابی نیست" -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "Ùرمت(Ùایل) عکس پشتیبانی نشده." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "Ùایلمان Ú¯Ù… شده" -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "نوع Ùایل پشتیبانی نشده" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "مگابایت" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "کیلوبایت" @@ -5796,7 +5821,7 @@ msgstr "به این Ø¢Ú¯Ù‡ÛŒ جواب دهید" msgid "Repeat this notice" msgstr "" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/fi/LC_MESSAGES/statusnet.po b/locale/fi/LC_MESSAGES/statusnet.po index b92edf111..80ad8a77a 100644 --- a/locale/fi/LC_MESSAGES/statusnet.po +++ b/locale/fi/LC_MESSAGES/statusnet.po @@ -10,18 +10,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:50:33+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:33:25+0000\n" "Language-Team: Finnish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 #, fuzzy msgid "Access" msgstr "Hyväksy" @@ -99,14 +99,15 @@ msgstr "Sivua ei ole." #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "Käyttäjää ei ole." @@ -188,20 +189,20 @@ msgstr "Käyttäjän %1$s ja kavereiden päivitykset palvelussa %2$s!" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "API-metodia ei löytynyt!" @@ -235,8 +236,9 @@ msgstr "Ei voitu päivittää käyttäjää." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "Käyttäjällä ei ole profiilia." @@ -261,7 +263,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 #, fuzzy @@ -380,7 +382,7 @@ msgstr "Julkista päivitysvirtaa ei saatu." msgid "Could not find target user." msgstr "Ei löytynyt yhtään päivitystä." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." @@ -388,62 +390,62 @@ msgstr "" "Käyttäjätunnuksessa voi olla ainoastaan pieniä kirjaimia ja numeroita ilman " "välilyöntiä." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "Tunnus on jo käytössä. Yritä toista tunnusta." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Tuo ei ole kelvollinen tunnus." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "Kotisivun verkko-osoite ei ole toimiva." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "Koko nimi on liian pitkä (max 255 merkkiä)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "kuvaus on liian pitkä (max 140 merkkiä)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "Kotipaikka on liian pitkä (max 255 merkkiä)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "Liikaa aliaksia. Maksimimäärä on %d." -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Virheellinen alias: \"%s\"" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Alias \"%s\" on jo käytössä. Yritä toista aliasta." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "Alias ei voi olla sama kuin ryhmätunnus." @@ -454,15 +456,15 @@ msgstr "Alias ei voi olla sama kuin ryhmätunnus." msgid "Group not found!" msgstr "Ryhmää ei löytynyt!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "Sinä kuulut jo tähän ryhmään." -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "Sinut on estetty osallistumasta tähän ryhmään ylläpitäjän toimesta." -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, fuzzy, php-format msgid "Could not join user %1$s to group %2$s." msgstr "Käyttäjä %s ei voinut liittyä ryhmään %s." @@ -471,7 +473,7 @@ msgstr "Käyttäjä %s ei voinut liittyä ryhmään %s." msgid "You are not a member of this group." msgstr "Sinä et kuulu tähän ryhmään." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, fuzzy, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "Ei voitu poistaa käyttäjää %s ryhmästä %s" @@ -503,7 +505,7 @@ msgstr "Koko ei kelpaa." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -549,7 +551,7 @@ msgstr "" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -578,7 +580,7 @@ msgstr "Käyttäjätili" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -664,12 +666,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr " Palvelun %s päivitykset, jotka %s / %s on merkinnyt suosikikseen." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "%s aikajana" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -727,8 +729,7 @@ msgstr "Liitettä ei ole." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Tunnusta ei ole." @@ -740,7 +741,7 @@ msgstr "Kokoa ei ole." msgid "Invalid size." msgstr "Koko ei kelpaa." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Kuva" @@ -757,17 +758,17 @@ msgid "User without matching profile" msgstr "Käyttäjälle ei löydy profiilia" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Profiilikuva-asetukset" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Alkuperäinen" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Esikatselu" @@ -776,11 +777,11 @@ msgstr "Esikatselu" msgid "Delete" msgstr "Poista" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Lataa" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "Rajaa" @@ -788,7 +789,7 @@ msgstr "Rajaa" msgid "Pick a square area of the image to be your avatar" msgstr "Valitse neliön muotoinen alue kuvasta profiilikuvaksi" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Tiedoston data hävisi." @@ -821,22 +822,22 @@ msgid "" msgstr "" #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "Ei" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "Älä estä tätä käyttäjää" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Kyllä" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "Estä tämä käyttäjä" @@ -844,39 +845,43 @@ msgstr "Estä tämä käyttäjä" msgid "Failed to save block information." msgstr "Käyttäjän estotiedon tallennus epäonnistui." -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "Tuota ryhmää ei ole." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, fuzzy, php-format msgid "%s blocked profiles" msgstr "Käyttäjän profiili" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, fuzzy, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%s ja kaverit, sivu %d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "Lista käyttäjistä, jotka ovat estetty liittymästä tähän ryhmään." -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "Poista käyttäjän esto ryhmästä" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "Poista esto" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "Poista esto tältä käyttäjältä" @@ -1034,19 +1039,19 @@ msgstr "Et voi poistaa toisen käyttäjän päivitystä." msgid "Delete user" msgstr "Poista käyttäjä" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 #, fuzzy msgid "Delete this user" msgstr "Poista tämä päivitys" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "Ulkoasu" @@ -1257,30 +1262,30 @@ msgstr "Muokkaa ryhmää %s" msgid "You must be logged in to create a group." msgstr "Sinun pitää olla kirjautunut sisään jotta voit luoda ryhmän." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 #, fuzzy msgid "You must be an admin to edit the group." msgstr "Sinun pitää olla ylläpitäjä, jotta voit muokata ryhmää" -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "Käytä tätä lomaketta muokataksesi ryhmää." -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "kuvaus on liian pitkä (max %d merkkiä)." -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "Ei voitu päivittää ryhmää." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "Ei voitu lisätä aliasta." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "Asetukset tallennettu." @@ -1627,7 +1632,7 @@ msgstr "Käyttäjä on asettanut eston sinulle." msgid "User is not a member of group." msgstr "Käyttäjä ei kuulu tähän ryhmään." -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "Estä käyttäjä ryhmästä" @@ -1661,87 +1666,87 @@ msgid "You must be logged in to edit a group." msgstr "" "Sinun pitää olla kirjautunut sisään, jotta voit muuttaa ryhmän tietoja." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "Ryhmän ulkoasu" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "" -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 msgid "Couldn't update your design." msgstr "Ei voitu päivittää sinun sivusi ulkoasua." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "Ulkoasuasetukset tallennettu." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "Ryhmän logo" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "Voit ladata ryhmälle logokuvan. Maksimikoko on %s." -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 #, fuzzy msgid "User without matching profile." msgstr "Käyttäjälle ei löydy profiilia" -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Valitse neliön muotoinen alue kuvasta logokuvaksi" -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "Logo päivitetty." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "Logon päivittäminen epäonnistui." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "Ryhmän %s jäsenet" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, fuzzy, php-format msgid "%1$s group members, page %2$d" msgstr "Ryhmän %s jäsenet, sivu %d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "Lista ryhmän käyttäjistä." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Ylläpito" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "Estä" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "Tee tästä käyttäjästä ylläpitäjä" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "Tee ylläpitäjäksi" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "Tee tästä käyttäjästä ylläpitäjä" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Ryhmän %1$s käyttäjien päivitykset palvelussa %2$s!" @@ -2071,7 +2076,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "Sinun pitää olla kirjautunut sisään, jos haluat liittyä ryhmään." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Tunnusta ei ole." + +#: actions/joingroup.php:141 #, fuzzy, php-format msgid "%1$s joined group %2$s" msgstr "%s liittyi ryhmään %s" @@ -2080,11 +2090,11 @@ msgstr "%s liittyi ryhmään %s" msgid "You must be logged in to leave a group." msgstr "Sinun pitää olla kirjautunut sisään, jotta voit erota ryhmästä." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "Sinä et kuulu tähän ryhmään." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, fuzzy, php-format msgid "%1$s left group %2$s" msgstr "%s erosi ryhmästä %s" @@ -2364,8 +2374,8 @@ msgstr "Yhdistä" msgid "Only " msgstr "Vain " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "Tuo ei ole tuettu tietomuoto." @@ -2511,7 +2521,7 @@ msgstr "Uutta salasanaa ei voida tallentaa." msgid "Password saved." msgstr "Salasana tallennettu." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "Polut" @@ -2544,7 +2554,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 #, fuzzy msgid "Site" msgstr "Kutsu" @@ -2732,7 +2742,7 @@ msgstr "" "välilyöntejä" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Koko nimi" @@ -2760,7 +2770,7 @@ msgid "Bio" msgstr "Tietoja" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3360,7 +3370,7 @@ msgid "User is already sandboxed." msgstr "Käyttäjä on asettanut eston sinulle." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3421,7 +3431,7 @@ msgstr "Sivutus" msgid "Description" msgstr "Kuvaus" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Tilastot" @@ -3533,67 +3543,67 @@ msgstr "Ryhmä %s" msgid "%1$s group, page %2$d" msgstr "Ryhmän %s jäsenet, sivu %d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "Ryhmän profiili" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Huomaa" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "Aliakset" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "Ryhmän toiminnot" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Syöte ryhmän %s päivityksille (RSS 1.0)" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Syöte ryhmän %s päivityksille (RSS 2.0)" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Syöte ryhmän %s päivityksille (Atom)" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "Käyttäjän %s lähetetyt viestit" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "Jäsenet" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Tyhjä)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "Kaikki jäsenet" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "Luotu" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3603,7 +3613,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3614,7 +3624,7 @@ msgstr "" "**%s** on ryhmä palvelussa %%%%site.name%%%%, joka on [mikroblogauspalvelu]" "(http://en.wikipedia.org/wiki/Micro-blogging)" -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "Ylläpitäjät" @@ -4157,7 +4167,7 @@ msgstr "" msgid "No such tag." msgstr "Tuota tagia ei ole." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "API-metodi on työn alla!" @@ -4190,7 +4200,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "Käyttäjä" @@ -4487,6 +4497,11 @@ msgstr "Ei voitu päivittää ryhmää." msgid "Group leave failed." msgstr "Ryhmän profiili" +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "Ei voitu päivittää ryhmää." + #: classes/Login_token.php:76 #, fuzzy, php-format msgid "Could not create login token for %s" @@ -4505,28 +4520,28 @@ msgstr "Viestin tallennus ei onnistunut." msgid "Could not update message with new URI." msgstr "Viestin päivittäminen uudella URI-osoitteella ei onnistunut." -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Tietokantavirhe tallennettaessa risutagiä: %s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Ongelma päivityksen tallentamisessa." -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "Virhe tapahtui päivityksen tallennuksessa. Tuntematon käyttäjä." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Liian monta päivitystä liian nopeasti; pidä pieni hengähdystauko ja jatka " "päivityksien lähettämista muutaman minuutin päästä." -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4534,20 +4549,20 @@ msgstr "" "Liian monta päivitystä liian nopeasti; pidä pieni hengähdystauko ja jatka " "päivityksien lähettämista muutaman minuutin päästä." -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "Päivityksesi tähän palveluun on estetty." -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "Ongelma päivityksen tallentamisessa." -#: classes/Notice.php:882 +#: classes/Notice.php:911 #, fuzzy msgid "Problem saving group inbox." msgstr "Ongelma päivityksen tallentamisessa." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4579,19 +4594,29 @@ msgstr "Ei voitu poistaa tilausta." msgid "Couldn't delete subscription." msgstr "Ei voitu poistaa tilausta." -#: classes/User.php:372 +#: classes/User.php:373 #, fuzzy, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Viesti käyttäjälle %1$s, %2$s" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "Ryhmän luonti ei onnistunut." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "Ryhmän jäsenyystietoja ei voitu asettaa." + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Ryhmän jäsenyystietoja ei voitu asettaa." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "Tilausta ei onnistuttu tallentamaan." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "Vaihda profiiliasetuksesi" @@ -4814,15 +4839,15 @@ msgstr "Myöhemmin" msgid "Before" msgstr "Aiemmin" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4851,41 +4876,41 @@ msgstr "Komentoa ei ole vielä toteutettu." msgid "Unable to delete design setting." msgstr "Twitter-asetuksia ei voitu tallentaa!" -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 #, fuzzy msgid "Basic site configuration" msgstr "Sähköpostiosoitteen vahvistus" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 #, fuzzy msgid "Design configuration" msgstr "SMS vahvistus" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 #, fuzzy msgid "User configuration" msgstr "SMS vahvistus" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Access configuration" msgstr "SMS vahvistus" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 #, fuzzy msgid "Paths configuration" msgstr "SMS vahvistus" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Sessions configuration" msgstr "SMS vahvistus" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5475,23 +5500,23 @@ msgstr "Tiedoston lähetyksessä tapahtui järjestelmävirhe." msgid "Not an image or corrupt file." msgstr "Tuo ei ole kelvollinen kuva tai tiedosto on rikkoutunut." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "Kuvatiedoston formaattia ei ole tuettu." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "Tiedosto hävisi." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "Tunnistamaton tiedoston tyyppi" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "" @@ -6027,7 +6052,7 @@ msgstr "Vastaa tähän päivitykseen" msgid "Repeat this notice" msgstr "Vastaa tähän päivitykseen" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index f5b771140..1ef28d751 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -14,18 +14,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-25 11:54+0000\n" -"PO-Revision-Date: 2010-02-25 11:55:22+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:33:36+0000\n" "Language-Team: French\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62948); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "Accès" @@ -96,14 +96,15 @@ msgstr "Page non trouvée" #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "Utilisateur non trouvé." @@ -188,20 +189,20 @@ msgstr "Statuts de %1$s et ses amis dans %2$s!" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 msgid "API method not found." msgstr "Méthode API non trouvée !" @@ -235,8 +236,9 @@ msgstr "Impossible de mettre à jour l’utilisateur." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "Aucun profil ne correspond à cet utilisateur." @@ -262,7 +264,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -374,7 +376,7 @@ msgstr "Impossible de déterminer l’utilisateur source." msgid "Could not find target user." msgstr "Impossible de trouver l’utilisateur cible." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." @@ -382,62 +384,62 @@ msgstr "" "Les pseudos ne peuvent contenir que des caractères minuscules et des " "chiffres, sans espaces." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "Pseudo déjà utilisé. Essayez-en un autre." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Pseudo invalide." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "L’adresse du site personnel n’est pas un URL valide. " -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "Nom complet trop long (maximum de 255 caractères)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "La description est trop longue (%d caractères maximum)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "Emplacement trop long (maximum de 255 caractères)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "Trop d’alias ! Maximum %d." -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Alias invalide : « %s »" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Alias « %s » déjà utilisé. Essayez-en un autre." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "L’alias ne peut pas être le même que le pseudo." @@ -448,15 +450,15 @@ msgstr "L’alias ne peut pas être le même que le pseudo." msgid "Group not found!" msgstr "Groupe non trouvé !" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "Vous êtes déjà membre de ce groupe." -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "Vous avez été bloqué de ce groupe par l’administrateur." -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, php-format msgid "Could not join user %1$s to group %2$s." msgstr "Impossible de joindre l’utilisateur %1$s au groupe %2$s." @@ -465,7 +467,7 @@ msgstr "Impossible de joindre l’utilisateur %1$s au groupe %2$s." msgid "You are not a member of this group." msgstr "Vous n’êtes pas membre de ce groupe." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "Impossible de retirer l’utilisateur %1$s du groupe %2$s." @@ -496,7 +498,7 @@ msgstr "Jeton incorrect." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -544,7 +546,7 @@ msgstr "Le jeton de connexion %s a été refusé et révoqué." #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -578,7 +580,7 @@ msgstr "Compte" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -662,12 +664,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s statuts favoris de %2$s / %2$s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "Activité de %s" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -724,8 +726,7 @@ msgstr "Pièce jointe non trouvée." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Aucun pseudo." @@ -737,7 +738,7 @@ msgstr "Aucune taille" msgid "Invalid size." msgstr "Taille incorrecte." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Avatar" @@ -756,17 +757,17 @@ msgid "User without matching profile" msgstr "Utilisateur sans profil correspondant" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Paramètres de l’avatar" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Image originale" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Aperçu" @@ -775,11 +776,11 @@ msgstr "Aperçu" msgid "Delete" msgstr "Supprimer" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Transfert" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "Recadrer" @@ -787,7 +788,7 @@ msgstr "Recadrer" msgid "Pick a square area of the image to be your avatar" msgstr "Sélectionnez une zone de forme carrée pour définir votre avatar" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Données perdues." @@ -822,22 +823,22 @@ msgstr "" "serez pas informé des @-réponses de sa part." #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "Non" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "Ne pas bloquer cet utilisateur" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Oui" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "Bloquer cet utilisateur" @@ -845,39 +846,43 @@ msgstr "Bloquer cet utilisateur" msgid "Failed to save block information." msgstr "Impossible d’enregistrer les informations de blocage." -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "Aucun groupe trouvé." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "%s profils bloqués" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s profils bloqués, page %2$d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "Une liste des utilisateurs dont l’inscription à ce groupe est bloquée." -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "Débloquer l’utilisateur de ce groupe" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "Débloquer" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "Débloquer cet utilisateur" @@ -1028,7 +1033,7 @@ msgstr "Vous pouvez seulement supprimer les utilisateurs locaux." msgid "Delete user" msgstr "Supprimer l’utilisateur" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." @@ -1036,12 +1041,12 @@ msgstr "" "Voulez-vous vraiment supprimer cet utilisateur ? Ceci effacera toutes les " "données à son propos de la base de données, sans sauvegarde." -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "Supprimer cet utilisateur" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "Conception" @@ -1235,29 +1240,29 @@ msgstr "Modifier le groupe %s" msgid "You must be logged in to create a group." msgstr "Vous devez ouvrir une session pour créer un groupe." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "Vous devez être administrateur pour modifier le groupe." -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "Remplissez ce formulaire pour modifier les options du groupe." -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "la description est trop longue (%d caractères maximum)." -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "Impossible de mettre à jour le groupe." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "Impossible de créer les alias." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "Vos options ont été enregistrées." @@ -1598,7 +1603,7 @@ msgstr "Cet utilisateur est déjà bloqué pour le groupe." msgid "User is not a member of group." msgstr "L’utilisateur n’est pas membre du groupe." -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "Bloquer cet utilisateur du groupe" @@ -1634,11 +1639,11 @@ msgstr "Aucun identifiant." msgid "You must be logged in to edit a group." msgstr "Vous devez ouvrir une session pour modifier un groupe." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "Conception du groupe" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." @@ -1646,20 +1651,20 @@ msgstr "" "Personnalisez l’apparence de votre groupe avec une image d’arrière plan et " "une palette de couleurs de votre choix" -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 msgid "Couldn't update your design." msgstr "Impossible de mettre à jour votre conception." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "Préférences de conception enregistrées." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "Logo du groupe" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." @@ -1667,57 +1672,57 @@ msgstr "" "Vous pouvez choisir un logo pour votre groupe. La taille maximale du fichier " "est de %s." -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 msgid "User without matching profile." msgstr "Utilisateur sans profil correspondant." -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Sélectionnez une zone de forme carrée sur l’image qui sera le logo." -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "Logo mis à jour." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "La mise à jour du logo a échoué." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "Membres du groupe %s" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "Membres du groupe %1$s - page %2$d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "Liste des utilisateurs inscrits à ce groupe." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Administrer" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "Bloquer" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "Faire de cet utilisateur un administrateur du groupe" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "Faire un administrateur" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "Faire de cet utilisateur un administrateur" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Mises à jour des membres de %1$s dans %2$s !" @@ -2060,7 +2065,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "Vous devez ouvrir une session pour rejoindre un groupe." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Aucun pseudo." + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "%1$s a rejoint le groupe %2$s" @@ -2069,11 +2079,11 @@ msgstr "%1$s a rejoint le groupe %2$s" msgid "You must be logged in to leave a group." msgstr "Vous devez ouvrir une session pour quitter un groupe." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "Vous n’êtes pas membre de ce groupe." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, php-format msgid "%1$s left group %2$s" msgstr "%1$s a quitté le groupe %2$s" @@ -2355,8 +2365,8 @@ msgstr "type de contenu " msgid "Only " msgstr "Seulement " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "Format de données non supporté." @@ -2496,7 +2506,7 @@ msgstr "Impossible de sauvegarder le nouveau mot de passe." msgid "Password saved." msgstr "Mot de passe enregistré." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "Chemins" @@ -2529,7 +2539,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Serveur SSL invalide. La longueur maximale est de 255 caractères." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Site" @@ -2704,7 +2714,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1 à 64 lettres minuscules ou chiffres, sans ponctuation ni espaces" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Nom complet" @@ -2732,7 +2742,7 @@ msgid "Bio" msgstr "Bio" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3338,7 +3348,7 @@ msgid "User is already sandboxed." msgstr "L’utilisateur est déjà dans le bac à sable." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "Sessions" @@ -3393,7 +3403,7 @@ msgstr "Organisation" msgid "Description" msgstr "Description" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statistiques" @@ -3514,67 +3524,67 @@ msgstr "Groupe %s" msgid "%1$s group, page %2$d" msgstr "Groupe %1$s, page %2$d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "Profil du groupe" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Note" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "Alias" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "Actions du groupe" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Fil des avis du groupe %s (RSS 1.0)" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Fil des avis du groupe %s (RSS 2.0)" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Fil des avis du groupe %s (Atom)" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "ami d’un ami pour le groupe %s" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "Membres" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(aucun)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "Tous les membres" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "Créé" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3590,7 +3600,7 @@ msgstr "" "action.register%%%%) pour devenir membre de ce groupe et bien plus ! ([En " "lire plus](%%%%doc.help%%%%))" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3603,7 +3613,7 @@ msgstr "" "logiciel libre [StatusNet](http://status.net/). Ses membres partagent des " "messages courts à propos de leur vie et leurs intérêts. " -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "Administrateurs" @@ -4159,7 +4169,7 @@ msgstr "" msgid "No such tag." msgstr "Cette marque n’existe pas." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "Méthode API en construction." @@ -4191,7 +4201,7 @@ msgstr "" "La licence du flux auquel vous êtes abonné(e), « %1$s », n’est pas compatible " "avec la licence du site « %2$s »." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "Utilisateur" @@ -4494,6 +4504,11 @@ msgstr "N’appartient pas au groupe." msgid "Group leave failed." msgstr "La désinscription du groupe a échoué." +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "Impossible de mettre à jour le groupe." + #: classes/Login_token.php:76 #, php-format msgid "Could not create login token for %s" @@ -4511,27 +4526,27 @@ msgstr "Impossible d’insérer le message." msgid "Could not update message with new URI." msgstr "Impossible de mettre à jour le message avec un nouvel URI." -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Erreur de base de donnée en insérant la marque (hashtag) : %s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 msgid "Problem saving notice. Too long." msgstr "Problème lors de l’enregistrement de l’avis ; trop long." -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "Erreur lors de l’enregistrement de l’avis. Utilisateur inconnu." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Trop d’avis, trop vite ! Faites une pause et publiez à nouveau dans quelques " "minutes." -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4539,19 +4554,19 @@ msgstr "" "Trop de messages en double trop vite ! Prenez une pause et publiez à nouveau " "dans quelques minutes." -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "Il vous est interdit de poster des avis sur ce site." -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "Problème lors de l’enregistrement de l’avis." -#: classes/Notice.php:882 +#: classes/Notice.php:911 msgid "Problem saving group inbox." msgstr "Problème lors de l’enregistrement de la boîte de réception du groupe." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4580,19 +4595,29 @@ msgstr "Impossible de supprimer l’abonnement à soi-même." msgid "Couldn't delete subscription." msgstr "Impossible de cesser l’abonnement" -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Bienvenue à %1$s, @%2$s !" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "Impossible de créer le groupe." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "Impossible d’établir l’inscription au groupe." + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Impossible d’établir l’inscription au groupe." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "Impossible d’enregistrer l’abonnement." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "Modifier vos paramètres de profil" @@ -4814,15 +4839,15 @@ msgstr "Après" msgid "Before" msgstr "Avant" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "Impossible de gérer le contenu distant pour le moment." -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "Impossible de gérer le contenu XML embarqué pour le moment." -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "Impossible de gérer le contenu en Base64 embarqué pour le moment." @@ -4846,37 +4871,37 @@ msgstr "saveSettings() n’a pas été implémentée." msgid "Unable to delete design setting." msgstr "Impossible de supprimer les paramètres de conception." -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 msgid "Basic site configuration" msgstr "Configuration basique du site" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "Configuration de la conception" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 msgid "User configuration" msgstr "Configuration utilisateur" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 msgid "Access configuration" msgstr "Configuration d’accès" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 msgid "Paths configuration" msgstr "Configuration des chemins" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 msgid "Sessions configuration" msgstr "Configuration des sessions" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" "La ressource de l’API a besoin de l’accès en lecture et en écriture, mais " "vous n’y avez accès qu’en lecture." -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5179,7 +5204,7 @@ msgstr "" "pendant 2 minutes : %s" #: lib/command.php:692 -#, fuzzy, php-format +#, php-format msgid "Unsubscribed %s" msgstr "Désabonné de %s" @@ -6110,7 +6135,7 @@ msgstr "Reprendre cet avis ?" msgid "Repeat this notice" msgstr "Reprendre cet avis" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "Aucun utilisateur unique défini pour le mode mono-utilisateur." diff --git a/locale/ga/LC_MESSAGES/statusnet.po b/locale/ga/LC_MESSAGES/statusnet.po index b60553d44..82ab98ac2 100644 --- a/locale/ga/LC_MESSAGES/statusnet.po +++ b/locale/ga/LC_MESSAGES/statusnet.po @@ -8,19 +8,19 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:50:51+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:33:39+0000\n" "Language-Team: Irish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ga\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=5; plural=n==1 ? 0 : n==2 ? 1 : n<7 ? 2 : n<11 ? 3 : " "4;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 #, fuzzy msgid "Access" msgstr "Aceptar" @@ -99,14 +99,15 @@ msgstr "Non existe a etiqueta." #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "Ningún usuario." @@ -183,20 +184,20 @@ msgstr "Actualizacións dende %1$s e amigos en %2$s!" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Método da API non atopado" @@ -230,8 +231,9 @@ msgstr "Non se puido actualizar o usuario." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "O usuario non ten perfil." @@ -256,7 +258,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 #, fuzzy @@ -379,68 +381,68 @@ msgstr "Non se pudo recuperar a liña de tempo publica." msgid "Could not find target user." msgstr "Non se puido atopar ningún estado" -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "O alcume debe ter só letras minúsculas e números, e sen espazos." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "O alcume xa está sendo empregado por outro usuario. Tenta con outro." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Non é un alcume válido." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "A páxina persoal semella que non é unha URL válida." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "O nome completo é demasiado longo (max 255 car)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "O teu Bio é demasiado longo (max 140 car.)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "A localización é demasiado longa (max 255 car.)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "" -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, fuzzy, php-format msgid "Invalid alias: \"%s\"" msgstr "Etiqueta inválida: '%s'" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, fuzzy, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "O alcume xa está sendo empregado por outro usuario. Tenta con outro." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "" @@ -452,15 +454,15 @@ msgstr "" msgid "Group not found!" msgstr "Método da API non atopado" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "Xa estas suscrito a estes usuarios:" -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "" -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, fuzzy, php-format msgid "Could not join user %1$s to group %2$s." msgstr "Non podes seguir a este usuario: o Usuario non se atopa." @@ -469,7 +471,7 @@ msgstr "Non podes seguir a este usuario: o Usuario non se atopa." msgid "You are not a member of this group." msgstr "Non estás suscrito a ese perfil" -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, fuzzy, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "Non podes seguir a este usuario: o Usuario non se atopa." @@ -501,7 +503,7 @@ msgstr "Tamaño inválido." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -545,7 +547,7 @@ msgstr "" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -575,7 +577,7 @@ msgstr "Sobre" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -663,12 +665,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s updates favorited by %s / %s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "Liña de tempo de %s" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -726,8 +728,7 @@ msgstr "Ningún documento." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Sen alcume." @@ -739,7 +740,7 @@ msgstr "Sen tamaño." msgid "Invalid size." msgstr "Tamaño inválido." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Avatar" @@ -756,18 +757,18 @@ msgid "User without matching profile" msgstr "Usuario sen un perfil que coincida." #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 #, fuzzy msgid "Avatar settings" msgstr "Configuracións de Twitter" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "" @@ -777,11 +778,11 @@ msgstr "" msgid "Delete" msgstr "eliminar" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Subir" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "" @@ -789,7 +790,7 @@ msgstr "" msgid "Pick a square area of the image to be your avatar" msgstr "" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "" @@ -826,23 +827,23 @@ msgstr "" "ser notificado de ningunha resposta-@ del." #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "No" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 #, fuzzy msgid "Do not block this user" msgstr "Bloquear usuario" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Si" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 #, fuzzy msgid "Block this user" msgstr "Bloquear usuario" @@ -851,41 +852,45 @@ msgstr "Bloquear usuario" msgid "Failed to save block information." msgstr "Erro ao gardar información de bloqueo." -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 #, fuzzy msgid "No such group." msgstr "Non existe a etiqueta." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, fuzzy, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%s e amigos" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "" -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 #, fuzzy msgid "Unblock user from group" msgstr "Desbloqueo de usuario fallido." -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "Desbloquear" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 #, fuzzy msgid "Unblock this user" msgstr "Bloquear usuario" @@ -1050,19 +1055,19 @@ msgstr "Non deberías eliminar o estado de outro usuario" msgid "Delete user" msgstr "eliminar" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 #, fuzzy msgid "Delete this user" msgstr "Eliminar chío" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1277,32 +1282,32 @@ msgstr "" msgid "You must be logged in to create a group." msgstr "Debes estar logueado para invitar a outros usuarios a empregar %s" -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 #, fuzzy msgid "You must be an admin to edit the group." msgstr "Debes estar logueado para invitar a outros usuarios a empregar %s" -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "" -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "O teu Bio é demasiado longo (max 140 car.)." -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 #, fuzzy msgid "Could not update group." msgstr "Non se puido actualizar o usuario." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 #, fuzzy msgid "Could not create aliases." msgstr "Non se puido crear o favorito." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 #, fuzzy msgid "Options saved." msgstr "Configuracións gardadas." @@ -1653,7 +1658,7 @@ msgstr "O usuario bloqueoute." msgid "User is not a member of group." msgstr "%1s non é unha orixe fiable." -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 #, fuzzy msgid "Block user from group" msgstr "Bloquear usuario" @@ -1691,91 +1696,91 @@ msgstr "Sen id." msgid "You must be logged in to edit a group." msgstr "Debes estar logueado para invitar a outros usuarios a empregar %s" -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "" -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 #, fuzzy msgid "Couldn't update your design." msgstr "Non se puido actualizar o usuario." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 #, fuzzy msgid "Design preferences saved." msgstr "Preferencias gardadas." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "" -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 #, fuzzy msgid "User without matching profile." msgstr "Usuario sen un perfil que coincida." -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "" -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 #, fuzzy msgid "Logo updated." msgstr "Avatar actualizado." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 #, fuzzy msgid "Failed updating logo." msgstr "Acounteceu un fallo ó actualizar o avatar." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "Bloquear" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Actualizacións dende %1$s en %2$s!" @@ -2103,7 +2108,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "Debes estar logueado para invitar a outros usuarios a empregar %s" -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Sen alcume." + +#: actions/joingroup.php:141 #, fuzzy, php-format msgid "%1$s joined group %2$s" msgstr "%s / Favoritos dende %s" @@ -2113,12 +2123,12 @@ msgstr "%s / Favoritos dende %s" msgid "You must be logged in to leave a group." msgstr "Debes estar logueado para invitar a outros usuarios a empregar %s" -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 #, fuzzy msgid "You are not a member of that group." msgstr "Non estás suscrito a ese perfil" -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, fuzzy, php-format msgid "%1$s left group %2$s" msgstr "%s / Favoritos dende %s" @@ -2395,8 +2405,8 @@ msgstr "Conectar" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "Non é un formato de datos soportado." @@ -2544,7 +2554,7 @@ msgstr "Non se pode gardar a contrasinal." msgid "Password saved." msgstr "Contrasinal gardada." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "" @@ -2577,7 +2587,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 #, fuzzy msgid "Site" msgstr "Invitar" @@ -2763,7 +2773,7 @@ msgstr "" "De 1 a 64 letras minúsculas ou númeors, nin espazos nin signos de puntuación" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Nome completo" @@ -2792,7 +2802,7 @@ msgid "Bio" msgstr "Bio" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3396,7 +3406,7 @@ msgid "User is already sandboxed." msgstr "O usuario bloqueoute." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3457,7 +3467,7 @@ msgstr "Invitación(s) enviada(s)." msgid "Description" msgstr "Subscricións" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Estatísticas" @@ -3569,73 +3579,73 @@ msgstr "" msgid "%1$s group, page %2$d" msgstr "Tódalas subscricións" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 #, fuzzy msgid "Group profile" msgstr "Non existe o perfil." -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 #, fuzzy msgid "Note" msgstr "Chíos" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 #, fuzzy msgid "Group actions" msgstr "Outras opcions" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Fonte de chíos para %s" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Fonte de chíos para %s" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "Fonte de chíos para %s" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "Band. Saída para %s" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 #, fuzzy msgid "Members" msgstr "Membro dende" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 #, fuzzy msgid "(None)" msgstr "(nada)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 #, fuzzy msgid "Created" msgstr "Crear" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3649,7 +3659,7 @@ msgstr "" "(http://status.net/). [Únete agora](%%action.register%%) para compartir " "chíos cos teus amigos, colegas e familia! ([Ler mais](%%doc.help%%))" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3662,7 +3672,7 @@ msgstr "" "(http://status.net/). [Únete agora](%%action.register%%) para compartir " "chíos cos teus amigos, colegas e familia! ([Ler mais](%%doc.help%%))" -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "" @@ -4211,7 +4221,7 @@ msgstr "" msgid "No such tag." msgstr "Non existe a etiqueta." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "Método da API en contrución." @@ -4244,7 +4254,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "Usuario" @@ -4543,6 +4553,11 @@ msgstr "Non se puido actualizar o usuario." msgid "Group leave failed." msgstr "Non existe o perfil." +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "Non se puido actualizar o usuario." + #: classes/Login_token.php:76 #, fuzzy, php-format msgid "Could not create login token for %s" @@ -4561,28 +4576,28 @@ msgstr "Non se pode inserir unha mensaxe." msgid "Could not update message with new URI." msgstr "Non se puido actualizar a mensaxe coa nova URI." -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Erro ó inserir o hashtag na BD: %s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Aconteceu un erro ó gardar o chío." -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "Aconteceu un erro ó gardar o chío. Usuario descoñecido." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Demasiados chíos en pouco tempo; tomate un respiro e envíao de novo dentro " "duns minutos." -#: classes/Notice.php:237 +#: classes/Notice.php:254 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4591,20 +4606,20 @@ msgstr "" "Demasiados chíos en pouco tempo; tomate un respiro e envíao de novo dentro " "duns minutos." -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "Tes restrinxido o envio de chíos neste sitio." -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "Aconteceu un erro ó gardar o chío." -#: classes/Notice.php:882 +#: classes/Notice.php:911 #, fuzzy msgid "Problem saving group inbox." msgstr "Aconteceu un erro ó gardar o chío." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4636,21 +4651,31 @@ msgstr "Non se pode eliminar a subscrición." msgid "Couldn't delete subscription." msgstr "Non se pode eliminar a subscrición." -#: classes/User.php:372 +#: classes/User.php:373 #, fuzzy, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Mensaxe de %1$s en %2$s" -#: classes/User_group.php:423 +#: classes/User_group.php:462 #, fuzzy msgid "Could not create group." msgstr "Non se puido crear o favorito." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "Non se pode gardar a subscrición." + +#: classes/User_group.php:492 #, fuzzy msgid "Could not set group membership." msgstr "Non se pode gardar a subscrición." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "Non se pode gardar a subscrición." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "Configuración de perfil" @@ -4884,15 +4909,15 @@ msgstr "« Despois" msgid "Before" msgstr "Antes »" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4921,41 +4946,41 @@ msgstr "Comando non implementado." msgid "Unable to delete design setting." msgstr "Non se puideron gardar os teus axustes de Twitter!" -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 #, fuzzy msgid "Basic site configuration" msgstr "Confirmar correo electrónico" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 #, fuzzy msgid "Design configuration" msgstr "Confirmación de SMS" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 #, fuzzy msgid "User configuration" msgstr "Confirmación de SMS" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Access configuration" msgstr "Confirmación de SMS" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 #, fuzzy msgid "Paths configuration" msgstr "Confirmación de SMS" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Sessions configuration" msgstr "Confirmación de SMS" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5587,25 +5612,25 @@ msgstr "Aconteceu un erro no sistema namentras se estaba cargando o ficheiro." msgid "Not an image or corrupt file." msgstr "Non é unha imaxe ou está corrupta." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "Formato de ficheiro de imaxe non soportado." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 #, fuzzy msgid "Lost our file." msgstr "Bloqueo de usuario fallido." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 #, fuzzy msgid "Unknown file type" msgstr "tipo de ficheiro non soportado" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "" @@ -6198,7 +6223,7 @@ msgstr "Non se pode eliminar este chíos." msgid "Repeat this notice" msgstr "Non se pode eliminar este chíos." -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/he/LC_MESSAGES/statusnet.po b/locale/he/LC_MESSAGES/statusnet.po index 424917efb..58e123145 100644 --- a/locale/he/LC_MESSAGES/statusnet.po +++ b/locale/he/LC_MESSAGES/statusnet.po @@ -7,18 +7,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:50:54+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:33:42+0000\n" "Language-Team: Hebrew\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: he\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 #, fuzzy msgid "Access" msgstr "קבל" @@ -96,14 +96,15 @@ msgstr "×ין הודעה כזו." #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "×ין משתמש ×›×–×”." @@ -180,20 +181,20 @@ msgstr "" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "קוד ×”×ישור ×œ× × ×ž×¦×." @@ -227,8 +228,9 @@ msgstr "עידכון המשתמש נכשל." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "למשתמש ×ין פרופיל." @@ -253,7 +255,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -370,68 +372,68 @@ msgstr "עידכון המשתמש נכשל." msgid "Could not find target user." msgstr "עידכון המשתמש נכשל." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "כינוי יכול להכיל רק ×ותיות ×נגליות קטנות ומספרי×, ×•×œ×œ× ×¨×•×•×—×™×." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "כינוי ×–×” כבר תפוס. נסה כינוי ×חר." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "×©× ×ž×©×ª×ž×© ×œ× ×—×•×§×™." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "ל×תר הבית יש כתובת ×œ× ×—×•×§×™×ª." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "×”×©× ×”×ž×œ× ×רוך מידי (מותרות 255 ×ותיות בלבד)" -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "הביוגרפיה ×רוכה מידי (לכל היותר 140 ×ותיות)" -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "×©× ×”×ž×™×§×•× ×רוך מידי (מותר עד 255 ×ותיות)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "" -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, fuzzy, php-format msgid "Invalid alias: \"%s\"" msgstr "כתובת ×תר הבית '%s' ××™× ×” חוקית" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, fuzzy, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "כינוי ×–×” כבר תפוס. נסה כינוי ×חר." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "" @@ -443,16 +445,16 @@ msgstr "" msgid "Group not found!" msgstr "×œ× × ×ž×¦×" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 #, fuzzy msgid "You are already a member of that group." msgstr "כבר נכנסת למערכת!" -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "" -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, fuzzy, php-format msgid "Could not join user %1$s to group %2$s." msgstr "נכשלה ההפניה לשרת: %s" @@ -462,7 +464,7 @@ msgstr "נכשלה ההפניה לשרת: %s" msgid "You are not a member of this group." msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, fuzzy, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "נכשלה יצירת OpenID מתוך: %s" @@ -494,7 +496,7 @@ msgstr "גודל ×œ× ×—×•×§×™." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -538,7 +540,7 @@ msgstr "" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -568,7 +570,7 @@ msgstr "×ודות" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -654,12 +656,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "מיקרובלוג מ×ת %s" #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -718,8 +720,7 @@ msgstr "×ין מסמך ×›×–×”." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "×ין כינוי" @@ -731,7 +732,7 @@ msgstr "×ין גודל." msgid "Invalid size." msgstr "גודל ×œ× ×—×•×§×™." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "תמונה" @@ -748,18 +749,18 @@ msgid "User without matching profile" msgstr "" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 #, fuzzy msgid "Avatar settings" msgstr "הגדרות" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "" @@ -769,11 +770,11 @@ msgstr "" msgid "Delete" msgstr "מחק" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "ההעלה" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "" @@ -781,7 +782,7 @@ msgstr "" msgid "Pick a square area of the image to be your avatar" msgstr "" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "" @@ -816,23 +817,23 @@ msgid "" msgstr "" #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "ל×" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 #, fuzzy msgid "Do not block this user" msgstr "×ין משתמש ×›×–×”." #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "כן" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 #, fuzzy msgid "Block this user" msgstr "×ין משתמש ×›×–×”." @@ -841,41 +842,45 @@ msgstr "×ין משתמש ×›×–×”." msgid "Failed to save block information." msgstr "" -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 #, fuzzy msgid "No such group." msgstr "×ין הודעה כזו." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, fuzzy, php-format msgid "%s blocked profiles" msgstr "למשתמש ×ין פרופיל." -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, fuzzy, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%s וחברי×" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "" -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 #, fuzzy msgid "Unblock user from group" msgstr "×ין משתמש ×›×–×”." -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 #, fuzzy msgid "Unblock this user" msgstr "×ין משתמש ×›×–×”." @@ -1034,19 +1039,19 @@ msgstr "ניתן להשתמש במנוי המקומי!" msgid "Delete user" msgstr "מחק" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 #, fuzzy msgid "Delete this user" msgstr "×ין משתמש ×›×–×”." #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1256,31 +1261,31 @@ msgstr "" msgid "You must be logged in to create a group." msgstr "" -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "" -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "" -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, fuzzy, php-format msgid "description is too long (max %d chars)." msgstr "הביוגרפיה ×רוכה מידי (לכל היותר 140 ×ותיות)" -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 #, fuzzy msgid "Could not update group." msgstr "עידכון המשתמש נכשל." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 #, fuzzy msgid "Could not create aliases." msgstr "שמירת מידע התמונה נכשל" -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 #, fuzzy msgid "Options saved." msgstr "ההגדרות נשמרו." @@ -1625,7 +1630,7 @@ msgstr "למשתמש ×ין פרופיל." msgid "User is not a member of group." msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 #, fuzzy msgid "Block user from group" msgstr "×ין משתמש ×›×–×”." @@ -1661,92 +1666,92 @@ msgstr "×ין זיהוי." msgid "You must be logged in to edit a group." msgstr "" -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 #, fuzzy msgid "Group design" msgstr "קבוצות" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "" -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 #, fuzzy msgid "Couldn't update your design." msgstr "עידכון המשתמש נכשל." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 #, fuzzy msgid "Design preferences saved." msgstr "העדפות נשמרו." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "" -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 #, fuzzy msgid "User without matching profile." msgstr "למשתמש ×ין פרופיל." -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "" -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 #, fuzzy msgid "Logo updated." msgstr "התמונה עודכנה." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 #, fuzzy msgid "Failed updating logo." msgstr "עדכון התמונה נכשל." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "מיקרובלוג מ×ת %s" @@ -2044,7 +2049,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "" -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "×ין כינוי" + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "" @@ -2053,12 +2063,12 @@ msgstr "" msgid "You must be logged in to leave a group." msgstr "" -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 #, fuzzy msgid "You are not a member of that group." msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, fuzzy, php-format msgid "%1$s left group %2$s" msgstr "הסטטוס של %1$s ב-%2$s " @@ -2326,8 +2336,8 @@ msgstr "התחבר" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "" @@ -2475,7 +2485,7 @@ msgstr "×œ× × ×™×ª×Ÿ לשמור ×ת הסיסמה" msgid "Password saved." msgstr "הסיסמה נשמרה." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "" @@ -2508,7 +2518,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "" @@ -2690,7 +2700,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1 עד 64 ×ותיות ×נגליות קטנות ×ו מספרי×, ×œ×œ× ×¡×™×ž× ×™ פיסוק ×ו רווחי×." #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "×©× ×ž×œ×" @@ -2719,7 +2729,7 @@ msgid "Bio" msgstr "ביוגרפיה" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3282,7 +3292,7 @@ msgid "User is already sandboxed." msgstr "למשתמש ×ין פרופיל." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3342,7 +3352,7 @@ msgstr "מיקו×" msgid "Description" msgstr "הרשמות" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "סטטיסטיקה" @@ -3453,71 +3463,71 @@ msgstr "" msgid "%1$s group, page %2$d" msgstr "כל המנויי×" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 #, fuzzy msgid "Group profile" msgstr "×ין הודעה כזו." -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 #, fuzzy msgid "Note" msgstr "הודעות" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "הזנת הודעות של %s" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "הזנת הודעות של %s" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "הזנת הודעות של %s" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "הזנת הודעות של %s" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 #, fuzzy msgid "Members" msgstr "חבר מ××–" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 #, fuzzy msgid "Created" msgstr "צור" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3527,7 +3537,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3536,7 +3546,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "" @@ -4064,7 +4074,7 @@ msgstr "" msgid "No such tag." msgstr "×ין הודעה כזו." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "" @@ -4099,7 +4109,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "מתשמש" @@ -4392,6 +4402,11 @@ msgstr "עידכון המשתמש נכשל." msgid "Group leave failed." msgstr "×ין הודעה כזו." +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "עידכון המשתמש נכשל." + #: classes/Login_token.php:76 #, fuzzy, php-format msgid "Could not create login token for %s" @@ -4409,46 +4424,46 @@ msgstr "" msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:222 +#: classes/Notice.php:239 #, fuzzy msgid "Problem saving notice. Too long." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:226 +#: classes/Notice.php:243 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:882 +#: classes/Notice.php:911 #, fuzzy msgid "Problem saving group inbox." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4480,21 +4495,31 @@ msgstr "מחיקת המנוי ×œ× ×”×¦×œ×™×—×”." msgid "Couldn't delete subscription." msgstr "מחיקת המנוי ×œ× ×”×¦×œ×™×—×”." -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:423 +#: classes/User_group.php:462 #, fuzzy msgid "Could not create group." msgstr "שמירת מידע התמונה נכשל" -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "יצירת המנוי נכשלה." + +#: classes/User_group.php:492 #, fuzzy msgid "Could not set group membership." msgstr "יצירת המנוי נכשלה." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "יצירת המנוי נכשלה." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "" @@ -4724,15 +4749,15 @@ msgstr "<< ×חרי" msgid "Before" msgstr "לפני >>" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4756,40 +4781,40 @@ msgstr "" msgid "Unable to delete design setting." msgstr "" -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 #, fuzzy msgid "Basic site configuration" msgstr "הרשמות" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 #, fuzzy msgid "User configuration" msgstr "הרשמות" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Access configuration" msgstr "הרשמות" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 #, fuzzy msgid "Paths configuration" msgstr "הרשמות" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Sessions configuration" msgstr "הרשמות" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5382,24 +5407,24 @@ msgstr "שגי×ת מערכת בהעל×ת הקובץ." msgid "Not an image or corrupt file." msgstr "זהו ×œ× ×§×•×‘×¥ תמונה, ×ו שחל בו שיבוש." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "פורמט התמונה ×ינו נתמך." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 #, fuzzy msgid "Lost our file." msgstr "×ין הודעה כזו." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "" @@ -5927,7 +5952,7 @@ msgstr "×ין הודעה כזו." msgid "Repeat this notice" msgstr "×ין הודעה כזו." -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index 7b6870afe..2c9e8e54d 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -9,19 +9,19 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:50:58+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:33:45+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : (n%100==3 || " "n%100==4) ? 2 : 3)\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "PÅ™istup" @@ -95,14 +95,15 @@ msgstr "Strona njeeksistuje" #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "Wužiwar njeeksistuje" @@ -178,20 +179,20 @@ msgstr "" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 msgid "API method not found." msgstr "API-metoda njenamakana." @@ -223,8 +224,9 @@ msgstr "Wužiwar njeje so daÅ‚ aktualizować." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "Wužiwar nima profil." @@ -248,7 +250,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -358,68 +360,68 @@ msgstr "" msgid "Could not find target user." msgstr "" -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "PÅ™imjeno so hižo wužiwa. Spytaj druhe." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Žane pÅ‚aćiwe pÅ™imjeno." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "Startowa strona njeje pÅ‚aćiwy URL." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "DospoÅ‚ne mjeno je pÅ™edoÅ‚ho (maks. 255 znamjeÅ¡kow)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "Wopisanje je pÅ™edoÅ‚ho (maks. %d znamjeÅ¡kow)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "MÄ›stno je pÅ™edoÅ‚ho (maks. 255 znamjeÅ¡kow)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "PÅ™ewjele aliasow! Maksimum: %d." -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "NjepÅ‚aćiwy alias: \"%s\"" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Alias \"%s\" so hižo wužiwa. Spytaj druhi." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "Alias njemóže samsny kaž pÅ™imjeno być." @@ -430,15 +432,15 @@ msgstr "Alias njemóže samsny kaž pÅ™imjeno być." msgid "Group not found!" msgstr "Skupina njenamakana!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "Sy hižo ÄÅ‚on teje skupiny." -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "" -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, php-format msgid "Could not join user %1$s to group %2$s." msgstr "NjebÄ› móžno wužiwarja %1$s skupinje %2%s pÅ™idać." @@ -447,7 +449,7 @@ msgstr "NjebÄ› móžno wužiwarja %1$s skupinje %2%s pÅ™idać." msgid "You are not a member of this group." msgstr "Njejsy ÄÅ‚on tuteje skupiny." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "NjebÄ› móžno wužiwarja %1$s ze skupiny %2$s wotstronić." @@ -479,7 +481,7 @@ msgstr "NjepÅ‚aćiwa wulkosć." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -522,7 +524,7 @@ msgstr "" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -551,7 +553,7 @@ msgstr "Konto" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -633,12 +635,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "" #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -695,8 +697,7 @@ msgstr "PÅ™iwěšk njeeksistuje." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Žane pÅ™imjeno." @@ -708,7 +709,7 @@ msgstr "Žana wulkosć." msgid "Invalid size." msgstr "NjepÅ‚aćiwa wulkosć." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Awatar" @@ -726,17 +727,17 @@ msgid "User without matching profile" msgstr "Wužiwar bjez hodźaceho so profila" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Nastajenja awatara" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Original" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "PÅ™ehlad" @@ -745,11 +746,11 @@ msgstr "PÅ™ehlad" msgid "Delete" msgstr "ZniÄić" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Nahrać" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "" @@ -757,7 +758,7 @@ msgstr "" msgid "Pick a square area of the image to be your avatar" msgstr "" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "" @@ -789,22 +790,22 @@ msgid "" msgstr "" #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "NÄ›" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "Tutoho wužiwarja njeblokować" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Haj" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "Tutoho wužiwarja blokować" @@ -812,39 +813,43 @@ msgstr "Tutoho wužiwarja blokować" msgid "Failed to save block information." msgstr "" -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "Skupina njeeksistuje." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s zablokowa profile, stronu %2$d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "" -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "" @@ -995,18 +1000,18 @@ msgstr "MóžeÅ¡ jenož lokalnych wužiwarjow wuÅ¡mórnyć." msgid "Delete user" msgstr "Wužiwarja wuÅ¡mórnyć" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "Tutoho wužiwarja wuÅ¡mórnyć" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "Design" @@ -1201,29 +1206,29 @@ msgstr "" msgid "You must be logged in to create a group." msgstr "DyrbiÅ¡ pÅ™izjewjeny być, zo by skupinu wutworiÅ‚." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "DyrbiÅ¡ administrator być, zo by skupinu wobdźěłaÅ‚." -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "Wuž tutón formular, zo by skupinu wobdźěłaÅ‚." -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "wopisanje je pÅ™edoÅ‚ho (maks. %d znamjeÅ¡kow)." -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "Skupina njeje so daÅ‚a aktualizować." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "Aliasy njejsu so dali wutworić." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "Opcije skÅ‚adowane." @@ -1552,7 +1557,7 @@ msgstr "Wužiwar je hižo za skupinu zablokowany." msgid "User is not a member of group." msgstr "Wužiwar njeje ÄÅ‚on skupiny." -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "Wužiwarja za skupinu blokować" @@ -1584,30 +1589,30 @@ msgstr "Žadyn ID." msgid "You must be logged in to edit a group." msgstr "DyrbiÅ¡ pÅ™izjewjeny być, zo by skupinu wobdźěłaÅ‚." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "Skupinski design" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "" -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 msgid "Couldn't update your design." msgstr "" -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "Designowe nastajenja skÅ‚adowane." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "Skupinske logo" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." @@ -1615,57 +1620,57 @@ msgstr "" "MóžeÅ¡ logowy wobraz za swoju skupinu nahrać. Maksimalna datajowa wulkosć je %" "s." -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 msgid "User without matching profile." msgstr "Wužiwar bjez hodźaceho so profila." -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "" -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "Logo zaktualizowane." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "" -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "%1$s skupinskich ÄÅ‚onow, strona %2$d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "Lisćina wužiwarjow w tutej skupinje." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "Blokować" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "Tutoho wužiwarja k administratorej Äinić" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "" @@ -1947,7 +1952,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "" -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Žane pÅ™imjeno." + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "" @@ -1956,11 +1966,11 @@ msgstr "" msgid "You must be logged in to leave a group." msgstr "DyrbiÅ¡ pÅ™izjewjeny być, zo by skupinu wopušćiÅ‚." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "Njejsy ÄÅ‚on teje skupiny." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, php-format msgid "%1$s left group %2$s" msgstr "" @@ -2218,8 +2228,8 @@ msgstr "" msgid "Only " msgstr "Jenož " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "Njeje podpÄ›rany datowy format." @@ -2358,7 +2368,7 @@ msgstr "" msgid "Password saved." msgstr "HesÅ‚o skÅ‚adowane." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "Šćežki" @@ -2391,7 +2401,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "SydÅ‚o" @@ -2559,7 +2569,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "DospoÅ‚ne mjeno" @@ -2587,7 +2597,7 @@ msgid "Bio" msgstr "Biografija" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3130,7 +3140,7 @@ msgid "User is already sandboxed." msgstr "" #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "Posedźenja" @@ -3186,7 +3196,7 @@ msgstr "Organizacija" msgid "Description" msgstr "Wopisanje" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statistika" @@ -3298,67 +3308,67 @@ msgstr "" msgid "%1$s group, page %2$d" msgstr "%1$s skupinskich ÄÅ‚onow, strona %2$d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "Skupinski profil" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "Aliasy" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "Skupinske akcije" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "Čłonojo" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Žadyn)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "WÅ¡itcy ÄÅ‚onojo" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "Wutworjeny" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3368,7 +3378,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3377,7 +3387,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "Administratorojo" @@ -3890,7 +3900,7 @@ msgstr "" msgid "No such tag." msgstr "" -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "" @@ -3920,7 +3930,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "Wužiwar" @@ -4193,6 +4203,11 @@ msgstr "Njeje dźěl skupiny." msgid "Group leave failed." msgstr "Wopušćenje skupiny je so njeporadźiÅ‚o." +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "Skupina njeje so daÅ‚a aktualizować." + #: classes/Login_token.php:76 #, php-format msgid "Could not create login token for %s" @@ -4210,43 +4225,43 @@ msgstr "" msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:222 +#: classes/Notice.php:239 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "" -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:882 +#: classes/Notice.php:911 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4275,19 +4290,29 @@ msgstr "Sebjeabonement njeje so daÅ‚ zniÄić." msgid "Couldn't delete subscription." msgstr "Abonoment njeje so daÅ‚ zniÄić." -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "" -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "Skupina njeje so daÅ‚a aktualizować." + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "" +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "Profil njeje so skÅ‚adować daÅ‚." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "" @@ -4500,15 +4525,15 @@ msgstr "" msgid "Before" msgstr "" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4532,38 +4557,38 @@ msgstr "" msgid "Unable to delete design setting." msgstr "" -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 msgid "Basic site configuration" msgstr "" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 #, fuzzy msgid "User configuration" msgstr "SMS-wobkrućenje" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Access configuration" msgstr "SMS-wobkrućenje" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 msgid "Paths configuration" msgstr "" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Sessions configuration" msgstr "SMS-wobkrućenje" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5134,23 +5159,23 @@ msgstr "" msgid "Not an image or corrupt file." msgstr "" -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "" -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "NaÅ¡a dataja je so zhubiÅ‚a." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "Njeznaty datajowy typ" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "MB" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "KB" @@ -5652,7 +5677,7 @@ msgstr "Tutu zdźělenku wospjetować?" msgid "Repeat this notice" msgstr "Tutu zdźělenku wospjetować" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index fa42bd3fe..b8d746d82 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -8,18 +8,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:51:01+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:33:48+0000\n" "Language-Team: Interlingua\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "Accesso" @@ -90,14 +90,15 @@ msgstr "Pagina non existe" #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "Usator non existe." @@ -181,20 +182,20 @@ msgstr "Actualisationes de %1$s e su amicos in %2$s!" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 msgid "API method not found." msgstr "Methodo API non trovate." @@ -228,8 +229,9 @@ msgstr "Non poteva actualisar le usator." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "Le usator non ha un profilo." @@ -255,7 +257,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -365,68 +367,68 @@ msgstr "Non poteva determinar le usator de origine." msgid "Could not find target user." msgstr "Non poteva trovar le usator de destination." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "Le pseudonymo pote solmente haber minusculas e numeros, sin spatios." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "Pseudonymo ja in uso. Proba un altere." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Non un pseudonymo valide." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "Le pagina personal non es un URL valide." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "Le nomine complete es troppo longe (max. 255 characteres)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "Description es troppo longe (max %d charachteres)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "Loco es troppo longe (max. 255 characteres)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "Troppo de aliases! Maximo: %d." -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Alias invalide: \"%s\"" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Le alias \"%s\" es ja in uso. Proba un altere." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "Le alias non pote esser identic al pseudonymo." @@ -437,15 +439,15 @@ msgstr "Le alias non pote esser identic al pseudonymo." msgid "Group not found!" msgstr "Gruppo non trovate!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "Tu es ja membro de iste gruppo." -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "Le administrator te ha blocate de iste gruppo." -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, php-format msgid "Could not join user %1$s to group %2$s." msgstr "Non poteva inscriber le usator %1$s in le gruppo %2$s." @@ -454,7 +456,7 @@ msgstr "Non poteva inscriber le usator %1$s in le gruppo %2$s." msgid "You are not a member of this group." msgstr "Tu non es membro de iste gruppo." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "Non poteva remover le usator %1$s del gruppo %2$s." @@ -485,7 +487,7 @@ msgstr "Indicio invalide." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -531,7 +533,7 @@ msgstr "Le indicio de requesta %s ha essite refusate e revocate." #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -563,7 +565,7 @@ msgstr "Conto" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -648,12 +650,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s actualisationes favoritisate per %2$s / %2$s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "Chronologia de %s" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -711,8 +713,7 @@ msgstr "Annexo non existe." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Nulle pseudonymo." @@ -724,7 +725,7 @@ msgstr "Nulle dimension." msgid "Invalid size." msgstr "Dimension invalide." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Avatar" @@ -742,17 +743,17 @@ msgid "User without matching profile" msgstr "Usator sin profilo correspondente" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Configuration del avatar" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Original" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Previsualisation" @@ -761,11 +762,11 @@ msgstr "Previsualisation" msgid "Delete" msgstr "Deler" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Incargar" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "Taliar" @@ -773,7 +774,7 @@ msgstr "Taliar" msgid "Pick a square area of the image to be your avatar" msgstr "Selige un area quadrate del imagine pro facer lo tu avatar" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Datos del file perdite." @@ -808,22 +809,22 @@ msgstr "" "recipera notification de su @-responsas." #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "No" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "Non blocar iste usator" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Si" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "Blocar iste usator" @@ -831,39 +832,43 @@ msgstr "Blocar iste usator" msgid "Failed to save block information." msgstr "Falleva de salveguardar le information del blocada." -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "Gruppo non existe." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "%s profilos blocate" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s profilos blocate, pagina %2$d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "Un lista del usatores excludite del membrato de iste gruppo." -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "Disblocar le usator del gruppo" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "Disblocar" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "Disblocar iste usator" @@ -1014,7 +1019,7 @@ msgstr "Tu pote solmente deler usatores local." msgid "Delete user" msgstr "Deler usator" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." @@ -1022,12 +1027,12 @@ msgstr "" "Es tu secur de voler deler iste usator? Isto radera tote le datos super le " "usator del base de datos, sin copia de reserva." -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "Deler iste usator" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "Apparentia" @@ -1221,29 +1226,29 @@ msgstr "Modificar gruppo %s" msgid "You must be logged in to create a group." msgstr "Tu debe aperir un session pro crear un gruppo." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "Tu debe esser administrator pro modificar le gruppo." -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "Usa iste formulario pro modificar le gruppo." -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "description es troppo longe (max %d chars)." -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "Non poteva actualisar gruppo." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "Non poteva crear aliases." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "Optiones salveguardate." @@ -1583,7 +1588,7 @@ msgstr "Le usator es ja blocate del gruppo." msgid "User is not a member of group." msgstr "Le usator non es membro del gruppo." -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "Blocar usator del gruppo" @@ -1618,11 +1623,11 @@ msgstr "Nulle ID." msgid "You must be logged in to edit a group." msgstr "Tu debe aperir un session pro modificar un gruppo." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "Apparentia del gruppo" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." @@ -1630,20 +1635,20 @@ msgstr "" "Personalisa le apparentia de tu gruppo con un imagine de fundo e un paletta " "de colores de tu preferentia." -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 msgid "Couldn't update your design." msgstr "Non poteva actualisar tu apparentia." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "Preferentias de apparentia salveguardate." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "Logotypo del gruppo" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." @@ -1651,57 +1656,57 @@ msgstr "" "Tu pote incargar un imagine pro le logotypo de tu gruppo. Le dimension " "maximal del file es %s." -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 msgid "User without matching profile." msgstr "Usator sin profilo correspondente" -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Selige un area quadrate del imagine que devenira le logotypo." -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "Logotypo actualisate." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "Falleva de actualisar le logotypo." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "Membros del gruppo %s" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "Membros del gruppo %1$s, pagina %2$d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "Un lista de usatores in iste gruppo." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "Blocar" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "Facer le usator administrator del gruppo" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "Facer administrator" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "Facer iste usator administrator" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Actualisationes de membros de %1$s in %2$s!" @@ -2036,7 +2041,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "Tu debe aperir un session pro facer te membro de un gruppo." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Nulle pseudonymo." + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "%1$s es ora membro del gruppo %2$s" @@ -2045,11 +2055,11 @@ msgstr "%1$s es ora membro del gruppo %2$s" msgid "You must be logged in to leave a group." msgstr "Tu debe aperir un session pro quitar un gruppo." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "Tu non es membro de iste gruppo." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, php-format msgid "%1$s left group %2$s" msgstr "%1$s quitava le gruppo %2$s" @@ -2326,8 +2336,8 @@ msgstr "typo de contento " msgid "Only " msgstr "Solmente " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "Formato de datos non supportate." @@ -2467,7 +2477,7 @@ msgstr "Non pote salveguardar le nove contrasigno." msgid "Password saved." msgstr "Contrasigno salveguardate." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "Camminos" @@ -2500,7 +2510,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Servitor SSL invalide. Le longitude maximal es 255 characteres." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Sito" @@ -2674,7 +2684,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 minusculas o numeros, sin punctuation o spatios" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Nomine complete" @@ -2702,7 +2712,7 @@ msgid "Bio" msgstr "Bio" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3297,7 +3307,7 @@ msgid "User is already sandboxed." msgstr "Usator es ja in cassa de sablo." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "Sessiones" @@ -3352,7 +3362,7 @@ msgstr "Organisation" msgid "Description" msgstr "Description" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statisticas" @@ -3473,67 +3483,67 @@ msgstr "Gruppo %s" msgid "%1$s group, page %2$d" msgstr "Gruppo %1$s, pagina %2$d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "Profilo del gruppo" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Nota" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "Aliases" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "Actiones del gruppo" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Syndication de notas pro le gruppo %s (RSS 1.0)" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Syndication de notas pro le gruppo %s (RSS 2.0)" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Syndication de notas pro le gruppo %s (Atom)" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "Amico de un amico pro le gruppo %s" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "Membros" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Nulle)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "Tote le membros" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "Create" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3548,7 +3558,7 @@ msgstr "" "lor vita e interesses. [Crea un conto](%%%%action.register%%%%) pro devenir " "parte de iste gruppo e multe alteres! ([Lege plus](%%%%doc.help%%%%))" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3561,7 +3571,7 @@ msgstr "" "[StatusNet](http://status.net/). Su membros condivide breve messages super " "lor vita e interesses. " -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "Administratores" @@ -4111,7 +4121,7 @@ msgstr "" msgid "No such tag." msgstr "Etiquetta non existe." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "Methodo API in construction." @@ -4143,7 +4153,7 @@ msgstr "" "Le licentia del fluxo que tu ascolta, ‘%1$s’, non es compatibile con le " "licentia del sito ‘%2$s’." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "Usator" @@ -4441,6 +4451,11 @@ msgstr "Non es membro del gruppo." msgid "Group leave failed." msgstr "Le cancellation del membrato del gruppo ha fallite." +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "Non poteva actualisar gruppo." + #: classes/Login_token.php:76 #, php-format msgid "Could not create login token for %s" @@ -4458,27 +4473,27 @@ msgstr "Non poteva inserer message." msgid "Could not update message with new URI." msgstr "Non poteva actualisar message con nove URI." -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Error in base de datos durante insertion del marca (hashtag): %s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 msgid "Problem saving notice. Too long." msgstr "Problema salveguardar nota. Troppo longe." -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "Problema salveguardar nota. Usator incognite." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Troppo de notas troppo rapidemente; face un pausa e publica de novo post " "alcun minutas." -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4486,19 +4501,19 @@ msgstr "" "Troppo de messages duplicate troppo rapidemente; face un pausa e publica de " "novo post alcun minutas." -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "Il te es prohibite publicar notas in iste sito." -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "Problema salveguardar nota." -#: classes/Notice.php:882 +#: classes/Notice.php:911 msgid "Problem saving group inbox." msgstr "Problema salveguardar le cassa de entrata del gruppo." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4527,19 +4542,29 @@ msgstr "Non poteva deler auto-subscription." msgid "Couldn't delete subscription." msgstr "Non poteva deler subscription." -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Benvenite a %1$s, @%2$s!" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "Non poteva crear gruppo." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "Non poteva configurar le membrato del gruppo." + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Non poteva configurar le membrato del gruppo." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "Non poteva salveguardar le subscription." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "Cambiar le optiones de tu profilo" @@ -4758,15 +4783,15 @@ msgstr "Post" msgid "Before" msgstr "Ante" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4790,37 +4815,37 @@ msgstr "saveSettings() non implementate." msgid "Unable to delete design setting." msgstr "Impossibile deler configuration de apparentia." -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 msgid "Basic site configuration" msgstr "Configuration basic del sito" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "Configuration del apparentia" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 msgid "User configuration" msgstr "Configuration del usator" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 msgid "Access configuration" msgstr "Configuration del accesso" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 msgid "Paths configuration" msgstr "Configuration del camminos" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 msgid "Sessions configuration" msgstr "Configuration del sessiones" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" "Le ressource de API require accesso pro lectura e scriptura, ma tu ha " "solmente accesso pro lectura." -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5433,25 +5458,25 @@ msgstr "Error de systema durante le incargamento del file." #: lib/imagefile.php:96 msgid "Not an image or corrupt file." -msgstr "Le file non es un imagine o es defecte." +msgstr "Le file non es un imagine o es defectuose." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "Formato de file de imagine non supportate." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "File perdite." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "Typo de file incognite" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "MB" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "KB" @@ -6045,7 +6070,7 @@ msgstr "Repeter iste nota?" msgid "Repeat this notice" msgstr "Repeter iste nota" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "Nulle signule usator definite pro le modo de singule usator." diff --git a/locale/is/LC_MESSAGES/statusnet.po b/locale/is/LC_MESSAGES/statusnet.po index 08e4fec95..cf2dd9307 100644 --- a/locale/is/LC_MESSAGES/statusnet.po +++ b/locale/is/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:51:05+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:33:51+0000\n" "Language-Team: Icelandic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: is\n" "X-Message-Group: out-statusnet\n" @@ -21,7 +21,7 @@ msgstr "" "= 31 && n % 100 != 41 && n % 100 != 51 && n % 100 != 61 && n % 100 != 71 && " "n % 100 != 81 && n % 100 != 91);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 #, fuzzy msgid "Access" msgstr "Samþykkja" @@ -99,14 +99,15 @@ msgstr "Ekkert þannig merki." #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "Enginn svoleiðis notandi." @@ -182,20 +183,20 @@ msgstr "Færslur frá %1$s og vinum á %2$s!" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Aðferð í forritsskilum fannst ekki!" @@ -229,8 +230,9 @@ msgstr "Gat ekki uppfært notanda." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "Notandi hefur enga persónulega síðu." @@ -255,7 +257,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -372,68 +374,68 @@ msgstr "" msgid "Could not find target user." msgstr "" -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "Stuttnefni geta bara verið lágstafir og tölustafir en engin bil." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "Stuttnefni nú þegar í notkun. Prófaðu eitthvað annað." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Ekki tækt stuttnefni." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "Heimasíða er ekki gild vefslóð." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "Fullt nafn er of langt (í mesta lagi 255 stafir)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "Lýsing er of löng (í mesta lagi 140 tákn)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "Staðsetning er of löng (í mesta lagi 255 stafir)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "" -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "" -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "" @@ -445,16 +447,16 @@ msgstr "" msgid "Group not found!" msgstr "Aðferð í forritsskilum fannst ekki!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 #, fuzzy msgid "You are already a member of that group." msgstr "Þú ert nú þegar meðlimur í þessum hópi" -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "" -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, fuzzy, php-format msgid "Could not join user %1$s to group %2$s." msgstr "Gat ekki bætt notandanum %s í hópinn %s" @@ -464,7 +466,7 @@ msgstr "Gat ekki bætt notandanum %s í hópinn %s" msgid "You are not a member of this group." msgstr "Þú ert ekki meðlimur í þessum hópi." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, fuzzy, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "Gat ekki fjarlægt notandann %s úr hópnum %s" @@ -496,7 +498,7 @@ msgstr "Ótæk stærð." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -540,7 +542,7 @@ msgstr "" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -569,7 +571,7 @@ msgstr "Aðgangur" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -655,12 +657,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s færslur gerðar að uppáhaldsbabli af %s / %s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "Rás %s" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -717,8 +719,7 @@ msgstr "" #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Ekkert stuttnefni." @@ -730,7 +731,7 @@ msgstr "Engin stærð." msgid "Invalid size." msgstr "Ótæk stærð." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Mynd" @@ -747,17 +748,17 @@ msgid "User without matching profile" msgstr "Notandi með enga persónulega síðu sem passar við" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Stillingar fyrir mynd" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Upphafleg mynd" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Forsýn" @@ -766,11 +767,11 @@ msgstr "Forsýn" msgid "Delete" msgstr "Eyða" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Hlaða upp" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "Skera af" @@ -779,7 +780,7 @@ msgid "Pick a square area of the image to be your avatar" msgstr "" "Veldu ferningslaga svæði á upphaflegu myndinni sem einkennismyndina þína" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Týndum skráargögnunum okkar" @@ -812,23 +813,23 @@ msgid "" msgstr "" #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "Nei" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 #, fuzzy msgid "Do not block this user" msgstr "Opna á þennan notanda" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Já" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "Loka á þennan notanda" @@ -836,39 +837,43 @@ msgstr "Loka á þennan notanda" msgid "Failed to save block information." msgstr "Mistókst að vista upplýsingar um notendalokun" -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "Enginn þannig hópur." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, fuzzy, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%s og vinirnir, síða %d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "" -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "Opna" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "Opna á þennan notanda" @@ -1026,19 +1031,19 @@ msgstr "Þú getur ekki eytt stöðu annars notanda." msgid "Delete user" msgstr "Eyða" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 #, fuzzy msgid "Delete this user" msgstr "Eyða þessu babli" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1247,30 +1252,30 @@ msgstr "Breyta hópnum %s" msgid "You must be logged in to create a group." msgstr "Þú verður að hafa skráð þig inn til að búa til hóp." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 #, fuzzy msgid "You must be an admin to edit the group." msgstr "Þú verður að vera stjórnandi til að geta breytt hópnum" -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "Notaðu þetta eyðublað til að breyta hópnum." -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, fuzzy, php-format msgid "description is too long (max %d chars)." msgstr "Lýsing er of löng (í mesta lagi 140 tákn)." -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "Gat ekki uppfært hóp." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "" -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "Valmöguleikar vistaðir." @@ -1615,7 +1620,7 @@ msgstr "" msgid "User is not a member of group." msgstr "" -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "" @@ -1648,87 +1653,87 @@ msgstr "Ekkert einkenni" msgid "You must be logged in to edit a group." msgstr "" -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "" -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 msgid "Couldn't update your design." msgstr "" -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "" -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "Einkennismynd hópsins" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "" -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 #, fuzzy msgid "User without matching profile." msgstr "Notandi með enga persónulega síðu sem passar við" -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "" -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "Einkennismynd uppfærð." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "Tókst ekki að uppfæra einkennismynd" -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "Hópmeðlimir %s" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, fuzzy, php-format msgid "%1$s group members, page %2$d" msgstr "Hópmeðlimir %s, síða %d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "Listi yfir notendur í þessum hóp." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Stjórnandi" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "Loka" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Færslur frá %1$s á %2$s!" @@ -2055,7 +2060,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "Þú verður að hafa skráð þig inn til að bæta þér í hóp." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Ekkert stuttnefni." + +#: actions/joingroup.php:141 #, fuzzy, php-format msgid "%1$s joined group %2$s" msgstr "%s bætti sér í hópinn %s" @@ -2064,11 +2074,11 @@ msgstr "%s bætti sér í hópinn %s" msgid "You must be logged in to leave a group." msgstr "Þú verður aða hafa skráð þig inn til að ganga úr hóp." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "Þú ert ekki meðlimur í þessum hópi." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, fuzzy, php-format msgid "%1$s left group %2$s" msgstr "%s gekk úr hópnum %s" @@ -2346,8 +2356,8 @@ msgstr "" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "Enginn stuðningur við gagnasnið." @@ -2494,7 +2504,7 @@ msgstr "Get ekki vistað nýja lykilorðið." msgid "Password saved." msgstr "Lykilorð vistað." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "" @@ -2527,7 +2537,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 #, fuzzy msgid "Site" msgstr "Bjóða" @@ -2710,7 +2720,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 lágstafir eða tölustafir, engin greinarmerki eða bil" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Fullt nafn" @@ -2741,7 +2751,7 @@ msgid "Bio" msgstr "Lýsing" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3326,7 +3336,7 @@ msgid "User is already sandboxed." msgstr "" #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3386,7 +3396,7 @@ msgstr "Uppröðun" msgid "Description" msgstr "Lýsing" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Tölfræði" @@ -3498,67 +3508,67 @@ msgstr "%s hópurinn" msgid "%1$s group, page %2$d" msgstr "Hópmeðlimir %s, síða %d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "Hópssíðan" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "Vefslóð" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Athugasemd" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "Hópsaðgerðir" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "%s hópurinn" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "Meðlimir" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Ekkert)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "Allir meðlimir" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3568,7 +3578,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3577,7 +3587,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "" @@ -4112,7 +4122,7 @@ msgstr "" msgid "No such tag." msgstr "Ekkert þannig merki." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "Aðferð í forritsskilum er í þróun." @@ -4145,7 +4155,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "Notandi" @@ -4440,6 +4450,11 @@ msgstr "Gat ekki uppfært hóp." msgid "Group leave failed." msgstr "Hópssíðan" +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "Gat ekki uppfært hóp." + #: classes/Login_token.php:76 #, fuzzy, php-format msgid "Could not create login token for %s" @@ -4458,46 +4473,46 @@ msgstr "Gat ekki skeytt skilaboðum inn í." msgid "Could not update message with new URI." msgstr "Gat ekki uppfært skilaboð með nýju veffangi." -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Gagnagrunnsvilla við innsetningu myllumerkis: %s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "Gat ekki vistað babl. Óþekktur notandi." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Of mikið babl í einu; slakaðu aðeins á og haltu svo áfram eftir nokkrar " "mínútur." -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "Það hefur verið lagt bann við babli frá þér á þessari síðu." -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "Vandamál komu upp við að vista babl." -#: classes/Notice.php:882 +#: classes/Notice.php:911 #, fuzzy msgid "Problem saving group inbox." msgstr "Vandamál komu upp við að vista babl." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4529,19 +4544,29 @@ msgstr "Gat ekki eytt áskrift." msgid "Couldn't delete subscription." msgstr "Gat ekki eytt áskrift." -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "Gat ekki búið til hóp." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "Gat ekki skráð hópmeðlimi." + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Gat ekki skráð hópmeðlimi." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "Gat ekki vistað áskrift." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "Breyta persónulegu stillingunum þínum" @@ -4764,15 +4789,15 @@ msgstr "Eftir" msgid "Before" msgstr "Ãður" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4800,41 +4825,41 @@ msgstr "Skipun hefur ekki verið fullbúin" msgid "Unable to delete design setting." msgstr "" -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 #, fuzzy msgid "Basic site configuration" msgstr "Staðfesting tölvupóstfangs" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 #, fuzzy msgid "Design configuration" msgstr "SMS staðfesting" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 #, fuzzy msgid "User configuration" msgstr "SMS staðfesting" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Access configuration" msgstr "SMS staðfesting" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 #, fuzzy msgid "Paths configuration" msgstr "SMS staðfesting" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Sessions configuration" msgstr "SMS staðfesting" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5420,23 +5445,23 @@ msgstr "Kerfisvilla kom upp við upphal skráar." msgid "Not an image or corrupt file." msgstr "Annaðhvort ekki mynd eða þá að skráin er gölluð." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "Skráarsnið myndar ekki stutt." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "Týndum skránni okkar" -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "Óþekkt skráargerð" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "" @@ -5960,7 +5985,7 @@ msgstr "Svara þessu babli" msgid "Repeat this notice" msgstr "Svara þessu babli" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index 7e3d7998a..49cc6e548 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -9,18 +9,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:51:09+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:33:54+0000\n" "Language-Team: Italian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "Accesso" @@ -93,14 +93,15 @@ msgstr "Pagina inesistente." #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "Utente inesistente." @@ -185,20 +186,20 @@ msgstr "Messaggi da %1$s e amici su %2$s!" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 msgid "API method not found." msgstr "Metodo delle API non trovato." @@ -232,8 +233,9 @@ msgstr "Impossibile aggiornare l'utente." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "L'utente non ha un profilo." @@ -259,7 +261,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -369,7 +371,7 @@ msgstr "Impossibile determinare l'utente sorgente." msgid "Could not find target user." msgstr "Impossibile trovare l'utente destinazione." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." @@ -377,62 +379,62 @@ msgstr "" "Il soprannome deve essere composto solo da lettere minuscole e numeri, senza " "spazi." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "Soprannome già in uso. Prova con un altro." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Non è un soprannome valido." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "L'indirizzo della pagina web non è valido." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "Nome troppo lungo (max 255 caratteri)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "La descrizione è troppo lunga (max %d caratteri)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "Ubicazione troppo lunga (max 255 caratteri)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "Troppi alias! Massimo %d." -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Alias non valido: \"%s\"" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "L'alias \"%s\" è già in uso. Prova con un altro." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "L'alias non può essere lo stesso del soprannome." @@ -443,15 +445,15 @@ msgstr "L'alias non può essere lo stesso del soprannome." msgid "Group not found!" msgstr "Gruppo non trovato!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "Fai già parte di quel gruppo." -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "L'amministratore ti ha bloccato l'accesso a quel gruppo." -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, php-format msgid "Could not join user %1$s to group %2$s." msgstr "Impossibile iscrivere l'utente %1$s al gruppo %2$s." @@ -460,7 +462,7 @@ msgstr "Impossibile iscrivere l'utente %1$s al gruppo %2$s." msgid "You are not a member of this group." msgstr "Non fai parte di questo gruppo." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "Impossibile rimuovere l'utente %1$s dal gruppo %2$s." @@ -491,7 +493,7 @@ msgstr "Token non valido." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -535,7 +537,7 @@ msgstr "Il token di richiesta %s è stato rifiutato o revocato." #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -567,7 +569,7 @@ msgstr "Account" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -650,12 +652,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s aggiornamenti preferiti da %2$s / %3$s" #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "Attività di %s" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -712,8 +714,7 @@ msgstr "Nessun allegato." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Nessun soprannome." @@ -725,7 +726,7 @@ msgstr "Nessuna dimensione." msgid "Invalid size." msgstr "Dimensione non valida." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Immagine" @@ -743,17 +744,17 @@ msgid "User without matching profile" msgstr "Utente senza profilo corrispondente" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Impostazioni immagine" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Originale" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Anteprima" @@ -762,11 +763,11 @@ msgstr "Anteprima" msgid "Delete" msgstr "Elimina" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Carica" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "Ritaglia" @@ -774,7 +775,7 @@ msgstr "Ritaglia" msgid "Pick a square area of the image to be your avatar" msgstr "Scegli un'area quadrata per la tua immagine personale" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Perso il nostro file di dati." @@ -809,22 +810,22 @@ msgstr "" "risposte che ti invierà." #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "No" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "Non bloccare questo utente" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Sì" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "Blocca questo utente" @@ -832,39 +833,43 @@ msgstr "Blocca questo utente" msgid "Failed to save block information." msgstr "Salvataggio delle informazioni per il blocco non riuscito." -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "Nessuna gruppo." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "Profili bloccati di %s" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "Profili bloccati di %1$s, pagina %2$d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "Un elenco degli utenti a cui è bloccato l'accesso a questo gruppo." -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "Sblocca l'utente dal gruppo" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "Sblocca" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "Sblocca questo utente" @@ -1014,7 +1019,7 @@ msgstr "Puoi eliminare solo gli utenti locali." msgid "Delete user" msgstr "Elimina utente" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." @@ -1022,12 +1027,12 @@ msgstr "" "Vuoi eliminare questo utente? Questa azione eliminerà tutti i dati " "dell'utente dal database, senza una copia di sicurezza." -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "Elimina questo utente" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "Aspetto" @@ -1221,29 +1226,29 @@ msgstr "Modifica il gruppo %s" msgid "You must be logged in to create a group." msgstr "Devi eseguire l'accesso per creare un gruppo." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "Devi essere amministratore per modificare il gruppo." -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "Usa questo modulo per modificare il gruppo." -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "La descrizione è troppo lunga (max %d caratteri)." -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "Impossibile aggiornare il gruppo." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "Impossibile creare gli alias." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "Opzioni salvate." @@ -1587,7 +1592,7 @@ msgstr "L'utente è già bloccato dal gruppo." msgid "User is not a member of group." msgstr "L'utente non fa parte del gruppo." -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "Blocca l'utente dal gruppo" @@ -1622,11 +1627,11 @@ msgstr "Nessun ID." msgid "You must be logged in to edit a group." msgstr "Devi eseguire l'accesso per modificare un gruppo." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "Aspetto del gruppo" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." @@ -1634,20 +1639,20 @@ msgstr "" "Personalizza l'aspetto del tuo gruppo con un'immagine di sfondo e dei colori " "personalizzati." -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 msgid "Couldn't update your design." msgstr "Impossibile aggiornare l'aspetto." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "Preferenze dell'aspetto salvate." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "Logo del gruppo" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." @@ -1655,57 +1660,57 @@ msgstr "" "Puoi caricare un'immagine per il logo del tuo gruppo. La dimensione massima " "del file è di %s." -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 msgid "User without matching profile." msgstr "Utente senza profilo corrispondente." -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Scegli un'area quadrata dell'immagine per il logo." -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "Logo aggiornato." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "Aggiornamento del logo non riuscito." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "Membri del gruppo %s" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "Membri del gruppo %1$s, pagina %2$d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "Un elenco degli utenti in questo gruppo." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Amministra" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "Blocca" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "Rende l'utente amministratore del gruppo" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "Rendi amm." -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "Rende questo utente un amministratore" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Messaggi dai membri di %1$s su %2$s!" @@ -2039,7 +2044,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "Devi eseguire l'accesso per iscriverti a un gruppo." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Nessun soprannome." + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "%1$s fa ora parte del gruppo %2$s" @@ -2048,11 +2058,11 @@ msgstr "%1$s fa ora parte del gruppo %2$s" msgid "You must be logged in to leave a group." msgstr "Devi eseguire l'accesso per lasciare un gruppo." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "Non fai parte di quel gruppo." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, php-format msgid "%1$s left group %2$s" msgstr "%1$s ha lasciato il gruppo %2$s" @@ -2324,8 +2334,8 @@ msgstr "tipo di contenuto " msgid "Only " msgstr "Solo " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "Non è un formato di dati supportato." @@ -2466,7 +2476,7 @@ msgstr "Impossibile salvare la nuova password." msgid "Password saved." msgstr "Password salvata." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "Percorsi" @@ -2499,7 +2509,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Server SSL non valido. La lunghezza massima è di 255 caratteri." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Sito" @@ -2674,7 +2684,7 @@ msgstr "" "1-64 lettere minuscole o numeri, senza spazi o simboli di punteggiatura" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Nome" @@ -2702,7 +2712,7 @@ msgid "Bio" msgstr "Biografia" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3032,7 +3042,7 @@ msgstr "Registrazione riuscita" #: actions/register.php:114 actions/register.php:503 lib/action.php:463 #: lib/logingroupnav.php:85 msgid "Register" -msgstr "Registra" +msgstr "Registrati" #: actions/register.php:135 msgid "Registration not allowed." @@ -3297,7 +3307,7 @@ msgid "User is already sandboxed." msgstr "L'utente è già nella \"sandbox\"." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "Sessioni" @@ -3352,7 +3362,7 @@ msgstr "Organizzazione" msgid "Description" msgstr "Descrizione" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statistiche" @@ -3472,67 +3482,67 @@ msgstr "Gruppo %s" msgid "%1$s group, page %2$d" msgstr "Gruppi di %1$s, pagina %2$d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "Profilo del gruppo" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Nota" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "Alias" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "Azioni dei gruppi" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Feed dei messaggi per il gruppo %s (RSS 1.0)" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Feed dei messaggi per il gruppo %s (RSS 2.0)" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Feed dei messaggi per il gruppo %s (Atom)" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "FOAF per il gruppo %s" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "Membri" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(nessuno)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "Tutti i membri" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "Creato" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3548,7 +3558,7 @@ msgstr "" "stesso](%%%%action.register%%%%) per far parte di questo gruppo e di molti " "altri! ([Maggiori informazioni](%%%%doc.help%%%%))" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3560,7 +3570,7 @@ msgstr "" "(http://it.wikipedia.org/wiki/Microblogging) basato sul software libero " "[StatusNet](http://status.net/)." -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "Amministratori" @@ -3934,17 +3944,16 @@ msgstr "Impossibile salvare l'abbonamento." #: actions/subscribe.php:77 msgid "This action only accepts POST requests." -msgstr "" +msgstr "Quest'azione accetta solo richieste POST." #: actions/subscribe.php:107 -#, fuzzy msgid "No such profile." -msgstr "Nessun file." +msgstr "Nessun profilo." #: actions/subscribe.php:117 -#, fuzzy msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." -msgstr "Non hai una abbonamento a quel profilo." +msgstr "" +"Non è possibile abbonarsi a un profilo remoto OMB 0.1 con quest'azione." #: actions/subscribe.php:145 msgid "Subscribed" @@ -4109,7 +4118,7 @@ msgstr "" msgid "No such tag." msgstr "Nessuna etichetta." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "Metodo delle API in lavorazione." @@ -4141,7 +4150,7 @@ msgstr "" "La licenza \"%1$s\" dello stream di chi ascolti non è compatibile con la " "licenza \"%2$s\" di questo sito." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "Utente" @@ -4441,6 +4450,11 @@ msgstr "Non si fa parte del gruppo." msgid "Group leave failed." msgstr "Uscita dal gruppo non riuscita." +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "Impossibile aggiornare il gruppo." + #: classes/Login_token.php:76 #, php-format msgid "Could not create login token for %s" @@ -4458,27 +4472,27 @@ msgstr "Impossibile inserire il messaggio." msgid "Could not update message with new URI." msgstr "Impossibile aggiornare il messaggio con il nuovo URI." -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Errore del DB nell'inserire un hashtag: %s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 msgid "Problem saving notice. Too long." msgstr "Problema nel salvare il messaggio. Troppo lungo." -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "Problema nel salvare il messaggio. Utente sconosciuto." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Troppi messaggi troppo velocemente; fai una pausa e scrivi di nuovo tra " "qualche minuto." -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4486,19 +4500,19 @@ msgstr "" "Troppi messaggi duplicati troppo velocemente; fai una pausa e scrivi di " "nuovo tra qualche minuto." -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "Ti è proibito inviare messaggi su questo sito." -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "Problema nel salvare il messaggio." -#: classes/Notice.php:882 +#: classes/Notice.php:911 msgid "Problem saving group inbox." msgstr "Problema nel salvare la casella della posta del gruppo." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4527,19 +4541,29 @@ msgstr "Impossibile eliminare l'auto-abbonamento." msgid "Couldn't delete subscription." msgstr "Impossibile eliminare l'abbonamento." -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Benvenuti su %1$s, @%2$s!" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "Impossibile creare il gruppo." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "Impossibile impostare la membership al gruppo." + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Impossibile impostare la membership al gruppo." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "Impossibile salvare l'abbonamento." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "Modifica le impostazioni del tuo profilo" @@ -4760,17 +4784,17 @@ msgstr "Successivi" msgid "Before" msgstr "Precedenti" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." -msgstr "" +msgstr "Impossibile gestire contenuti remoti." -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." -msgstr "" +msgstr "Impossibile gestire contenuti XML incorporati." -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." -msgstr "" +msgstr "Impossibile gestire contenuti Base64." #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." @@ -4792,37 +4816,37 @@ msgstr "saveSettings() non implementata." msgid "Unable to delete design setting." msgstr "Impossibile eliminare le impostazioni dell'aspetto." -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 msgid "Basic site configuration" msgstr "Configurazione di base" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "Configurazione aspetto" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 msgid "User configuration" msgstr "Configurazione utente" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 msgid "Access configuration" msgstr "Configurazione di accesso" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 msgid "Paths configuration" msgstr "Configurazione percorsi" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 msgid "Sessions configuration" msgstr "Configurazione sessioni" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" "Le risorse API richiedono accesso lettura-scrittura, ma si dispone del solo " "accesso in lettura." -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5120,9 +5144,9 @@ msgstr "" "minuti: %s" #: lib/command.php:692 -#, fuzzy, php-format +#, php-format msgid "Unsubscribed %s" -msgstr "Abbonamento a %s annullato" +msgstr "%s ha annullato l'abbonamento" #: lib/command.php:709 msgid "You are not subscribed to anyone." @@ -5155,7 +5179,6 @@ msgstr[0] "Non fai parte di questo gruppo:" msgstr[1] "Non fai parte di questi gruppi:" #: lib/command.php:769 -#, fuzzy msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5208,6 +5231,7 @@ msgstr "" "d - invia un messaggio diretto all'utente\n" "get - recupera l'ultimo messaggio dell'utente\n" "whois - recupera le informazioni del profilo dell'utente\n" +"lose - forza un utente nel non seguirti più\n" "fav - aggiunge l'ultimo messaggio dell'utente tra i tuoi " "preferiti\n" "fav # - aggiunge un messaggio con quell'ID tra i tuoi " @@ -5439,23 +5463,23 @@ msgstr "Errore di sistema nel caricare il file." msgid "Not an image or corrupt file." msgstr "Non è un'immagine o il file è danneggiato." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "Formato file immagine non supportato." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "Perso il nostro file." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "Tipo di file sconosciuto" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "MB" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "kB" @@ -6048,7 +6072,7 @@ msgstr "Ripetere questo messaggio?" msgid "Repeat this notice" msgstr "Ripeti questo messaggio" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "Nessun utente singolo definito per la modalità single-user." diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index e05ddbd15..adf4757f9 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -11,18 +11,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:51:12+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:33:57+0000\n" "Language-Team: Japanese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "アクセス" @@ -93,14 +93,15 @@ msgstr "ãã®ã‚ˆã†ãªãƒšãƒ¼ã‚¸ã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "ãã®ã‚ˆã†ãªãƒ¦ãƒ¼ã‚¶ã¯ã„ã¾ã›ã‚“。" @@ -182,20 +183,20 @@ msgstr "%2$s ã« %1$s ã¨å‹äººã‹ã‚‰ã®æ›´æ–°ãŒã‚ã‚Šã¾ã™ï¼" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 msgid "API method not found." msgstr "API メソッドãŒè¦‹ã¤ã‹ã‚Šã¾ã›ã‚“。" @@ -229,8 +230,9 @@ msgstr "ユーザを更新ã§ãã¾ã›ã‚“ã§ã—ãŸã€‚" #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "ユーザã¯ãƒ—ロフィールをもã£ã¦ã„ã¾ã›ã‚“。" @@ -256,7 +258,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -367,7 +369,7 @@ msgstr "ソースユーザーを決定ã§ãã¾ã›ã‚“。" msgid "Could not find target user." msgstr "ターゲットユーザーを見ã¤ã‘られã¾ã›ã‚“。" -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." @@ -375,62 +377,62 @@ msgstr "" "ニックãƒãƒ¼ãƒ ã«ã¯ã€å°æ–‡å­—アルファベットã¨æ•°å­—ã®ã¿ä½¿ç”¨ã§ãã¾ã™ã€‚スペースã¯ä½¿ç”¨" "ã§ãã¾ã›ã‚“。" -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "ãã®ãƒ‹ãƒƒã‚¯ãƒãƒ¼ãƒ ã¯æ—¢ã«ä½¿ç”¨ã•ã‚Œã¦ã„ã¾ã™ã€‚ä»–ã®ã‚‚ã®ã‚’試ã—ã¦ã¿ã¦ä¸‹ã•ã„。" -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "有効ãªãƒ‹ãƒƒã‚¯ãƒãƒ¼ãƒ ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "ホームページã®URLãŒä¸é©åˆ‡ã§ã™ã€‚" -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "フルãƒãƒ¼ãƒ ãŒé•·ã™ãŽã¾ã™ã€‚(255å­—ã¾ã§ï¼‰" -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "記述ãŒé•·ã™ãŽã¾ã™ã€‚(最長140字)" -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "場所ãŒé•·ã™ãŽã¾ã™ã€‚(255å­—ã¾ã§ï¼‰" -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "別åãŒå¤šã™ãŽã¾ã™! 最大 %d。" -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "ä¸æ­£ãªåˆ¥å: \"%s\"" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "別å \"%s\" ã¯æ—¢ã«ä½¿ç”¨ã•ã‚Œã¦ã„ã¾ã™ã€‚ä»–ã®ã‚‚ã®ã‚’試ã—ã¦ã¿ã¦ä¸‹ã•ã„。" -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "別åã¯ãƒ‹ãƒƒã‚¯ãƒãƒ¼ãƒ ã¨åŒã˜ã§ã¯ã„ã‘ã¾ã›ã‚“。" @@ -441,15 +443,15 @@ msgstr "別åã¯ãƒ‹ãƒƒã‚¯ãƒãƒ¼ãƒ ã¨åŒã˜ã§ã¯ã„ã‘ã¾ã›ã‚“。" msgid "Group not found!" msgstr "グループãŒè¦‹ã¤ã‹ã‚Šã¾ã›ã‚“!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "ã™ã§ã«ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¡ãƒ³ãƒãƒ¼ã§ã™ã€‚" -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "管ç†è€…ã«ã‚ˆã£ã¦ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã‹ã‚‰ãƒ–ロックã•ã‚Œã¦ã„ã¾ã™ã€‚" -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, php-format msgid "Could not join user %1$s to group %2$s." msgstr "ユーザ %1$s ã¯ã‚°ãƒ«ãƒ¼ãƒ— %2$s ã«å‚加ã§ãã¾ã›ã‚“。" @@ -458,7 +460,7 @@ msgstr "ユーザ %1$s ã¯ã‚°ãƒ«ãƒ¼ãƒ— %2$s ã«å‚加ã§ãã¾ã›ã‚“。" msgid "You are not a member of this group." msgstr "ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¡ãƒ³ãƒãƒ¼ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "ユーザ %1$s をグループ %2$s ã‹ã‚‰å‰Šé™¤ã§ãã¾ã›ã‚“。" @@ -489,7 +491,7 @@ msgstr "ä¸æ­£ãªãƒˆãƒ¼ã‚¯ãƒ³ã€‚" #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -532,7 +534,7 @@ msgstr "リクエストトークン%sã¯ã€æ‹’å¦ã•ã‚Œã¦ã€å–り消ã•ã‚Œã¾ #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -561,7 +563,7 @@ msgstr "アカウント" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -643,12 +645,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s 㯠%2$s ã§ãŠæ°—ã«å…¥ã‚Šã‚’æ›´æ–°ã—ã¾ã—㟠/ %2$s。" #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "%s ã®ã‚¿ã‚¤ãƒ ãƒ©ã‚¤ãƒ³" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -705,8 +707,7 @@ msgstr "ãã®ã‚ˆã†ãªæ·»ä»˜ã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "ニックãƒãƒ¼ãƒ ãŒã‚ã‚Šã¾ã›ã‚“。" @@ -718,7 +719,7 @@ msgstr "サイズãŒã‚ã‚Šã¾ã›ã‚“。" msgid "Invalid size." msgstr "ä¸æ­£ãªã‚µã‚¤ã‚ºã€‚" -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "ã‚¢ãƒã‚¿ãƒ¼" @@ -735,17 +736,17 @@ msgid "User without matching profile" msgstr "åˆã£ã¦ã„るプロフィールã®ãªã„ユーザ" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "ã‚¢ãƒã‚¿ãƒ¼è¨­å®š" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "オリジナル" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "プレビュー" @@ -754,11 +755,11 @@ msgstr "プレビュー" msgid "Delete" msgstr "削除" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "アップロード" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "切りå–ã‚Š" @@ -766,7 +767,7 @@ msgstr "切りå–ã‚Š" msgid "Pick a square area of the image to be your avatar" msgstr "ã‚ãªãŸã®ã‚¢ãƒã‚¿ãƒ¼ã¨ãªã‚‹ã‚¤ãƒ¡ãƒ¼ã‚¸ã‚’正方形ã§æŒ‡å®š" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "ファイルデータを紛失ã—ã¾ã—ãŸã€‚" @@ -802,22 +803,22 @@ msgstr "" "ã©ã‚“㪠@-返信 ã«ã¤ã„ã¦ã‚‚ãれらã‹ã‚‰é€šçŸ¥ã•ã‚Œãªã„ã§ã—ょã†ã€‚" #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "No" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "ã“ã®ãƒ¦ãƒ¼ã‚¶ã‚’アンブロックã™ã‚‹" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Yes" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "ã“ã®ãƒ¦ãƒ¼ã‚¶ã‚’ブロックã™ã‚‹" @@ -825,39 +826,43 @@ msgstr "ã“ã®ãƒ¦ãƒ¼ã‚¶ã‚’ブロックã™ã‚‹" msgid "Failed to save block information." msgstr "ブロック情報ã®ä¿å­˜ã«å¤±æ•—ã—ã¾ã—ãŸã€‚" -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "ãã®ã‚ˆã†ãªã‚°ãƒ«ãƒ¼ãƒ—ã¯ã‚ã‚Šã¾ã›ã‚“。" -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "%s ブロックã•ã‚ŒãŸãƒ—ロファイル" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s ブロックã•ã‚ŒãŸãƒ—ロファイルã€ãƒšãƒ¼ã‚¸ %2$d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã¸ã®å‚加をブロックã•ã‚ŒãŸãƒ¦ãƒ¼ã‚¶ã®ãƒªã‚¹ãƒˆã€‚" -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "グループã‹ã‚‰ã®ã‚¢ãƒ³ãƒ–ロックユーザ" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "アンブロック" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "ã“ã®ãƒ¦ãƒ¼ã‚¶ã‚’アンブロックã™ã‚‹" @@ -1008,7 +1013,7 @@ msgstr "ローカルユーザã®ã¿å‰Šé™¤ã§ãã¾ã™ã€‚" msgid "Delete user" msgstr "ユーザ削除" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." @@ -1016,12 +1021,12 @@ msgstr "" "ã‚ãªãŸã¯æœ¬å½“ã«ã“ã®ãƒ¦ãƒ¼ã‚¶ã‚’削除ã—ãŸã„ã§ã™ã‹? ã“ã‚Œã¯ãƒãƒƒã‚¯ã‚¢ãƒƒãƒ—ãªã—ã§ãƒ‡ãƒ¼ã‚¿" "ベースã‹ã‚‰ãƒ¦ãƒ¼ã‚¶ã«é–¢ã™ã‚‹ã™ã¹ã¦ã®ãƒ‡ãƒ¼ã‚¿ã‚’クリアã—ã¾ã™ã€‚" -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "ã“ã®ãƒ¦ãƒ¼ã‚¶ã‚’削除" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "デザイン" @@ -1215,29 +1220,29 @@ msgstr "%s グループを編集" msgid "You must be logged in to create a group." msgstr "グループを作るã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ã„ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "グループを編集ã™ã‚‹ã«ã¯ç®¡ç†è€…ã§ã‚ã‚‹å¿…è¦ãŒã‚ã‚Šã¾ã™ã€‚" -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "ã“ã®ãƒ•ã‚©ãƒ¼ãƒ ã‚’使ã£ã¦ã‚°ãƒ«ãƒ¼ãƒ—を編集ã—ã¾ã™ã€‚" -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "記述ãŒé•·ã™ãŽã¾ã™ã€‚(最長 %d 字)" -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "グループを更新ã§ãã¾ã›ã‚“。" -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "別åを作æˆã§ãã¾ã›ã‚“。" -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "オプションãŒä¿å­˜ã•ã‚Œã¾ã—ãŸã€‚" @@ -1581,7 +1586,7 @@ msgstr "ユーザã¯ã™ã§ã«ã‚°ãƒ«ãƒ¼ãƒ—ã‹ã‚‰ãƒ–ロックã•ã‚Œã¦ã„ã¾ã™ã€‚ msgid "User is not a member of group." msgstr "ユーザã¯ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¡ãƒ³ãƒãƒ¼ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "グループã‹ã‚‰ãƒ¦ãƒ¼ã‚¶ã‚’ブロック" @@ -1615,11 +1620,11 @@ msgstr "ID ãŒã‚ã‚Šã¾ã›ã‚“。" msgid "You must be logged in to edit a group." msgstr "グループを編集ã™ã‚‹ã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ã„ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "グループデザイン" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." @@ -1627,20 +1632,20 @@ msgstr "" "ã‚ãªãŸãŒé¸ã‚“ã ãƒ‘レットã®è‰²ã¨ãƒãƒƒã‚¯ã‚°ãƒ©ã‚¦ãƒ³ãƒ‰ã‚¤ãƒ¡ãƒ¼ã‚¸ã§ã‚ãªãŸã®ã‚°ãƒ«ãƒ¼ãƒ—をカス" "タマイズã—ã¦ãã ã•ã„。" -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 msgid "Couldn't update your design." msgstr "ã‚ãªãŸã®ãƒ‡ã‚¶ã‚¤ãƒ³ã‚’æ›´æ–°ã§ãã¾ã›ã‚“。" -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "デザイン設定ãŒä¿å­˜ã•ã‚Œã¾ã—ãŸã€‚" -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "グループロゴ" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." @@ -1648,57 +1653,57 @@ msgstr "" "ã‚ãªãŸã®ã‚°ãƒ«ãƒ¼ãƒ—用ã«ãƒ­ã‚´ã‚¤ãƒ¡ãƒ¼ã‚¸ã‚’アップロードã§ãã¾ã™ã€‚最大ファイルサイズ㯠" "%s。" -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 msgid "User without matching profile." msgstr "åˆã£ã¦ã„るプロフィールã®ãªã„ユーザ" -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "ロゴã¨ãªã‚‹ã‚¤ãƒ¡ãƒ¼ã‚¸ã®æ­£æ–¹å½¢ã‚’é¸æŠžã€‚" -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "ロゴãŒæ›´æ–°ã•ã‚Œã¾ã—ãŸã€‚" -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "ロゴã®æ›´æ–°ã«å¤±æ•—ã—ã¾ã—ãŸã€‚" -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "%s グループメンãƒãƒ¼" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "%1$s グループメンãƒãƒ¼ã€ãƒšãƒ¼ã‚¸ %2$d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¦ãƒ¼ã‚¶ã®ãƒªã‚¹ãƒˆã€‚" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "管ç†è€…" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "ブロック" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "ユーザをグループã®ç®¡ç†è€…ã«ã™ã‚‹" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "管ç†è€…ã«ã™ã‚‹" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "ã“ã®ãƒ¦ãƒ¼ã‚¶ã‚’管ç†è€…ã«ã™ã‚‹" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "%2$s 上㮠%1$s ã®ãƒ¡ãƒ³ãƒãƒ¼ã‹ã‚‰æ›´æ–°ã™ã‚‹" @@ -2031,7 +2036,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "グループã«å…¥ã‚‹ãŸã‚ã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "ニックãƒãƒ¼ãƒ ãŒã‚ã‚Šã¾ã›ã‚“。" + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "%1$s ã¯ã‚°ãƒ«ãƒ¼ãƒ— %2$s ã«å‚加ã—ã¾ã—ãŸ" @@ -2040,11 +2050,11 @@ msgstr "%1$s ã¯ã‚°ãƒ«ãƒ¼ãƒ— %2$s ã«å‚加ã—ã¾ã—ãŸ" msgid "You must be logged in to leave a group." msgstr "グループã‹ã‚‰é›¢ã‚Œã‚‹ã«ã¯ãƒ­ã‚°ã‚¤ãƒ³ã—ã¦ã„ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "ã‚ãªãŸã¯ãã®ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¡ãƒ³ãƒãƒ¼ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, php-format msgid "%1$s left group %2$s" msgstr "%1$s ã¯ã‚°ãƒ«ãƒ¼ãƒ— %2$s ã«æ®‹ã‚Šã¾ã—ãŸã€‚" @@ -2315,8 +2325,8 @@ msgstr "内容種別 " msgid "Only " msgstr "ã ã‘ " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "サãƒãƒ¼ãƒˆã•ã‚Œã¦ã„ãªã„データ形å¼ã€‚" @@ -2457,7 +2467,7 @@ msgstr "æ–°ã—ã„パスワードをä¿å­˜ã§ãã¾ã›ã‚“。" msgid "Password saved." msgstr "パスワードãŒä¿å­˜ã•ã‚Œã¾ã—ãŸã€‚" -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "パス" @@ -2490,7 +2500,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "ä¸æ­£ãª SSL サーãƒãƒ¼ã€‚最大 255 文字ã¾ã§ã€‚" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "サイト" @@ -2663,7 +2673,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64文字ã®ã€å°æ–‡å­—アルファベットã‹æ•°å­—ã§ã€ã‚¹ãƒšãƒ¼ã‚¹ã‚„å¥èª­ç‚¹ã¯é™¤ã" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "フルãƒãƒ¼ãƒ " @@ -2691,7 +2701,7 @@ msgid "Bio" msgstr "自己紹介" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3284,7 +3294,7 @@ msgid "User is already sandboxed." msgstr "ユーザã¯ã™ã§ã«ã‚µãƒ³ãƒ‰ãƒœãƒƒã‚¯ã‚¹ã§ã™ã€‚" #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "セッション" @@ -3339,7 +3349,7 @@ msgstr "組織" msgid "Description" msgstr "概è¦" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "統計データ" @@ -3461,67 +3471,67 @@ msgstr "%s グループ" msgid "%1$s group, page %2$d" msgstr "%1$s グループã€ãƒšãƒ¼ã‚¸ %2$d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "グループプロファイル" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "ノート" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "別å" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "グループアクション" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "%s グループã®ã¤ã¶ã‚„ãフィード (RSS 1.0)" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "%s グループã®ã¤ã¶ã‚„ãフィード (RSS 2.0)" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "%s グループã®ã¤ã¶ã‚„ãフィード (Atom)" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "%s グループ㮠FOAF" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "メンãƒãƒ¼" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(ãªã—)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "å…¨ã¦ã®ãƒ¡ãƒ³ãƒãƒ¼" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "作æˆæ—¥" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3536,7 +3546,7 @@ msgstr "" "ã™ã‚‹çŸ­ã„メッセージを共有ã—ã¾ã™ã€‚[今ã™ãå‚加](%%%%action.register%%%%) ã—ã¦ã“" "ã®ã‚°ãƒ«ãƒ¼ãƒ—ã®ä¸€å“¡ã«ãªã‚Šã¾ã—ょã†! ([ã‚‚ã£ã¨èª­ã‚€](%%%%doc.help%%%%))" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3549,7 +3559,7 @@ msgstr "" "wikipedia.org/wiki/Micro-blogging) サービス。メンãƒãƒ¼ã¯å½¼ã‚‰ã®æš®ã‚‰ã—ã¨èˆˆå‘³ã«é–¢" "ã™ã‚‹çŸ­ã„メッセージを共有ã—ã¾ã™ã€‚" -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "管ç†è€…" @@ -4100,7 +4110,7 @@ msgstr "ã“ã®ãƒ•ã‚©ãƒ¼ãƒ ã‚’使用ã—ã¦ã€ãƒ•ã‚©ãƒ­ãƒ¼è€…ã‹ãƒ•ã‚©ãƒ­ãƒ¼ã«ã‚¿ msgid "No such tag." msgstr "ãã®ã‚ˆã†ãªã‚¿ã‚°ã¯ã‚ã‚Šã¾ã›ã‚“。" -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "API メソッドãŒå·¥äº‹ä¸­ã§ã™ã€‚" @@ -4132,7 +4142,7 @@ msgstr "" "リスニーストリームライセンス ‘%1$s’ ã¯ã€ã‚µã‚¤ãƒˆãƒ©ã‚¤ã‚»ãƒ³ã‚¹ ‘%2$s’ ã¨äº’æ›æ€§ãŒã‚" "ã‚Šã¾ã›ã‚“。" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "ユーザ" @@ -4423,6 +4433,11 @@ msgstr "グループã®ä¸€éƒ¨ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" msgid "Group leave failed." msgstr "グループ脱退ã«å¤±æ•—ã—ã¾ã—ãŸã€‚" +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "グループを更新ã§ãã¾ã›ã‚“。" + #: classes/Login_token.php:76 #, php-format msgid "Could not create login token for %s" @@ -4440,26 +4455,26 @@ msgstr "メッセージを追加ã§ãã¾ã›ã‚“。" msgid "Could not update message with new URI." msgstr "æ–°ã—ã„URIã§ãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ã‚’アップデートã§ãã¾ã›ã‚“ã§ã—ãŸã€‚" -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "ãƒãƒƒã‚·ãƒ¥ã‚¿ã‚°è¿½åŠ  DB エラー: %s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 msgid "Problem saving notice. Too long." msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚é•·ã™ãŽã§ã™ã€‚" -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚ä¸æ˜Žãªãƒ¦ãƒ¼ã‚¶ã§ã™ã€‚" -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "多ã™ãŽã‚‹ã¤ã¶ã‚„ããŒé€Ÿã™ãŽã¾ã™; 数分間ã®ä¼‘ã¿ã‚’å–ã£ã¦ã‹ã‚‰å†æŠ•ç¨¿ã—ã¦ãã ã•ã„。" -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4467,19 +4482,19 @@ msgstr "" "多ã™ãŽã‚‹é‡è¤‡ãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ãŒé€Ÿã™ãŽã¾ã™; 数分間休ã¿ã‚’å–ã£ã¦ã‹ã‚‰å†åº¦æŠ•ç¨¿ã—ã¦ãã ã•" "ã„。" -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "ã‚ãªãŸã¯ã“ã®ã‚µã‚¤ãƒˆã§ã¤ã¶ã‚„ãを投稿ã™ã‚‹ã®ãŒç¦æ­¢ã•ã‚Œã¦ã„ã¾ã™ã€‚" -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚" -#: classes/Notice.php:882 +#: classes/Notice.php:911 msgid "Problem saving group inbox." msgstr "グループå—信箱をä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚" -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4508,19 +4523,29 @@ msgstr "自己フォローを削除ã§ãã¾ã›ã‚“。" msgid "Couldn't delete subscription." msgstr "フォローを削除ã§ãã¾ã›ã‚“" -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "よã†ã“ã %1$sã€@%2$s!" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "グループを作æˆã§ãã¾ã›ã‚“。" -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "グループメンãƒãƒ¼ã‚·ãƒƒãƒ—をセットã§ãã¾ã›ã‚“。" + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "グループメンãƒãƒ¼ã‚·ãƒƒãƒ—をセットã§ãã¾ã›ã‚“。" +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "フォローをä¿å­˜ã§ãã¾ã›ã‚“。" + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "プロファイル設定ã®å¤‰æ›´" @@ -4738,15 +4763,15 @@ msgstr "<<後" msgid "Before" msgstr "å‰>>" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4770,37 +4795,37 @@ msgstr "saveSettings() ã¯å®Ÿè£…ã•ã‚Œã¦ã„ã¾ã›ã‚“。" msgid "Unable to delete design setting." msgstr "デザイン設定を削除ã§ãã¾ã›ã‚“。" -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 msgid "Basic site configuration" msgstr "基本サイト設定" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "デザイン設定" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 msgid "User configuration" msgstr "ユーザ設定" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 msgid "Access configuration" msgstr "アクセス設定" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 msgid "Paths configuration" msgstr "パス設定" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 msgid "Sessions configuration" msgstr "セッション設定" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" "APIリソースã¯èª­ã¿æ›¸ãアクセスãŒå¿…è¦ã§ã™ã€ã—ã‹ã—ã‚ãªãŸã¯èª­ã¿ã‚¢ã‚¯ã‚»ã‚¹ã—ã‹æŒã£ã¦" "ã„ã¾ã›ã‚“。" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5371,23 +5396,23 @@ msgstr "ファイルã®ã‚¢ãƒƒãƒ—ロードã§ã‚·ã‚¹ãƒ†ãƒ ã‚¨ãƒ©ãƒ¼" msgid "Not an image or corrupt file." msgstr "ç”»åƒã§ã¯ãªã„ã‹ãƒ•ã‚¡ã‚¤ãƒ«ãŒç ´æã—ã¦ã„ã¾ã™ã€‚" -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "サãƒãƒ¼ãƒˆå¤–ã®ç”»åƒå½¢å¼ã§ã™ã€‚" -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "ファイルを紛失。" -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "ä¸æ˜Žãªãƒ•ã‚¡ã‚¤ãƒ«ã‚¿ã‚¤ãƒ—" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "MB" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "kB" @@ -5986,7 +6011,7 @@ msgstr "ã“ã®ã¤ã¶ã‚„ãã‚’ç¹°ã‚Šè¿”ã—ã¾ã™ã‹?" msgid "Repeat this notice" msgstr "ã“ã®ã¤ã¶ã‚„ãã‚’ç¹°ã‚Šè¿”ã™" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "single-user モードã®ãŸã‚ã®ã‚·ãƒ³ã‚°ãƒ«ãƒ¦ãƒ¼ã‚¶ãŒå®šç¾©ã•ã‚Œã¦ã„ã¾ã›ã‚“。" diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index 1653bf31b..1014fdfe4 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -7,18 +7,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:51:15+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:34:00+0000\n" "Language-Team: Korean\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 #, fuzzy msgid "Access" msgstr "수ë½" @@ -97,14 +97,15 @@ msgstr "그러한 태그가 없습니다." #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "그러한 사용ìžëŠ” 없습니다." @@ -181,20 +182,20 @@ msgstr "%1$s ë° %2$sì— ìžˆëŠ” ì¹œêµ¬ë“¤ì˜ ì—…ë°ì´íŠ¸!" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "API 메서드를 ì°¾ì„ ìˆ˜ 없습니다." @@ -228,8 +229,9 @@ msgstr "사용ìžë¥¼ ì—…ë°ì´íŠ¸ í•  수 없습니다." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "ì´ìš©ìžê°€ í”„ë¡œí•„ì„ ê°€ì§€ê³  있지 않습니다." @@ -254,7 +256,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 #, fuzzy @@ -373,7 +375,7 @@ msgstr "공개 streamì„ ë¶ˆëŸ¬ì˜¬ 수 없습니다." msgid "Could not find target user." msgstr "ì–´ë– í•œ ìƒíƒœë„ ì°¾ì„ ìˆ˜ 없습니다." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." @@ -381,62 +383,62 @@ msgstr "" "ë³„ëª…ì€ ë°˜ë“œì‹œ ì˜ì†Œë¬¸ìžì™€ 숫ìžë¡œë§Œ ì´ë£¨ì–´ì ¸ì•¼ 하며 스페ì´ìŠ¤ì˜ ì‚¬ìš©ì´ ë¶ˆê°€ 합니" "다." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "ë³„ëª…ì´ ì´ë¯¸ 사용중 입니다. 다른 ë³„ëª…ì„ ì‹œë„í•´ 보십시오." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "유효한 ë³„ëª…ì´ ì•„ë‹™ë‹ˆë‹¤" -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "홈페ì´ì§€ 주소형ì‹ì´ 올바르지 않습니다." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "ì‹¤ëª…ì´ ë„ˆë¬´ ê¹ë‹ˆë‹¤. (최대 255글ìž)" -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "ì„¤ëª…ì´ ë„ˆë¬´ 길어요. (최대 140글ìž)" -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "위치가 너무 ê¹ë‹ˆë‹¤. (최대 255글ìž)" -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "" -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, fuzzy, php-format msgid "Invalid alias: \"%s\"" msgstr "유효하지 ì•Šì€íƒœê·¸: \"%s\"" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, fuzzy, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "ë³„ëª…ì´ ì´ë¯¸ 사용중 입니다. 다른 ë³„ëª…ì„ ì‹œë„í•´ 보십시오." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "" @@ -448,16 +450,16 @@ msgstr "" msgid "Group not found!" msgstr "API 메서드를 ì°¾ì„ ìˆ˜ 없습니다." -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 #, fuzzy msgid "You are already a member of that group." msgstr "ë‹¹ì‹ ì€ ì´ë¯¸ ì´ ê·¸ë£¹ì˜ ë©¤ë²„ìž…ë‹ˆë‹¤." -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "" -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, fuzzy, php-format msgid "Could not join user %1$s to group %2$s." msgstr "그룹 %sì— %s는 가입할 수 없습니다." @@ -467,7 +469,7 @@ msgstr "그룹 %sì— %s는 가입할 수 없습니다." msgid "You are not a member of this group." msgstr "ë‹¹ì‹ ì€ í•´ë‹¹ ê·¸ë£¹ì˜ ë©¤ë²„ê°€ 아닙니다." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, fuzzy, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "그룹 %sì—ì„œ %s 사용ìžë¥¼ 제거할 수 없습니다." @@ -499,7 +501,7 @@ msgstr "옳지 ì•Šì€ í¬ê¸°" #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -543,7 +545,7 @@ msgstr "" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -572,7 +574,7 @@ msgstr "계정" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -659,12 +661,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s 좋아하는 ê¸€ì´ ì—…ë°ì´íŠ¸ ë습니다. %Sì— ì˜í•´ / %s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "%s 타임ë¼ì¸" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -722,8 +724,7 @@ msgstr "그러한 문서는 없습니다." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "ë³„ëª…ì´ ì—†ìŠµë‹ˆë‹¤." @@ -735,7 +736,7 @@ msgstr "사ì´ì¦ˆê°€ 없습니다." msgid "Invalid size." msgstr "옳지 ì•Šì€ í¬ê¸°" -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "아바타" @@ -752,17 +753,17 @@ msgid "User without matching profile" msgstr "프로필 ë§¤ì¹­ì´ ì—†ëŠ” 사용ìž" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "아바타 설정" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "ì›ëž˜ 설정" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "미리보기" @@ -771,11 +772,11 @@ msgstr "미리보기" msgid "Delete" msgstr "ì‚­ì œ" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "올리기" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "ìžë¥´ê¸°" @@ -783,7 +784,7 @@ msgstr "ìžë¥´ê¸°" msgid "Pick a square area of the image to be your avatar" msgstr "ë‹¹ì‹ ì˜ ì•„ë°”íƒ€ê°€ ë  ì´ë¯¸ì§€ì˜ì—­ì„ 지정하세요." -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "íŒŒì¼ ë°ì´í„°ë¥¼ 잃어버렸습니다." @@ -817,23 +818,23 @@ msgid "" msgstr "" #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "아니오" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 #, fuzzy msgid "Do not block this user" msgstr "ì´ ì‚¬ìš©ìžë¥¼ 차단해제합니다." #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "네, 맞습니다." -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "ì´ ì‚¬ìš©ìž ì°¨ë‹¨í•˜ê¸°" @@ -841,41 +842,45 @@ msgstr "ì´ ì‚¬ìš©ìž ì°¨ë‹¨í•˜ê¸°" msgid "Failed to save block information." msgstr "ì •ë³´ì°¨ë‹¨ì„ ì €ìž¥í•˜ëŠ”ë° ì‹¤íŒ¨í–ˆìŠµë‹ˆë‹¤." -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "그러한 ê·¸ë£¹ì´ ì—†ìŠµë‹ˆë‹¤." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, fuzzy, php-format msgid "%s blocked profiles" msgstr "ì´ìš©ìž 프로필" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, fuzzy, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%s 와 친구들, %d 페ì´ì§€" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 #, fuzzy msgid "A list of the users blocked from joining this group." msgstr "ì´ ê·¸ë£¹ì˜ íšŒì›ë¦¬ìŠ¤íŠ¸" -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 #, fuzzy msgid "Unblock user from group" msgstr "ì‚¬ìš©ìž ì°¨ë‹¨ í•´ì œì— ì‹¤íŒ¨í–ˆìŠµë‹ˆë‹¤." -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "차단해제" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "ì´ ì‚¬ìš©ìžë¥¼ 차단해제합니다." @@ -1036,19 +1041,19 @@ msgstr "ë‹¹ì‹ ì€ ë‹¤ë¥¸ 사용ìžì˜ ìƒíƒœë¥¼ 삭제하지 ì•Šì•„ë„ ëœë‹¤." msgid "Delete user" msgstr "ì‚­ì œ" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 #, fuzzy msgid "Delete this user" msgstr "ì´ ê²Œì‹œê¸€ 삭제하기" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1261,31 +1266,31 @@ msgstr "%s 그룹 편집" msgid "You must be logged in to create a group." msgstr "ê·¸ë£¹ì„ ë§Œë“¤ê¸° 위해서는 로그ì¸í•´ì•¼ 합니다." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 #, fuzzy msgid "You must be an admin to edit the group." msgstr "관리ìžë§Œ ê·¸ë£¹ì„ íŽ¸ì§‘í•  수 있습니다." -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "ë‹¤ìŒ ì–‘ì‹ì„ ì´ìš©í•´ ê·¸ë£¹ì„ íŽ¸ì§‘í•˜ì‹­ì‹œì˜¤." -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, fuzzy, php-format msgid "description is too long (max %d chars)." msgstr "ì„¤ëª…ì´ ë„ˆë¬´ 길어요. (최대 140글ìž)" -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "ê·¸ë£¹ì„ ì—…ë°ì´íŠ¸ í•  수 없습니다." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 #, fuzzy msgid "Could not create aliases." msgstr "좋아하는 ê²Œì‹œê¸€ì„ ìƒì„±í•  수 없습니다." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "ì˜µì…˜ë“¤ì´ ì €ìž¥ë˜ì—ˆìŠµë‹ˆë‹¤." @@ -1634,7 +1639,7 @@ msgstr "회ì›ì´ ë‹¹ì‹ ì„ ì°¨ë‹¨í•´ì™”ìŠµë‹ˆë‹¤." msgid "User is not a member of group." msgstr "ë‹¹ì‹ ì€ í•´ë‹¹ ê·¸ë£¹ì˜ ë©¤ë²„ê°€ 아닙니다." -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 #, fuzzy msgid "Block user from group" msgstr "사용ìžë¥¼ 차단합니다." @@ -1671,93 +1676,93 @@ msgstr "IDê°€ 없습니다." msgid "You must be logged in to edit a group." msgstr "ê·¸ë£¹ì„ ë§Œë“¤ê¸° 위해서는 로그ì¸í•´ì•¼ 합니다." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 #, fuzzy msgid "Group design" msgstr "그룹" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "" -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 #, fuzzy msgid "Couldn't update your design." msgstr "사용ìžë¥¼ ì—…ë°ì´íŠ¸ í•  수 없습니다." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 #, fuzzy msgid "Design preferences saved." msgstr "싱í¬ì„¤ì •ì´ 저장ë˜ì—ˆìŠµë‹ˆë‹¤." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "그룹 로고" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, fuzzy, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "ë‹¹ì‹ ê·¸ë£¹ì˜ ë¡œê³  ì´ë¯¸ì§€ë¥¼ 업로드할 수 있습니다." -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 #, fuzzy msgid "User without matching profile." msgstr "프로필 ë§¤ì¹­ì´ ì—†ëŠ” 사용ìž" -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 #, fuzzy msgid "Pick a square area of the image to be the logo." msgstr "ë‹¹ì‹ ì˜ ì•„ë°”íƒ€ê°€ ë  ì´ë¯¸ì§€ì˜ì—­ì„ 지정하세요." -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "로고를 ì—…ë°ì´íŠ¸í–ˆìŠµë‹ˆë‹¤." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "로고 ì—…ë°ì´íŠ¸ì— 실패했습니다." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "%s 그룹 회ì›" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, fuzzy, php-format msgid "%1$s group members, page %2$d" msgstr "%s 그룹 회ì›, %d페ì´ì§€" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "ì´ ê·¸ë£¹ì˜ íšŒì›ë¦¬ìŠ¤íŠ¸" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "관리ìž" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "차단하기" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 #, fuzzy msgid "Make user an admin of the group" msgstr "관리ìžë§Œ ê·¸ë£¹ì„ íŽ¸ì§‘í•  수 있습니다." -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 #, fuzzy msgid "Make Admin" msgstr "관리ìž" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "%2$sì— ìžˆëŠ” %1$sì˜ ì—…ë°ì´íŠ¸!" @@ -2076,7 +2081,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "ê·¸ë£¹ê°€ìž…ì„ ìœ„í•´ì„œëŠ” 로그ì¸ì´ 필요합니다." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "ë³„ëª…ì´ ì—†ìŠµë‹ˆë‹¤." + +#: actions/joingroup.php:141 #, fuzzy, php-format msgid "%1$s joined group %2$s" msgstr "%s 는 그룹 %sì— ê°€ìž…í–ˆìŠµë‹ˆë‹¤." @@ -2085,11 +2095,11 @@ msgstr "%s 는 그룹 %sì— ê°€ìž…í–ˆìŠµë‹ˆë‹¤." msgid "You must be logged in to leave a group." msgstr "ê·¸ë£¹ì„ ë– ë‚˜ê¸° 위해서는 로그ì¸í•´ì•¼ 합니다." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "ë‹¹ì‹ ì€ í•´ë‹¹ ê·¸ë£¹ì˜ ë©¤ë²„ê°€ 아닙니다." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, fuzzy, php-format msgid "%1$s left group %2$s" msgstr "%sê°€ 그룹%s를 떠났습니다." @@ -2364,8 +2374,8 @@ msgstr "ì—°ê²°" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "지ì›í•˜ëŠ” 형ì‹ì˜ ë°ì´í„°ê°€ 아닙니다." @@ -2511,7 +2521,7 @@ msgstr "새 비밀번호를 저장 í•  수 없습니다." msgid "Password saved." msgstr "비밀 번호 저장" -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "" @@ -2544,7 +2554,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 #, fuzzy msgid "Site" msgstr "초대" @@ -2728,7 +2738,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64ìž ì‚¬ì´ì— ì˜ì†Œë¬¸ìž, 숫ìžë¡œë§Œ ì”니다. 기호나 ê³µë°±ì„ ì“°ë©´ 안 ë©ë‹ˆë‹¤." #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "실명" @@ -2757,7 +2767,7 @@ msgid "Bio" msgstr "ìžê¸°ì†Œê°œ" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3342,7 +3352,7 @@ msgid "User is already sandboxed." msgstr "회ì›ì´ ë‹¹ì‹ ì„ ì°¨ë‹¨í•´ì™”ìŠµë‹ˆë‹¤." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3402,7 +3412,7 @@ msgstr "페ì´ì§€ìˆ˜" msgid "Description" msgstr "설명" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "통계" @@ -3514,68 +3524,68 @@ msgstr "%s 그룹" msgid "%1$s group, page %2$d" msgstr "%s 그룹 회ì›, %d페ì´ì§€" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "그룹 프로필" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "설명" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "그룹 í–‰ë™" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "%s ê·¸ë£¹ì„ ìœ„í•œ 공지피드" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "%s ê·¸ë£¹ì„ ìœ„í•œ 공지피드" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "%s ê·¸ë£¹ì„ ìœ„í•œ 공지피드" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "%sì˜ ë³´ë‚¸ìª½ì§€í•¨" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "회ì›" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(없습니다.)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "모든 회ì›" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 #, fuzzy msgid "Created" msgstr "ìƒì„±" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3585,7 +3595,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3596,7 +3606,7 @@ msgstr "" "**%s** 는 %%%%site.name%%%% [마ì´í¬ë¡œë¸”로깅)(http://en.wikipedia.org/wiki/" "Micro-blogging)ì˜ ì‚¬ìš©ìž ê·¸ë£¹ìž…ë‹ˆë‹¤. " -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 #, fuzzy msgid "Admins" msgstr "관리ìž" @@ -4133,7 +4143,7 @@ msgstr "ë‹¹ì‹ ì˜ êµ¬ë…ìžë‚˜ 구ë…하는 ì‚¬ëžŒì— íƒœê¹…ì„ ìœ„í•´ ì´ ì–‘ msgid "No such tag." msgstr "그러한 태그가 없습니다." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "API 메서드를 구성중 입니다." @@ -4166,7 +4176,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "ì´ìš©ìž" @@ -4461,6 +4471,11 @@ msgstr "ê·¸ë£¹ì„ ì—…ë°ì´íŠ¸ í•  수 없습니다." msgid "Group leave failed." msgstr "그룹 프로필" +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "ê·¸ë£¹ì„ ì—…ë°ì´íŠ¸ í•  수 없습니다." + #: classes/Login_token.php:76 #, fuzzy, php-format msgid "Could not create login token for %s" @@ -4479,28 +4494,28 @@ msgstr "메시지를 삽입할 수 없습니다." msgid "Could not update message with new URI." msgstr "새 URI와 함께 메시지를 ì—…ë°ì´íŠ¸í•  수 없습니다." -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "해쉬테그를 추가 í•  ë•Œì— ë°ì´íƒ€ë² ì´ìŠ¤ ì—러 : %s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 #, fuzzy msgid "Problem saving notice. Too long." msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "게시글 저장문제. ì•Œë ¤ì§€ì§€ì•Šì€ íšŒì›" -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "너무 ë§Žì€ ê²Œì‹œê¸€ì´ ë„ˆë¬´ 빠르게 올ë¼ì˜µë‹ˆë‹¤. 한숨고르고 ëª‡ë¶„í›„ì— ë‹¤ì‹œ í¬ìŠ¤íŠ¸ë¥¼ " "해보세요." -#: classes/Notice.php:237 +#: classes/Notice.php:254 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4509,20 +4524,20 @@ msgstr "" "너무 ë§Žì€ ê²Œì‹œê¸€ì´ ë„ˆë¬´ 빠르게 올ë¼ì˜µë‹ˆë‹¤. 한숨고르고 ëª‡ë¶„í›„ì— ë‹¤ì‹œ í¬ìŠ¤íŠ¸ë¥¼ " "해보세요." -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "ì´ ì‚¬ì´íŠ¸ì— 게시글 í¬ìŠ¤íŒ…으로부터 ë‹¹ì‹ ì€ ê¸ˆì§€ë˜ì—ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:882 +#: classes/Notice.php:911 #, fuzzy msgid "Problem saving group inbox." msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4554,19 +4569,29 @@ msgstr "예약 구ë…ì„ ì‚­ì œ í•  수 없습니다." msgid "Couldn't delete subscription." msgstr "예약 구ë…ì„ ì‚­ì œ í•  수 없습니다." -#: classes/User.php:372 +#: classes/User.php:373 #, fuzzy, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "%2$sì—ì„œ %1$s까지 메시지" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "새 ê·¸ë£¹ì„ ë§Œë“¤ 수 없습니다." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "그룹 ë§´ë²„ì‹­ì„ ì„¸íŒ…í•  수 없습니다." + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "그룹 ë§´ë²„ì‹­ì„ ì„¸íŒ…í•  수 없습니다." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "구ë…ì„ ì €ìž¥í•  수 없습니다." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "프로필 세팅 바꾸기" @@ -4789,15 +4814,15 @@ msgstr "ë’· 페ì´ì§€" msgid "Before" msgstr "ì•ž 페ì´ì§€" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4826,41 +4851,41 @@ msgstr "ëª…ë ¹ì´ ì•„ì§ ì‹¤í–‰ë˜ì§€ 않았습니다." msgid "Unable to delete design setting." msgstr "트위터 í™˜ê²½ì„¤ì •ì„ ì €ìž¥í•  수 없습니다." -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 #, fuzzy msgid "Basic site configuration" msgstr "ì´ë©”ì¼ ì£¼ì†Œ 확ì¸ì„œ" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 #, fuzzy msgid "Design configuration" msgstr "SMS ì¸ì¦" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 #, fuzzy msgid "User configuration" msgstr "SMS ì¸ì¦" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Access configuration" msgstr "SMS ì¸ì¦" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 #, fuzzy msgid "Paths configuration" msgstr "SMS ì¸ì¦" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Sessions configuration" msgstr "SMS ì¸ì¦" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5445,23 +5470,23 @@ msgstr "파ì¼ì„ ì˜¬ë¦¬ëŠ”ë° ì‹œìŠ¤í…œ 오류 ë°œìƒ" msgid "Not an image or corrupt file." msgstr "그림 파ì¼ì´ 아니거나 ì†ìƒëœ íŒŒì¼ ìž…ë‹ˆë‹¤." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "지ì›í•˜ì§€ 않는 그림 íŒŒì¼ í˜•ì‹ìž…니다." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "파ì¼ì„ 잃어버렸습니다." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "ì•Œ 수 없는 ì¢…ë¥˜ì˜ íŒŒì¼ìž…니다" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "" @@ -5985,7 +6010,7 @@ msgstr "ì´ ê²Œì‹œê¸€ì— ëŒ€í•´ 답장하기" msgid "Repeat this notice" msgstr "ì´ ê²Œì‹œê¸€ì— ëŒ€í•´ 답장하기" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index 8d9e55069..577a9c75d 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -9,18 +9,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-25 11:54+0000\n" -"PO-Revision-Date: 2010-02-25 11:56:05+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:34:05+0000\n" "Language-Team: Macedonian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62948); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural= n==1 || n%10==1 ? 0 : 1;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "ПриÑтап" @@ -93,14 +93,15 @@ msgstr "Ðема таква Ñтраница" #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "Ðема таков кориÑник." @@ -185,20 +186,20 @@ msgstr "Подновувања од %1$s и пријатели на %2$s!" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 msgid "API method not found." msgstr "API методот не е пронајден." @@ -232,8 +233,9 @@ msgstr "Ðе можев да го подновам кориÑникот." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "КориÑникот нема профил." @@ -259,7 +261,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -372,68 +374,68 @@ msgstr "Ðе можев да го утврдам целниот кориÑник msgid "Could not find target user." msgstr "Ðе можев да го пронајдам целниот кориÑник." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "Прекарот мора да има Ñамо мали букви и бројки и да нема празни меÑта." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "Тој прекар е во употреба. Одберете друг." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Ðеправилен прекар." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "Главната Ñтраница не е важечка URL-адреÑа." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "Целото име е предолго (макÑимум 255 знаци)" -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "ОпиÑот е предолг (дозволено е највеќе %d знаци)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "Локацијата е предолга (макÑимумот е 255 знаци)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "Премногу алијаÑи! Дозволено е највеќе %d." -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Ðеважечки алијаÑ: „%s“" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "ÐлијаÑот „%s“ е зафатен. Одберете друг." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "ÐлијаÑот не може да биде иÑÑ‚ како прекарот." @@ -444,15 +446,15 @@ msgstr "ÐлијаÑот не може да биде иÑÑ‚ како прека msgid "Group not found!" msgstr "Групата не е пронајдена!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "Веќе членувате во таа група." -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "Блокирани Ñте од таа група од админиÑтраторот." -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, php-format msgid "Could not join user %1$s to group %2$s." msgstr "Ðе можам да го зачленам кориÑникот %1$s во групата 2$s." @@ -461,7 +463,7 @@ msgstr "Ðе можам да го зачленам кориÑникот %1$s в msgid "You are not a member of this group." msgstr "Ðе членувате во оваа група." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "Ðе можев да го отÑтранам кориÑникот %1$s од групата %2$s." @@ -492,7 +494,7 @@ msgstr "Погрешен жетон." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -535,7 +537,7 @@ msgstr "Жетонот на барањето %s е одбиен и поништ #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -567,7 +569,7 @@ msgstr "Сметка" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -651,12 +653,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "Подновувања на %1$s омилени на %2$s / %2$s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "ИÑторија на %s" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -713,8 +715,7 @@ msgstr "Ðема таков прилог." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Ðема прекар." @@ -726,7 +727,7 @@ msgstr "Ðема големина." msgid "Invalid size." msgstr "Погрешна големина." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Ðватар" @@ -745,17 +746,17 @@ msgid "User without matching profile" msgstr "КориÑник без Ñоодветен профил" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Ðагодувања на аватарот" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Оригинал" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Преглед" @@ -764,11 +765,11 @@ msgstr "Преглед" msgid "Delete" msgstr "Бриши" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Подигни" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "ОтÑечи" @@ -776,7 +777,7 @@ msgstr "ОтÑечи" msgid "Pick a square area of the image to be your avatar" msgstr "Одберете квадратна површина од Ñликата за аватар" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Податоците за податотеката Ñе изгубени." @@ -812,22 +813,22 @@ msgstr "" "од кориÑникот." #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "Ðе" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "Ðе го блокирај кориÑников" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Да" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "Блокирај го кориÑников" @@ -835,39 +836,43 @@ msgstr "Блокирај го кориÑников" msgid "Failed to save block information." msgstr "Ðе можев да ги Ñнимам инофрмациите за блокот." -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "Ðема таква група." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "%s блокирани профили" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s блокирани профили, ÑÑ‚Ñ€. %2$d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "ЛиÑтана кориÑниците блокирани од придружување во оваа група." -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "Одблокирај кориÑник од група" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "Одблокирај" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "Одблокирај го овој корÑник" @@ -1018,7 +1023,7 @@ msgstr "Може да бришете Ñамо локални кориÑници. msgid "Delete user" msgstr "Бриши кориÑник" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." @@ -1026,12 +1031,12 @@ msgstr "" "Дали Ñе Ñигурни дека Ñакате да го избришете овој кориÑник? Ова воедно ќе ги " "избрише Ñите податоци за кориÑникот од базата, без да може да Ñе вратат." -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "Избриши овој кориÑник" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "Изглед" @@ -1225,29 +1230,29 @@ msgstr "Уреди ја групата %s" msgid "You must be logged in to create a group." msgstr "Мора да Ñте најавени за да можете да Ñоздавате групи." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "Мора да Ñте админиÑтратор за да можете да ја уредите групата." -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "ОБразецов Ñлужи за уредување на групата." -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "опиÑот е предолг (макÑимум %d знаци)" -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "Ðе можев да ја подновам групата." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "Ðе можеше да Ñе Ñоздадат алијаÑи." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "Ðагодувањата Ñе зачувани." @@ -1590,7 +1595,7 @@ msgstr "КориÑникот е веќе блокиран од оваа груп msgid "User is not a member of group." msgstr "КориÑникот не членува во групата." -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "Блокирај кориÑник од група" @@ -1627,11 +1632,11 @@ msgstr "Ðема ID." msgid "You must be logged in to edit a group." msgstr "Мора да Ñте најавени за да можете да уредувате група." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "Изглед на групата" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." @@ -1639,20 +1644,20 @@ msgstr "" "Прилагодете го изгледот на Вашата група Ñо позадинÑка Ñлика и палета од бои " "по Ваш избор." -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 msgid "Couldn't update your design." msgstr "Ðе можев да го подновам Вашиот изглед." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "Ðагодувањата Ñе зачувани." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "Лого на групата" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." @@ -1660,57 +1665,57 @@ msgstr "" "Можете да подигнете Ñлика за логото на Вашата група. МакÑималната дозволена " "големина на податотеката е %s." -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 msgid "User without matching profile." msgstr "КориÑник без Ñоодветен профил." -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Одберете квадратен проÑтор на Ñликата за лого." -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "Логото е подновено." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "Подновата на логото не уÑпеа." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "Членови на групата %s" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "Членови на групата %1$s, ÑÑ‚Ñ€. %2$d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "ЛиÑта на кориÑниците на овааг група." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "ÐдминиÑтратор" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "Блокирај" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "Ðаправи го кориÑникот админиÑтратор на групата" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "Ðаправи го/ја админиÑтратор" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "Ðаправи го кориÑникот админиÑтратор" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Подновувања од членови на %1$s на %2$s!" @@ -2046,7 +2051,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "Мора да Ñте најавени за да можете да Ñе зачлените во група." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Ðема прекар." + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "%1$s Ñе зачлени во групата %2$s" @@ -2055,11 +2065,11 @@ msgstr "%1$s Ñе зачлени во групата %2$s" msgid "You must be logged in to leave a group." msgstr "Мора да Ñте најавени за да можете да ја напуштите групата." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "Ðе членувате во таа група." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, php-format msgid "%1$s left group %2$s" msgstr "%1$s ја напушти групата %2$s" @@ -2334,8 +2344,8 @@ msgstr "тип на Ñодржини " msgid "Only " msgstr "Само " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "Ова не е поддржан формат на податотека." @@ -2476,7 +2486,7 @@ msgstr "Ðе можам да ја зачувам новата лозинка." msgid "Password saved." msgstr "Лозинката е зачувана." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "Патеки" @@ -2509,7 +2519,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Ðеважечки SSL-Ñервер. Дозволени Ñе најмногу 255 знаци" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Веб-Ñтраница" @@ -2684,7 +2694,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 мали букви или бројки. Без интерпукциÑки знаци и празни меÑта." #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Цело име" @@ -2712,7 +2722,7 @@ msgid "Bio" msgstr "Биографија" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3312,7 +3322,7 @@ msgid "User is already sandboxed." msgstr "КориÑникот е веќе во пеÑочен режим." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "СеÑии" @@ -3367,7 +3377,7 @@ msgstr "Организација" msgid "Description" msgstr "ОпиÑ" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "СтатиÑтики" @@ -3490,67 +3500,67 @@ msgstr "Група %s" msgid "%1$s group, page %2$d" msgstr "Група %1$s, ÑÑ‚Ñ€. %2$d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "Профил на група" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Забелешка" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "ÐлијаÑи" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "Групни дејÑтва" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Канал Ñо забелешки за групата %s (RSS 1.0)" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Канал Ñо забелешки за групата %s (RSS 2.0)" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Канал Ñо забелешки за групата%s (Atom)" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "FOAF за групата %s" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "Членови" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Ðема)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "Сите членови" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "Создадено" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3566,7 +3576,7 @@ msgstr "" "Ñе](%%%%action.register%%%%) за да Ñтанете дел од оваа група и многу повеќе! " "([Прочитајте повеќе](%%%%doc.help%%%%))" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3579,7 +3589,7 @@ msgstr "" "Ñлободната програмÑка алатка [StatusNet](http://status.net/). Ðејзините " "членови Ñи разменуваат кратки пораки за нивниот живот и интереÑи. " -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "ÐдминиÑтратори" @@ -4129,7 +4139,7 @@ msgstr "Со овој образец додавајте ознаки во Ваш msgid "No such tag." msgstr "Ðема таква ознака." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "API-методот е во изработка." @@ -4161,7 +4171,7 @@ msgstr "" "Лиценцата на потокот на Ñледачот „%1$s“ не е компатибилна Ñо лиценцата на " "веб-Ñтраницата „%2$s“." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "КориÑник" @@ -4462,6 +4472,11 @@ msgstr "Ðе е дел од групата." msgid "Group leave failed." msgstr "Ðапуштањето на групата не уÑпеа." +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "Ðе можев да ја подновам групата." + #: classes/Login_token.php:76 #, php-format msgid "Could not create login token for %s" @@ -4479,27 +4494,27 @@ msgstr "Ðе можев да ја иÑпратам пораката." msgid "Could not update message with new URI." msgstr "Ðе можев да ја подновам пораката Ñо нов URI." -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Грешка во базата на податоци при вметнувањето на хеш-ознака: %s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 msgid "Problem saving notice. Too long." msgstr "Проблем Ñо зачувувањето на белешката. Премногу долго." -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "Проблем Ñо зачувувањето на белешката. Ðепознат кориÑник." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Премногу забелњшки за прекратко време; здивнете малку и продолжете за " "неколку минути." -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4507,19 +4522,19 @@ msgstr "" "Премногу дуплирани пораки во прекратко време; здивнете малку и продолжете за " "неколку минути." -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "Забрането Ви е да објавувате забелешки на оваа веб-Ñтраница." -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "Проблем во зачувувањето на белешката." -#: classes/Notice.php:882 +#: classes/Notice.php:911 msgid "Problem saving group inbox." msgstr "Проблем при зачувувањето на групното приемно Ñандаче." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4549,19 +4564,29 @@ msgstr "Ðе можам да ја избришам Ñамопретплатат msgid "Couldn't delete subscription." msgstr "Претплата не може да Ñе избрише." -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Добредојдовте на %1$s, @%2$s!" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "Ðе можев да ја Ñоздадам групата." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "Ðе можев да назначам членÑтво во групата." + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Ðе можев да назначам членÑтво во групата." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "Ðе можев да ја зачувам претплатата." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "Смени профилни нагодувања" @@ -4783,15 +4808,15 @@ msgstr "По" msgid "Before" msgstr "Пред" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "Сè уште не е поддржана обработката на оддалечена Ñодржина." -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "Сè уште не е поддржана обработката на XML Ñодржина." -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "Сè уште не е доÑтапна обработката на вметната Base64 Ñодржина." @@ -4815,37 +4840,37 @@ msgstr "saveSettings() не е имплементирано." msgid "Unable to delete design setting." msgstr "Ðе можам да ги избришам нагодувањата за изглед." -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 msgid "Basic site configuration" msgstr "ОÑновни нагодувања на веб-Ñтраницата" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "Конфигурација на изгледот" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 msgid "User configuration" msgstr "Конфигурација на кориÑник" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 msgid "Access configuration" msgstr "Конфигурација на приÑтапот" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 msgid "Paths configuration" msgstr "Конфигурација на патеки" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 msgid "Sessions configuration" msgstr "Конфигурација на ÑеÑиите" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" "API-реÑурÑот бара да може и да чита и да запишува, а вие можете Ñамо да " "читате." -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "ÐеуÑпешен обид за API-заверка, прекар = %1$s, прокÑи = %2$s, IP = %3$s" @@ -6071,7 +6096,7 @@ msgstr "Да ја повторам белешкава?" msgid "Repeat this notice" msgstr "Повтори ја забелешкава" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "Ðе е зададен кориÑник за еднокориÑничкиот режим." diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index cf3daf093..191ac6f2c 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -8,18 +8,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:51:22+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:34:08+0000\n" "Language-Team: Norwegian (bokmÃ¥l)‬\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "Tilgang" @@ -90,14 +90,15 @@ msgstr "Ingen slik side" #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "Ingen slik bruker" @@ -180,20 +181,20 @@ msgstr "Oppdateringer fra %1$s og venner pÃ¥ %2$s!" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "API-metode ikke funnet!" @@ -227,8 +228,9 @@ msgstr "Klarte ikke Ã¥ oppdatere bruker." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "Brukeren har ingen profil." @@ -255,7 +257,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -366,68 +368,68 @@ msgstr "Kunne ikke bestemme kildebruker." msgid "Could not find target user." msgstr "Kunne ikke finne mÃ¥lbruker." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "Kallenavn kan kun ha smÃ¥ bokstaver og tall og ingen mellomrom." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "Det nicket er allerede i bruk. Prøv et annet." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Ugyldig nick." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "Hjemmesiden er ikke en gyldig URL." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "Beklager, navnet er for langt (max 250 tegn)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "Beskrivelsen er for lang (maks %d tegn)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." -msgstr "" +msgstr "Plassering er for lang (maks 255 tegn)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "For mange alias! Maksimum %d." -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Ugyldig alias: «%s»" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Aliaset «%s» er allerede i bruk. Prøv et annet." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "Alias kan ikke være det samme som kallenavn." @@ -438,15 +440,15 @@ msgstr "Alias kan ikke være det samme som kallenavn." msgid "Group not found!" msgstr "Gruppe ikke funnet!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "Du er allerede medlem av den gruppen." -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "Du har blitt blokkert fra den gruppen av administratoren." -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, php-format msgid "Could not join user %1$s to group %2$s." msgstr "Kunne ikke legge bruker %1$s til gruppe %2$s." @@ -455,7 +457,7 @@ msgstr "Kunne ikke legge bruker %1$s til gruppe %2$s." msgid "You are not a member of this group." msgstr "Du er ikke et medlem av denne gruppen." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "Kunne ikke fjerne bruker %1$s fra gruppe %2$s." @@ -480,14 +482,13 @@ msgid "No oauth_token parameter provided." msgstr "Ingen verdi for oauth_token er oppgitt." #: actions/apioauthauthorize.php:106 -#, fuzzy msgid "Invalid token." -msgstr "Ugyldig størrelse" +msgstr "Ugyldig symbol." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -508,11 +509,11 @@ msgstr "Ugyldig kallenavn / passord!" #: actions/apioauthauthorize.php:159 msgid "Database error deleting OAuth application user." -msgstr "" +msgstr "Databasefeil ved sletting av bruker fra programmet OAuth." #: actions/apioauthauthorize.php:185 msgid "Database error inserting OAuth application user." -msgstr "" +msgstr "Databasefeil ved innsetting av bruker i programmet OAuth." #: actions/apioauthauthorize.php:214 #, php-format @@ -528,16 +529,16 @@ msgstr "" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 msgid "Unexpected form submission." -msgstr "" +msgstr "Uventet skjemainnsending." #: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" -msgstr "" +msgstr "Et program ønsker Ã¥ koble til kontoen din" #: actions/apioauthauthorize.php:276 msgid "Allow or deny access" @@ -550,6 +551,9 @@ msgid "" "the ability to %3$s your %4$s account data. You should only " "give access to your %4$s account to third parties you trust." msgstr "" +"Programmet %1$s av %2$s ønsker Ã¥ kunne " +"%3$s dine %4$s-kontodata. Du bør bare gi tilgang til din %4" +"$s-konto til tredjeparter du stoler pÃ¥." #: actions/apioauthauthorize.php:310 lib/action.php:441 msgid "Account" @@ -557,7 +561,7 @@ msgstr "Konto" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -582,7 +586,7 @@ msgstr "Tillat eller nekt tilgang til din kontoinformasjon." #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." -msgstr "" +msgstr "Denne metoden krever en POST eller DELETE." #: actions/apistatusesdestroy.php:130 msgid "You may not delete another user's status." @@ -613,7 +617,7 @@ msgstr "Ingen status med den ID-en funnet." #: lib/mailhandler.php:60 #, php-format msgid "That's too long. Max notice size is %d chars." -msgstr "" +msgstr "Det er for langt. Maks notisstørrelse er %d tegn." #: actions/apistatusesupdate.php:202 msgid "Not found" @@ -622,7 +626,7 @@ msgstr "Ikke funnet" #: actions/apistatusesupdate.php:225 actions/newnotice.php:178 #, php-format msgid "Max notice size is %d chars, including attachment URL." -msgstr "" +msgstr "Maks notisstørrelse er %d tegn, inklusive vedleggs-URL." #: actions/apisubscriptions.php:231 actions/apisubscriptions.php:261 msgid "Unsupported format." @@ -639,12 +643,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s oppdateringer markert som favoritt av %2$s / %2$s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "%s tidslinje" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -701,8 +705,7 @@ msgstr "Ingen slike vedlegg." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Ingen kallenavn." @@ -714,7 +717,7 @@ msgstr "Ingen størrelse." msgid "Invalid size." msgstr "Ugyldig størrelse" -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Brukerbilde" @@ -722,26 +725,26 @@ msgstr "Brukerbilde" #: actions/avatarsettings.php:78 #, php-format msgid "You can upload your personal avatar. The maximum file size is %s." -msgstr "" +msgstr "Du kan laste opp en personlig avatar. Maks filstørrelse er %s." #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 #: actions/userrss.php:103 msgid "User without matching profile" -msgstr "" +msgstr "Bruker uten samsvarende profil" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Avatarinnstillinger" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Original" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "ForhÃ¥ndsvis" @@ -750,21 +753,21 @@ msgstr "ForhÃ¥ndsvis" msgid "Delete" msgstr "Slett" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Last opp" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "Beskjær" #: actions/avatarsettings.php:328 msgid "Pick a square area of the image to be your avatar" -msgstr "" +msgstr "Velg et kvadratisk utsnitt av bildet som din avatar." -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." -msgstr "" +msgstr "Mistet vÃ¥re fildata." #: actions/avatarsettings.php:366 msgid "Avatar updated." @@ -792,66 +795,73 @@ msgid "" "unsubscribed from you, unable to subscribe to you in the future, and you " "will not be notified of any @-replies from them." msgstr "" +"Er du sikker pÃ¥ at du vil blokkere denne brukeren? Etter dette vil de ikke " +"lenger abbonere pÃ¥ deg, vil ikke kunne abbonere pÃ¥ deg i fremtiden og du vil " +"ikke bli varslet om @-svar fra dem." #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "Nei" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "Ikke blokker denne brukeren" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Ja" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "Blokker denne brukeren" #: actions/block.php:167 msgid "Failed to save block information." -msgstr "" - -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +msgstr "Kunne ikke lagre blokkeringsinformasjon." + +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "Ingen slik gruppe." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "%s blokkerte profiler" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s blokkerte profiler, side %2$d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." -msgstr "" +msgstr "En liste over brukere som er blokkert fra Ã¥ delta i denne gruppen." -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" -msgstr "" +msgstr "Opphev blokkering av bruker fra gruppe" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" -msgstr "" +msgstr "Opphev blokkering" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" -msgstr "" +msgstr "Opphev blokkering av denne brukeren" #: actions/bookmarklet.php:50 msgid "Post to " @@ -867,12 +877,12 @@ msgstr "Fant ikke bekreftelseskode." #: actions/confirmaddress.php:85 msgid "That confirmation code is not for you!" -msgstr "" +msgstr "Den bekreftelseskoden er ikke til deg." #: actions/confirmaddress.php:90 #, php-format msgid "Unrecognized address type %s" -msgstr "" +msgstr "Ukjent adressetype %s" #: actions/confirmaddress.php:94 msgid "That address has already been confirmed." @@ -907,7 +917,7 @@ msgstr "Samtale" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 #: lib/profileaction.php:216 lib/searchgroupnav.php:82 msgid "Notices" -msgstr "" +msgstr "Notiser" #: actions/deleteapplication.php:63 msgid "You must be logged in to delete an application." @@ -1000,7 +1010,7 @@ msgstr "Du kan bare slette lokale brukere." msgid "Delete user" msgstr "Slett bruker" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." @@ -1008,12 +1018,12 @@ msgstr "" "Er du sikker pÃ¥ at du vil slette denne brukeren? Dette vil slette alle data " "om brukeren fra databasen, uten sikkerhetskopi." -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "Slett denne brukeren" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1028,7 +1038,7 @@ msgstr "Ugyldig logo-URL." #: actions/designadminpanel.php:279 #, php-format msgid "Theme not available: %s" -msgstr "" +msgstr "Tema ikke tilgjengelig: %s" #: actions/designadminpanel.php:375 msgid "Change logo" @@ -1039,18 +1049,16 @@ msgid "Site logo" msgstr "Nettstedslogo" #: actions/designadminpanel.php:387 -#, fuzzy msgid "Change theme" -msgstr "Endre" +msgstr "Endre tema" #: actions/designadminpanel.php:404 -#, fuzzy msgid "Site theme" -msgstr "Endre" +msgstr "Nettstedstema" #: actions/designadminpanel.php:405 msgid "Theme for the site." -msgstr "" +msgstr "Tema for nettstedet." #: actions/designadminpanel.php:417 lib/designsettings.php:101 msgid "Change background image" @@ -1067,6 +1075,7 @@ msgid "" "You can upload a background image for the site. The maximum file size is %1" "$s." msgstr "" +"Du kan laste opp et bakgrunnsbilde for nettstedet. Maks filstørrelse er %1$s." #: actions/designadminpanel.php:457 lib/designsettings.php:139 msgid "On" @@ -1209,30 +1218,30 @@ msgstr "" msgid "You must be logged in to create a group." msgstr "Du mÃ¥ være innlogget for Ã¥ opprette en gruppe." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 #, fuzzy msgid "You must be an admin to edit the group." msgstr "Gjør brukeren til en administrator for gruppen" -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "" -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "beskrivelse er for lang (maks %d tegn)" -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "Kunne ikke oppdatere gruppe." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "Kunne ikke opprette alias." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "" @@ -1569,7 +1578,7 @@ msgstr "Du er allerede logget inn!" msgid "User is not a member of group." msgstr "" -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "" @@ -1601,88 +1610,88 @@ msgstr "Ingen ID." msgid "You must be logged in to edit a group." msgstr "" -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "" -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 #, fuzzy msgid "Couldn't update your design." msgstr "Klarte ikke Ã¥ oppdatere bruker." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "" -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "Gruppelogo" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "" -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 #, fuzzy msgid "User without matching profile." msgstr "Brukeren har ingen profil." -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "" -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "Logo oppdatert." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "" -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "%s gruppemedlemmer" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "En liste over brukerne i denne gruppen." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "Blokkér" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "Gjør brukeren til en administrator for gruppen" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "Gjør til administrator" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "Gjør denne brukeren til administrator" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Oppdateringer fra medlemmer av %1$s pÃ¥ %2$s!" @@ -1989,7 +1998,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "Du mÃ¥ være innlogget for Ã¥ bli med i en gruppe." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Ingen kallenavn." + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "" @@ -1998,11 +2012,11 @@ msgstr "" msgid "You must be logged in to leave a group." msgstr "" -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "" -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, php-format msgid "%1$s left group %2$s" msgstr "%1$s forlot gruppe %2$s" @@ -2264,8 +2278,8 @@ msgstr "innholdstype " msgid "Only " msgstr "Bare " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "" @@ -2408,7 +2422,7 @@ msgstr "Klarer ikke Ã¥ lagre nytt passord." msgid "Password saved." msgstr "Passordet ble lagret" -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "" @@ -2441,7 +2455,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "" @@ -2614,7 +2628,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 smÃ¥ bokstaver eller nummer, ingen punktum eller mellomrom" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Fullt navn" @@ -2643,7 +2657,7 @@ msgid "Bio" msgstr "Om meg" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3217,7 +3231,7 @@ msgid "User is already sandboxed." msgstr "Du er allerede logget inn!" #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3273,7 +3287,7 @@ msgstr "Organisasjon" msgid "Description" msgstr "Beskrivelse" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statistikk" @@ -3385,70 +3399,70 @@ msgstr "" msgid "%1$s group, page %2$d" msgstr "Alle abonnementer" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 #, fuzzy msgid "Group profile" msgstr "Klarte ikke Ã¥ lagre profil." -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "Klarte ikke Ã¥ lagre profil." -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 #, fuzzy msgid "Members" msgstr "Medlem siden" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 #, fuzzy msgid "Created" msgstr "Opprett" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3458,7 +3472,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3467,7 +3481,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "" @@ -3994,7 +4008,7 @@ msgstr "" msgid "No such tag." msgstr "" -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "API-metode under utvikling." @@ -4025,7 +4039,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "" @@ -4309,6 +4323,11 @@ msgstr "Klarte ikke Ã¥ oppdatere bruker." msgid "Group leave failed." msgstr "Klarte ikke Ã¥ lagre profil." +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "Kunne ikke oppdatere gruppe." + #: classes/Login_token.php:76 #, fuzzy, php-format msgid "Could not create login token for %s" @@ -4326,43 +4345,43 @@ msgstr "" msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:222 +#: classes/Notice.php:239 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "" -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:882 +#: classes/Notice.php:911 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4393,21 +4412,31 @@ msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" msgid "Couldn't delete subscription." msgstr "" -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:423 +#: classes/User_group.php:462 #, fuzzy msgid "Could not create group." msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" + +#: classes/User_group.php:492 #, fuzzy msgid "Could not set group membership." msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "Endre profilinnstillingene dine" @@ -4626,15 +4655,15 @@ msgstr "" msgid "Before" msgstr "Tidligere »" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4658,35 +4687,35 @@ msgstr "" msgid "Unable to delete design setting." msgstr "" -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 msgid "Basic site configuration" msgstr "" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 msgid "User configuration" msgstr "" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 msgid "Access configuration" msgstr "" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 msgid "Paths configuration" msgstr "" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 msgid "Sessions configuration" msgstr "" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5273,24 +5302,24 @@ msgstr "" msgid "Not an image or corrupt file." msgstr "" -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "" -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 #, fuzzy msgid "Lost our file." msgstr "Klarte ikke Ã¥ lagre profil." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "" @@ -5815,7 +5844,7 @@ msgstr "Kan ikke slette notisen." msgid "Repeat this notice" msgstr "Kan ikke slette notisen." -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index e01fb6d3f..d21f3fb0f 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -10,18 +10,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-25 11:54+0000\n" -"PO-Revision-Date: 2010-02-25 11:56:20+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:34:15+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62948); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "Toegang" @@ -92,14 +92,15 @@ msgstr "Deze pagina bestaat niet" #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "Onbekende gebruiker." @@ -184,20 +185,20 @@ msgstr "Updates van %1$s en vrienden op %2$s." #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 msgid "API method not found." msgstr "De API-functie is niet aangetroffen." @@ -231,8 +232,9 @@ msgstr "Het was niet mogelijk de gebruiker bij te werken." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "Deze gebruiker heeft geen profiel." @@ -258,7 +260,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -373,7 +375,7 @@ msgstr "Het was niet mogelijk de brongebruiker te bepalen." msgid "Could not find target user." msgstr "Het was niet mogelijk de doelgebruiker te vinden." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." @@ -381,63 +383,63 @@ msgstr "" "De gebruikersnaam mag alleen kleine letters en cijfers bevatten. Spaties " "zijn niet toegestaan." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "" "De opgegeven gebruikersnaam is al in gebruik. Kies een andere gebruikersnaam." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Ongeldige gebruikersnaam!" -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "De thuispagina is geen geldige URL." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "De volledige naam is te lang (maximaal 255 tekens)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "De beschrijving is te lang (maximaal %d tekens)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "Locatie is te lang (maximaal 255 tekens)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "Te veel aliassen! Het maximale aantal is %d." -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Ongeldige alias: \"%s\"" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "De alias \"%s\" wordt al gebruikt. Geef een andere alias op." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "Een alias kan niet hetzelfde zijn als de gebruikersnaam." @@ -448,15 +450,15 @@ msgstr "Een alias kan niet hetzelfde zijn als de gebruikersnaam." msgid "Group not found!" msgstr "De groep is niet aangetroffen!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "U bent al lid van die groep." -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "Een beheerder heeft ingesteld dat u geen lid mag worden van die groep." -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, php-format msgid "Could not join user %1$s to group %2$s." msgstr "Het was niet mogelijk gebruiker %1$s toe te voegen aan de groep %2$s." @@ -465,7 +467,7 @@ msgstr "Het was niet mogelijk gebruiker %1$s toe te voegen aan de groep %2$s." msgid "You are not a member of this group." msgstr "U bent geen lid van deze groep." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "Het was niet mogelijk gebruiker %1$s uit de group %2$s te verwijderen." @@ -496,7 +498,7 @@ msgstr "Ongeldig token." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -545,7 +547,7 @@ msgstr "Het verzoektoken %s is geweigerd en ingetrokken." #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -577,7 +579,7 @@ msgstr "Gebruiker" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -661,12 +663,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s updates op de favorietenlijst geplaatst door %2$s / %3$s" #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "%s tijdlijn" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -723,8 +725,7 @@ msgstr "Deze bijlage bestaat niet." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Geen gebruikersnaam." @@ -736,7 +737,7 @@ msgstr "Geen afmeting." msgid "Invalid size." msgstr "Ongeldige afmetingen." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Avatar" @@ -754,17 +755,17 @@ msgid "User without matching profile" msgstr "Gebruiker zonder bijbehorend profiel" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Avatarinstellingen" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Origineel" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Voorvertoning" @@ -773,11 +774,11 @@ msgstr "Voorvertoning" msgid "Delete" msgstr "Verwijderen" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Uploaden" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "Uitsnijden" @@ -786,7 +787,7 @@ msgid "Pick a square area of the image to be your avatar" msgstr "" "Selecteer een vierkant in de afbeelding om deze als uw avatar in te stellen" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Ons bestand is verloren gegaan." @@ -821,22 +822,22 @@ msgstr "" "van deze gebruiker." #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "Nee" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "Gebruiker niet blokkeren" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Ja" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "Deze gebruiker blokkeren" @@ -844,39 +845,43 @@ msgstr "Deze gebruiker blokkeren" msgid "Failed to save block information." msgstr "Het was niet mogelijk om de blokkadeinformatie op te slaan." -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "De opgegeven groep bestaat niet." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "%s geblokkeerde profielen" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s geblokkeerde profielen, pagina %2$d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "Een lijst met voor deze groep geblokkeerde gebruikers." -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "Deze gebruiker weer toegang geven tot de groep" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "Deblokkeer" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "Deblokkeer deze gebruiker." @@ -1027,7 +1032,7 @@ msgstr "U kunt alleen lokale gebruikers verwijderen." msgid "Delete user" msgstr "Gebruiker verwijderen" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." @@ -1036,12 +1041,12 @@ msgstr "" "worden alle gegevens van deze gebruiker uit de database verwijderd. Het is " "niet mogelijk ze terug te zetten." -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "Gebruiker verwijderen" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "Uiterlijk" @@ -1235,29 +1240,29 @@ msgstr "Groep %s bewerken" msgid "You must be logged in to create a group." msgstr "U moet aangemeld zijn om een groep aan te kunnen maken." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "U moet beheerder zijn om de groep te kunnen bewerken." -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "Gebruik dit formulier om de groep te bewerken." -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "de beschrijving is te lang (maximaal %d tekens)" -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "Het was niet mogelijk de groep bij te werken." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "Het was niet mogelijk de aliassen aan te maken." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "De instellingen zijn opgeslagen." @@ -1604,7 +1609,7 @@ msgstr "Deze gebruiker is al de toegang tot de groep ontzegd." msgid "User is not a member of group." msgstr "De gebruiker is geen lid van de groep." -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "Gebruiker toegang tot de groep blokkeren" @@ -1641,11 +1646,11 @@ msgstr "Geen ID." msgid "You must be logged in to edit a group." msgstr "U moet aangemeld zijn om een groep te kunnen bewerken." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "Groepsontwerp" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." @@ -1653,20 +1658,20 @@ msgstr "" "De vormgeving van uw groep aanpassen met een achtergrondafbeelding en een " "kleurenpalet van uw keuze." -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 msgid "Couldn't update your design." msgstr "Het was niet mogelijk uw ontwerp bij te werken." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "De ontwerpvoorkeuren zijn opgeslagen." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "Groepslogo" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." @@ -1674,57 +1679,57 @@ msgstr "" "Hier kunt u een logo voor uw groep uploaden. De maximale bestandsgrootte is %" "s." -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 msgid "User without matching profile." msgstr "Gebruiker zonder bijbehorend profiel." -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Selecteer een vierkant uit de afbeelding die het logo wordt." -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "Logo geactualiseerd." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "Het bijwerken van het logo is mislukt." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "leden van de groep %s" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "%1$s groeps leden, pagina %2$d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "Ledenlijst van deze groep" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Beheerder" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "Blokkeren" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "Deze gebruiker groepsbeheerder maken" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "Beheerder maken" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "Deze gebruiker beheerder maken" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Updates voor leden van %1$s op %2$s." @@ -2062,7 +2067,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "U moet aangemeld zijn om lid te worden van een groep." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Geen gebruikersnaam." + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "%1$s is lid geworden van de groep %2$s" @@ -2071,11 +2081,11 @@ msgstr "%1$s is lid geworden van de groep %2$s" msgid "You must be logged in to leave a group." msgstr "U moet aangemeld zijn om een groep te kunnen verlaten." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "U bent geen lid van deze groep" -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, php-format msgid "%1$s left group %2$s" msgstr "%1$s heeft de groep %2$s verlaten" @@ -2353,8 +2363,8 @@ msgstr "inhoudstype " msgid "Only " msgstr "Alleen " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "Geen ondersteund gegevensformaat." @@ -2493,7 +2503,7 @@ msgstr "Het was niet mogelijk het nieuwe wachtwoord op te slaan." msgid "Password saved." msgstr "Het wachtwoord is opgeslagen." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "Paden" @@ -2526,7 +2536,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "De SSL-server is ongeldig. De maximale lengte is 255 tekens." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Website" @@ -2701,7 +2711,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 kleine letters of cijfers, geen leestekens of spaties" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Volledige naam" @@ -2729,7 +2739,7 @@ msgid "Bio" msgstr "Beschrijving" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3333,7 +3343,7 @@ msgid "User is already sandboxed." msgstr "Deze gebruiker is al in de zandbak geplaatst." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "Sessies" @@ -3388,7 +3398,7 @@ msgstr "Organisatie" msgid "Description" msgstr "Beschrijving" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statistieken" @@ -3511,67 +3521,67 @@ msgstr "%s groep" msgid "%1$s group, page %2$d" msgstr "Groep %1$s, pagina %2$d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "Groepsprofiel" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Opmerking" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "Aliassen" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "Groepshandelingen" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Mededelingenfeed voor groep %s (RSS 1.0)" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Mededelingenfeed voor groep %s (RSS 2.0)" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Mededelingenfeed voor groep %s (Atom)" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "Vriend van een vriend voor de groep %s" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "Leden" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(geen)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "Alle leden" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "Aangemaakt" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3587,7 +3597,7 @@ msgstr "" "lid te worden van deze groep en nog veel meer! [Meer lezen...](%%%%doc.help%%" "%%)" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3600,7 +3610,7 @@ msgstr "" "[StatusNet](http://status.net/). De leden wisselen korte mededelingen uit " "over hun ervaringen en interesses. " -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "Beheerders" @@ -4157,7 +4167,7 @@ msgstr "" msgid "No such tag." msgstr "Onbekend label." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "De API-functie is in bewerking." @@ -4189,7 +4199,7 @@ msgstr "" "De licentie \"%1$s\" voor de stream die u wilt volgen is niet compatibel met " "de sitelicentie \"%2$s\"." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "Gebruiker" @@ -4491,6 +4501,11 @@ msgstr "Geen lid van groep." msgid "Group leave failed." msgstr "Groepslidmaatschap opzeggen is mislukt." +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "Het was niet mogelijk de groep bij te werken." + #: classes/Login_token.php:76 #, php-format msgid "Could not create login token for %s" @@ -4508,31 +4523,31 @@ msgstr "Het was niet mogelijk het bericht in te voegen." msgid "Could not update message with new URI." msgstr "Het was niet mogelijk het bericht bij te werken met de nieuwe URI." -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Er is een databasefout opgetreden bij de invoer van de hashtag: %s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 msgid "Problem saving notice. Too long." msgstr "" "Er is een probleem opgetreden bij het opslaan van de mededeling. Deze is te " "lang." -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "" "Er was een probleem bij het opslaan van de mededeling. De gebruiker is " "onbekend." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "U hebt te snel te veel mededelingen verstuurd. Kom even op adem en probeer " "het over enige tijd weer." -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4540,22 +4555,22 @@ msgstr "" "Te veel duplicaatberichten te snel achter elkaar. Neem een adempauze en " "plaats over een aantal minuten pas weer een bericht." -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "" "U bent geblokkeerd en mag geen mededelingen meer achterlaten op deze site." -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "Er is een probleem opgetreden bij het opslaan van de mededeling." -#: classes/Notice.php:882 +#: classes/Notice.php:911 msgid "Problem saving group inbox." msgstr "" "Er is een probleem opgetreden bij het opslaan van het Postvak IN van de " "groep." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4584,19 +4599,29 @@ msgstr "Het was niet mogelijk het abonnement op uzelf te verwijderen." msgid "Couldn't delete subscription." msgstr "Kon abonnement niet verwijderen." -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Welkom bij %1$s, @%2$s!" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "Het was niet mogelijk de groep aan te maken." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "Het was niet mogelijk het groepslidmaatschap in te stellen." + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Het was niet mogelijk het groepslidmaatschap in te stellen." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "Het was niet mogelijk het abonnement op te slaan." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "Uw profielgegevens wijzigen" @@ -4818,15 +4843,15 @@ msgstr "Later" msgid "Before" msgstr "Eerder" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "Het is nog niet mogelijk inhoud uit andere omgevingen te verwerken." -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "Het is nog niet mogelijk ingebedde XML-inhoud te verwerken" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "Het is nog niet mogelijk ingebedde Base64-inhoud te verwerken" @@ -4850,37 +4875,37 @@ msgstr "saveSettings() is nog niet geïmplementeerd." msgid "Unable to delete design setting." msgstr "Het was niet mogelijk om de ontwerpinstellingen te verwijderen." -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 msgid "Basic site configuration" msgstr "Basisinstellingen voor de website" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "Instellingen vormgeving" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 msgid "User configuration" msgstr "Gebruikersinstellingen" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 msgid "Access configuration" msgstr "Toegangsinstellingen" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 msgid "Paths configuration" msgstr "Padinstellingen" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 msgid "Sessions configuration" msgstr "Sessieinstellingen" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" "Het API-programma heeft lezen-en-schrijventoegang nodig, maar u hebt alleen " "maar leestoegang." -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -6115,7 +6140,7 @@ msgstr "Deze mededeling herhalen?" msgid "Repeat this notice" msgstr "Deze mededeling herhalen" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "Er is geen gebruiker gedefinieerd voor single-usermodus." diff --git a/locale/nn/LC_MESSAGES/statusnet.po b/locale/nn/LC_MESSAGES/statusnet.po index 55918d880..a77453a32 100644 --- a/locale/nn/LC_MESSAGES/statusnet.po +++ b/locale/nn/LC_MESSAGES/statusnet.po @@ -7,18 +7,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:51:25+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:34:11+0000\n" "Language-Team: Norwegian Nynorsk\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nn\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 #, fuzzy msgid "Access" msgstr "Godta" @@ -97,14 +97,15 @@ msgstr "Dette emneord finst ikkje." #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "Brukaren finst ikkje." @@ -181,20 +182,20 @@ msgstr "Oppdateringar frÃ¥ %1$s og vener pÃ¥ %2$s!" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Fann ikkje API-metode." @@ -228,8 +229,9 @@ msgstr "Kan ikkje oppdatera brukar." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "Brukaren har inga profil." @@ -254,7 +256,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 #, fuzzy @@ -373,68 +375,68 @@ msgstr "Kan ikkje hente offentleg straum." msgid "Could not find target user." msgstr "Kan ikkje finna einkvan status." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "Kallenamn mÃ¥ berre ha smÃ¥ bokstavar og nummer, ingen mellomrom." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "Kallenamnet er allereie i bruk. Prøv eit anna." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Ikkje eit gyldig brukarnamn." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "Heimesida er ikkje ei gyldig internettadresse." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "Ditt fulle namn er for langt (maksimalt 255 teikn)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "skildringa er for lang (maks 140 teikn)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "Plassering er for lang (maksimalt 255 teikn)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "" -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, fuzzy, php-format msgid "Invalid alias: \"%s\"" msgstr "Ugyldig merkelapp: %s" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, fuzzy, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Kallenamnet er allereie i bruk. Prøv eit anna." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "" @@ -446,16 +448,16 @@ msgstr "" msgid "Group not found!" msgstr "Fann ikkje API-metode." -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 #, fuzzy msgid "You are already a member of that group." msgstr "Du er allereie medlem av den gruppa" -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "" -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, fuzzy, php-format msgid "Could not join user %1$s to group %2$s." msgstr "Kunne ikkje melde brukaren %s inn i gruppa %s" @@ -465,7 +467,7 @@ msgstr "Kunne ikkje melde brukaren %s inn i gruppa %s" msgid "You are not a member of this group." msgstr "Du er ikkje medlem av den gruppa." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, fuzzy, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "Kunne ikkje fjerne %s fra %s gruppa " @@ -497,7 +499,7 @@ msgstr "Ugyldig storleik." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -541,7 +543,7 @@ msgstr "" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -570,7 +572,7 @@ msgstr "Konto" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -657,12 +659,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s oppdateringar favorisert av %s / %s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "%s tidsline" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -720,8 +722,7 @@ msgstr "Slikt dokument finst ikkje." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Ingen kallenamn." @@ -733,7 +734,7 @@ msgstr "Ingen storleik." msgid "Invalid size." msgstr "Ugyldig storleik." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Brukarbilete" @@ -750,17 +751,17 @@ msgid "User without matching profile" msgstr "Kan ikkje finne brukar" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Avatar-innstillingar" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Original" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Forhandsvis" @@ -769,11 +770,11 @@ msgstr "Forhandsvis" msgid "Delete" msgstr "Slett" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Last opp" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "Skaler" @@ -781,7 +782,7 @@ msgstr "Skaler" msgid "Pick a square area of the image to be your avatar" msgstr "Velg eit utvalg av bildet som vil blir din avatar." -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Fant ikkje igjen fil data." @@ -815,23 +816,23 @@ msgid "" msgstr "" #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "Nei" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 #, fuzzy msgid "Do not block this user" msgstr "LÃ¥s opp brukaren" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Jau" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "Blokkér denne brukaren" @@ -839,41 +840,45 @@ msgstr "Blokkér denne brukaren" msgid "Failed to save block information." msgstr "Lagring av informasjon feila." -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "Denne gruppa finst ikkje." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, fuzzy, php-format msgid "%s blocked profiles" msgstr "Brukarprofil" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, fuzzy, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%s med vener, side %d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 #, fuzzy msgid "A list of the users blocked from joining this group." msgstr "Ei liste over brukarane i denne gruppa." -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 #, fuzzy msgid "Unblock user from group" msgstr "De-blokkering av brukar feila." -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "LÃ¥s opp" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "LÃ¥s opp brukaren" @@ -1035,19 +1040,19 @@ msgstr "Du kan ikkje sletta statusen til ein annan brukar." msgid "Delete user" msgstr "Slett" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 #, fuzzy msgid "Delete this user" msgstr "Slett denne notisen" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1260,31 +1265,31 @@ msgstr "Rediger %s gruppa" msgid "You must be logged in to create a group." msgstr "Du mÃ¥ være logga inn for Ã¥ lage ei gruppe." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 #, fuzzy msgid "You must be an admin to edit the group." msgstr "Du mÃ¥ være administrator for Ã¥ redigere gruppa" -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "Bruk dette skjemaet for Ã¥ redigere gruppa" -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, fuzzy, php-format msgid "description is too long (max %d chars)." msgstr "skildringa er for lang (maks 140 teikn)." -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "Kann ikkje oppdatera gruppa." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 #, fuzzy msgid "Could not create aliases." msgstr "Kunne ikkje lagre favoritt." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "Lagra innstillingar." @@ -1634,7 +1639,7 @@ msgstr "Brukar har blokkert deg." msgid "User is not a member of group." msgstr "Du er ikkje medlem av den gruppa." -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 #, fuzzy msgid "Block user from group" msgstr "Blokker brukaren" @@ -1671,93 +1676,93 @@ msgstr "Ingen ID" msgid "You must be logged in to edit a group." msgstr "Du mÃ¥ være logga inn for Ã¥ lage ei gruppe." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 #, fuzzy msgid "Group design" msgstr "Grupper" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "" -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 #, fuzzy msgid "Couldn't update your design." msgstr "Kan ikkje oppdatera brukar." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 #, fuzzy msgid "Design preferences saved." msgstr "Synkroniserings innstillingar blei lagra." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "Logo Ã¥t gruppa" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, fuzzy, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "Du kan lasta opp ein logo for gruppa." -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 #, fuzzy msgid "User without matching profile." msgstr "Kan ikkje finne brukar" -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 #, fuzzy msgid "Pick a square area of the image to be the logo." msgstr "Velg eit utvalg av bildet som vil blir din avatar." -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "Logo oppdatert." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "Feil ved oppdatering av logo." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "%s medlemmar i gruppa" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, fuzzy, php-format msgid "%1$s group members, page %2$d" msgstr "%s medlemmar i gruppa, side %d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "Ei liste over brukarane i denne gruppa." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "Blokkér" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 #, fuzzy msgid "Make user an admin of the group" msgstr "Du mÃ¥ være administrator for Ã¥ redigere gruppa" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 #, fuzzy msgid "Make Admin" msgstr "Administrator" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Oppdateringar frÃ¥ %1$s pÃ¥ %2$s!" @@ -2078,7 +2083,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "Du mÃ¥ være logga inn for Ã¥ bli med i ei gruppe." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Ingen kallenamn." + +#: actions/joingroup.php:141 #, fuzzy, php-format msgid "%1$s joined group %2$s" msgstr "%s blei medlem av gruppe %s" @@ -2087,11 +2097,11 @@ msgstr "%s blei medlem av gruppe %s" msgid "You must be logged in to leave a group." msgstr "Du mÃ¥ være innlogga for Ã¥ melde deg ut av ei gruppe." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "Du er ikkje medlem av den gruppa." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, fuzzy, php-format msgid "%1$s left group %2$s" msgstr "%s forlot %s gruppa" @@ -2369,8 +2379,8 @@ msgstr "Kopla til" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "Ikkje eit støtta dataformat." @@ -2516,7 +2526,7 @@ msgstr "Klarar ikkje lagra nytt passord." msgid "Password saved." msgstr "Lagra passord." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "" @@ -2549,7 +2559,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 #, fuzzy msgid "Site" msgstr "Invitér" @@ -2734,7 +2744,7 @@ msgstr "" "1-64 smÃ¥ bokstavar eller tal, ingen punktum (og liknande) eller mellomrom" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Fullt namn" @@ -2763,7 +2773,7 @@ msgid "Bio" msgstr "Om meg" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3355,7 +3365,7 @@ msgid "User is already sandboxed." msgstr "Brukar har blokkert deg." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3415,7 +3425,7 @@ msgstr "Paginering" msgid "Description" msgstr "Beskriving" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statistikk" @@ -3527,68 +3537,68 @@ msgstr "%s gruppe" msgid "%1$s group, page %2$d" msgstr "%s medlemmar i gruppa, side %d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "Gruppe profil" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Merknad" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "Gruppe handlingar" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Notisstraum for %s gruppa" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Notisstraum for %s gruppa" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "Notisstraum for %s gruppa" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "Utboks for %s" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "Medlemmar" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Ingen)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "Alle medlemmar" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 #, fuzzy msgid "Created" msgstr "Lag" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3598,7 +3608,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3609,7 +3619,7 @@ msgstr "" "**%s** er ei brukargruppe pÃ¥ %%%%site.name%%%%, ei [mikroblogging](http://en." "wikipedia.org/wiki/Micro-blogging)-teneste" -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 #, fuzzy msgid "Admins" msgstr "Administrator" @@ -4150,7 +4160,7 @@ msgstr "" msgid "No such tag." msgstr "Dette emneord finst ikkje." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "API-metoden er ikkje ferdig enno." @@ -4183,7 +4193,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "Brukar" @@ -4480,6 +4490,11 @@ msgstr "Kann ikkje oppdatera gruppa." msgid "Group leave failed." msgstr "Gruppe profil" +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "Kann ikkje oppdatera gruppa." + #: classes/Login_token.php:76 #, fuzzy, php-format msgid "Could not create login token for %s" @@ -4498,27 +4513,27 @@ msgstr "Kunne ikkje lagre melding." msgid "Could not update message with new URI." msgstr "Kunne ikkje oppdatere melding med ny URI." -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "databasefeil ved innsetjing av skigardmerkelapp (#merkelapp): %s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Eit problem oppstod ved lagring av notis." -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "Feil ved lagring av notis. Ukjend brukar." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "For mange notisar for raskt; tek ei pause, og prøv igjen om eit par minutt." -#: classes/Notice.php:237 +#: classes/Notice.php:254 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4526,20 +4541,20 @@ msgid "" msgstr "" "For mange notisar for raskt; tek ei pause, og prøv igjen om eit par minutt." -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "Du kan ikkje lengre legge inn notisar pÃ¥ denne sida." -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "Eit problem oppstod ved lagring av notis." -#: classes/Notice.php:882 +#: classes/Notice.php:911 #, fuzzy msgid "Problem saving group inbox." msgstr "Eit problem oppstod ved lagring av notis." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4571,19 +4586,29 @@ msgstr "Kan ikkje sletta tinging." msgid "Couldn't delete subscription." msgstr "Kan ikkje sletta tinging." -#: classes/User.php:372 +#: classes/User.php:373 #, fuzzy, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Melding til %1$s pÃ¥ %2$s" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "Kunne ikkje laga gruppa." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "Kunne ikkje bli med i gruppa." + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Kunne ikkje bli med i gruppa." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "Kunne ikkje lagra abonnement." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "Endra profilinnstillingane dine" @@ -4806,15 +4831,15 @@ msgstr "« Etter" msgid "Before" msgstr "Før »" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4843,41 +4868,41 @@ msgstr "Kommando ikkje implementert." msgid "Unable to delete design setting." msgstr "Klarte ikkje Ã¥ lagra Twitter-innstillingane dine!" -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 #, fuzzy msgid "Basic site configuration" msgstr "Stadfesting av epostadresse" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 #, fuzzy msgid "Design configuration" msgstr "SMS bekreftelse" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 #, fuzzy msgid "User configuration" msgstr "SMS bekreftelse" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Access configuration" msgstr "SMS bekreftelse" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 #, fuzzy msgid "Paths configuration" msgstr "SMS bekreftelse" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Sessions configuration" msgstr "SMS bekreftelse" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5465,23 +5490,23 @@ msgstr "Systemfeil ved opplasting av fil." msgid "Not an image or corrupt file." msgstr "Korrupt bilete." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "Støttar ikkje bileteformatet." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "Mista fila vÃ¥r." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "Ukjend fil type" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "" @@ -6012,7 +6037,7 @@ msgstr "Svar pÃ¥ denne notisen" msgid "Repeat this notice" msgstr "Svar pÃ¥ denne notisen" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index 5f4b051cb..19a0eb9e2 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-25 11:54+0000\n" -"PO-Revision-Date: 2010-02-25 11:56:23+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:34:18+0000\n" "Last-Translator: Piotr DrÄ…g \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -19,12 +19,12 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" -"X-Generator: MediaWiki 1.17alpha (r62948); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: out-statusnet\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "DostÄ™p" @@ -95,14 +95,15 @@ msgstr "Nie ma takiej strony" #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "Brak takiego użytkownika." @@ -187,20 +188,20 @@ msgstr "Aktualizacje z %1$s i przyjaciół na %2$s." #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 msgid "API method not found." msgstr "Nie odnaleziono metody API." @@ -233,8 +234,9 @@ msgstr "Nie można zaktualizować użytkownika." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "Użytkownik nie posiada profilu." @@ -260,7 +262,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -373,68 +375,68 @@ msgstr "Nie można okreÅ›lić użytkownika źródÅ‚owego." msgid "Could not find target user." msgstr "Nie można odnaleźć użytkownika docelowego." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "Pseudonim może zawierać tylko maÅ‚e litery i cyfry, bez spacji." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "Pseudonim jest już używany. Spróbuj innego." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "To nie jest prawidÅ‚owy pseudonim." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "Strona domowa nie jest prawidÅ‚owym adresem URL." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "ImiÄ™ i nazwisko jest za dÅ‚ugie (maksymalnie 255 znaków)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "Opis jest za dÅ‚ugi (maksymalnie %d znaków)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "PoÅ‚ożenie jest za dÅ‚ugie (maksymalnie 255 znaków)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "Za dużo aliasów. Maksymalnie %d." -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "NieprawidÅ‚owy alias: \"%s\"" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Alias \"%s\" jest już używany. Spróbuj innego." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "Alias nie może być taki sam jak pseudonim." @@ -445,15 +447,15 @@ msgstr "Alias nie może być taki sam jak pseudonim." msgid "Group not found!" msgstr "Nie odnaleziono grupy." -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "JesteÅ› już czÅ‚onkiem tej grupy." -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "ZostaÅ‚eÅ› zablokowany w tej grupie przez administratora." -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, php-format msgid "Could not join user %1$s to group %2$s." msgstr "Nie można doÅ‚Ä…czyć użytkownika %1$s do grupy %2$s." @@ -462,7 +464,7 @@ msgstr "Nie można doÅ‚Ä…czyć użytkownika %1$s do grupy %2$s." msgid "You are not a member of this group." msgstr "Nie jesteÅ› czÅ‚onkiem tej grupy." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "Nie można usunąć użytkownika %1$s z grupy %2$s." @@ -493,7 +495,7 @@ msgstr "NieprawidÅ‚owy token." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -535,7 +537,7 @@ msgstr "Token żądania %s zostaÅ‚ odrzucony lub unieważniony." #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -567,7 +569,7 @@ msgstr "Konto" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -649,12 +651,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "Użytkownik %1$s aktualizuje ulubione wedÅ‚ug %2$s/%2$s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "OÅ› czasu użytkownika %s" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -711,8 +713,7 @@ msgstr "Nie ma takiego zaÅ‚Ä…cznika." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Brak pseudonimu." @@ -724,7 +725,7 @@ msgstr "Brak rozmiaru." msgid "Invalid size." msgstr "NieprawidÅ‚owy rozmiar." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Awatar" @@ -741,17 +742,17 @@ msgid "User without matching profile" msgstr "Użytkownik bez odpowiadajÄ…cego profilu" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Ustawienia awatara" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "OryginaÅ‚" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "PodglÄ…d" @@ -760,11 +761,11 @@ msgstr "PodglÄ…d" msgid "Delete" msgstr "UsuÅ„" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "WyÅ›lij" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "Przytnij" @@ -772,7 +773,7 @@ msgstr "Przytnij" msgid "Pick a square area of the image to be your avatar" msgstr "Wybierz kwadratowy obszar obrazu do awatara" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Utracono dane pliku." @@ -807,22 +808,22 @@ msgstr "" "i nie bÄ™dziesz powiadamiany o żadnych odpowiedziach @ od niego." #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "Nie" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "Nie blokuj tego użytkownika" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Tak" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "Zablokuj tego użytkownika" @@ -830,39 +831,43 @@ msgstr "Zablokuj tego użytkownika" msgid "Failed to save block information." msgstr "Zapisanie informacji o blokadzie nie powiodÅ‚o siÄ™." -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "Nie ma takiej grupy." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "%s zablokowane profile" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s zablokowane profile, strona %2$d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "Lista użytkowników zablokowanych w tej grupie." -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "Odblokuj użytkownika w tej grupie" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "Odblokuj" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "Odblokuj tego użytkownika" @@ -1012,7 +1017,7 @@ msgstr "Nie można usuwać lokalnych użytkowników." msgid "Delete user" msgstr "UsuÅ„ użytkownika" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." @@ -1020,12 +1025,12 @@ msgstr "" "Na pewno usunąć tego użytkownika? WyczyÅ›ci to wszystkie dane o użytkowniku z " "bazy danych, bez utworzenia kopii zapasowej." -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "UsuÅ„ tego użytkownika" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "WyglÄ…d" @@ -1217,29 +1222,29 @@ msgstr "Zmodyfikuj grupÄ™ %s" msgid "You must be logged in to create a group." msgstr "Musisz być zalogowany, aby utworzyć grupÄ™." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "Musisz być administratorem, aby zmodyfikować grupÄ™." -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "Użyj tego formularza, aby zmodyfikować grupÄ™." -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "opis jest za dÅ‚ugi (maksymalnie %d znaków)." -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "Nie można zaktualizować grupy." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "Nie można utworzyć aliasów." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "Zapisano opcje." @@ -1580,7 +1585,7 @@ msgstr "Użytkownik zostaÅ‚ już zablokowaÅ‚ w grupie." msgid "User is not a member of group." msgstr "Użytkownik nie jest czÅ‚onkiem grupy." -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "Zablokuj użytkownika w grupie" @@ -1615,86 +1620,86 @@ msgstr "Brak identyfikatora." msgid "You must be logged in to edit a group." msgstr "Musisz być zalogowany, aby zmodyfikować grupÄ™." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "WyglÄ…d grupy" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "Dostosuj wyglÄ…d grupy za pomocÄ… wybranego obrazu tÅ‚a i palety kolorów." -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 msgid "Couldn't update your design." msgstr "Nie można zaktualizować wyglÄ…du." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "Zapisano preferencje wyglÄ…du." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "Logo grupy" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "Można wysÅ‚ać obraz logo grupy. Maksymalny rozmiar pliku to %s." -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 msgid "User without matching profile." msgstr "Użytkownik bez odpowiadajÄ…cego profilu." -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Wybierz kwadratowy obszar obrazu, który bÄ™dzie logo." -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "Zaktualizowano logo." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "Zaktualizowanie logo nie powiodÅ‚o siÄ™." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "CzÅ‚onkowie grupy %s" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "CzÅ‚onkowie grupy %1$s, strona %2$d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "Lista użytkowników znajdujÄ…cych siÄ™ w tej grupie." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "Zablokuj" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "UczyÅ„ użytkownika administratorem grupy" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "UczyÅ„ administratorem" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "UczyÅ„ tego użytkownika administratorem" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Aktualizacje od czÅ‚onków %1$s na %2$s." @@ -2028,7 +2033,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "Musisz być zalogowany, aby doÅ‚Ä…czyć do grupy." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Brak pseudonimu." + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "Użytkownik %1$s doÅ‚Ä…czyÅ‚ do grupy %2$s" @@ -2037,11 +2047,11 @@ msgstr "Użytkownik %1$s doÅ‚Ä…czyÅ‚ do grupy %2$s" msgid "You must be logged in to leave a group." msgstr "Musisz być zalogowany, aby opuÅ›cić grupÄ™." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "Nie jesteÅ› czÅ‚onkiem tej grupy." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, php-format msgid "%1$s left group %2$s" msgstr "Użytkownik %1$s opuÅ›ciÅ‚ grupÄ™ %2$s" @@ -2313,8 +2323,8 @@ msgstr "typ zawartoÅ›ci " msgid "Only " msgstr "Tylko " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "To nie jest obsÅ‚ugiwany format danych." @@ -2453,7 +2463,7 @@ msgstr "Nie można zapisać nowego hasÅ‚a." msgid "Password saved." msgstr "Zapisano hasÅ‚o." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "Åšcieżki" @@ -2486,7 +2496,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "NieprawidÅ‚owy serwer SSL. Maksymalna dÅ‚ugość to 255 znaków." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Witryny" @@ -2661,7 +2671,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 maÅ‚e litery lub liczby, bez spacji i znaków przestankowych" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "ImiÄ™ i nazwisko" @@ -2689,7 +2699,7 @@ msgid "Bio" msgstr "O mnie" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3285,7 +3295,7 @@ msgid "User is already sandboxed." msgstr "Użytkownik jest już ograniczony." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "Sesje" @@ -3340,7 +3350,7 @@ msgstr "Organizacja" msgid "Description" msgstr "Opis" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statystyki" @@ -3461,67 +3471,67 @@ msgstr "Grupa %s" msgid "%1$s group, page %2$d" msgstr "Grupa %1$s, strona %2$d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "Profil grupy" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "Adres URL" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Wpis" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "Aliasy" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "DziaÅ‚ania grupy" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "KanaÅ‚ wpisów dla grupy %s (RSS 1.0)" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "KanaÅ‚ wpisów dla grupy %s (RSS 2.0)" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "KanaÅ‚ wpisów dla grupy %s (Atom)" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "FOAF dla grupy %s" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "CzÅ‚onkowie" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Brak)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "Wszyscy czÅ‚onkowie" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "Utworzono" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3537,7 +3547,7 @@ msgstr "" "action.register%%%%), aby stać siÄ™ częściÄ… tej grupy i wiele wiÄ™cej. " "([Przeczytaj wiÄ™cej](%%%%doc.help%%%%))" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3550,7 +3560,7 @@ msgstr "" "narzÄ™dziu [StatusNet](http://status.net/). Jej czÅ‚onkowie dzielÄ… siÄ™ " "krótkimi wiadomoÅ›ciami o swoim życiu i zainteresowaniach. " -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "Administratorzy" @@ -4100,7 +4110,7 @@ msgstr "" msgid "No such tag." msgstr "Nie ma takiego znacznika." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "Metoda API jest w trakcie tworzenia." @@ -4132,7 +4142,7 @@ msgstr "" "Licencja nasÅ‚uchiwanego strumienia \"%1$s\" nie jest zgodna z licencjÄ… " "witryny \"%2$s\"." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "Użytkownik" @@ -4432,6 +4442,11 @@ msgstr "Nie jest częściÄ… grupy." msgid "Group leave failed." msgstr "Opuszczenie grupy nie powiodÅ‚o siÄ™." +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "Nie można zaktualizować grupy." + #: classes/Login_token.php:76 #, php-format msgid "Could not create login token for %s" @@ -4449,27 +4464,27 @@ msgstr "Nie można wprowadzić wiadomoÅ›ci." msgid "Could not update message with new URI." msgstr "Nie można zaktualizować wiadomoÅ›ci za pomocÄ… nowego adresu URL." -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "BÅ‚Ä…d bazy danych podczas wprowadzania znacznika mieszania: %s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 msgid "Problem saving notice. Too long." msgstr "Problem podczas zapisywania wpisu. Za dÅ‚ugi." -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "Problem podczas zapisywania wpisu. Nieznany użytkownik." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Za dużo wpisów w za krótkim czasie, weź gÅ‚Ä™boki oddech i wyÅ›lij ponownie za " "kilka minut." -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4477,19 +4492,19 @@ msgstr "" "Za dużo takich samych wiadomoÅ›ci w za krótkim czasie, weź gÅ‚Ä™boki oddech i " "wyÅ›lij ponownie za kilka minut." -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "Zabroniono ci wysyÅ‚ania wpisów na tej witrynie." -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "Problem podczas zapisywania wpisu." -#: classes/Notice.php:882 +#: classes/Notice.php:911 msgid "Problem saving group inbox." msgstr "Problem podczas zapisywania skrzynki odbiorczej grupy." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4518,19 +4533,29 @@ msgstr "Nie można usunąć autosubskrypcji." msgid "Couldn't delete subscription." msgstr "Nie można usunąć subskrypcji." -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Witaj w %1$s, @%2$s." -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "Nie można utworzyć grupy." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "Nie można ustawić czÅ‚onkostwa w grupie." + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Nie można ustawić czÅ‚onkostwa w grupie." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "Nie można zapisać subskrypcji." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "ZmieÅ„ ustawienia profilu" @@ -4752,15 +4777,15 @@ msgstr "Później" msgid "Before" msgstr "WczeÅ›niej" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "Nie można jeszcze obsÅ‚ugiwać zdalnej treÅ›ci." -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "Nie można jeszcze obsÅ‚ugiwać zagnieżdżonej treÅ›ci XML." -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "Nie można jeszcze obsÅ‚ugiwać zagnieżdżonej treÅ›ci Base64." @@ -4784,37 +4809,37 @@ msgstr "saveSettings() nie jest zaimplementowane." msgid "Unable to delete design setting." msgstr "Nie można usunąć ustawienia wyglÄ…du." -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 msgid "Basic site configuration" msgstr "Podstawowa konfiguracja witryny" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "Konfiguracja wyglÄ…du" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 msgid "User configuration" msgstr "Konfiguracja użytkownika" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 msgid "Access configuration" msgstr "Konfiguracja dostÄ™pu" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 msgid "Paths configuration" msgstr "Konfiguracja Å›cieżek" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 msgid "Sessions configuration" msgstr "Konfiguracja sesji" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" "Zasób API wymaga dostÄ™pu do zapisu i do odczytu, ale powiadasz dostÄ™p tylko " "do odczytu." -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -6041,7 +6066,7 @@ msgstr "Powtórzyć ten wpis?" msgid "Repeat this notice" msgstr "Powtórz ten wpis" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" "Nie okreÅ›lono pojedynczego użytkownika dla trybu pojedynczego użytkownika." diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index e742dda19..d800e417c 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -9,18 +9,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:51:34+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:34:21+0000\n" "Language-Team: Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "Acesso" @@ -94,14 +94,15 @@ msgstr "Página não encontrada." #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "Utilizador não encontrado." @@ -184,20 +185,20 @@ msgstr "Actualizações de %1$s e amigos no %2$s!" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 msgid "API method not found." msgstr "Método da API não encontrado." @@ -230,8 +231,9 @@ msgstr "Não foi possível actualizar o utilizador." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "Utilizador não tem perfil." @@ -257,7 +259,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -369,68 +371,68 @@ msgstr "Não foi possível determinar o utilizador de origem." msgid "Could not find target user." msgstr "Não foi possível encontrar o utilizador de destino." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "Utilizador só deve conter letras minúsculas e números. Sem espaços." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "Utilizador já é usado. Tente outro." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Utilizador não é válido." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "Página de ínicio não é uma URL válida." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "Nome completo demasiado longo (máx. 255 caracteres)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "Descrição demasiado longa (máx. 140 caracteres)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "Localidade demasiado longa (máx. 255 caracteres)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "Demasiados sinónimos (máx. %d)." -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Sinónimo inválido: \"%s\"" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Sinónimo \"%s\" já em uso. Tente outro." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "Os sinónimos não podem ser iguais ao nome do utilizador." @@ -441,15 +443,15 @@ msgstr "Os sinónimos não podem ser iguais ao nome do utilizador." msgid "Group not found!" msgstr "Grupo não foi encontrado!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "Já é membro desse grupo." -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "Foi bloqueado desse grupo pelo gestor." -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, php-format msgid "Could not join user %1$s to group %2$s." msgstr "Não foi possível adicionar %1$s ao grupo %2$s." @@ -458,7 +460,7 @@ msgstr "Não foi possível adicionar %1$s ao grupo %2$s." msgid "You are not a member of this group." msgstr "Não é membro deste grupo." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "Não foi possível remover %1$s do grupo %2$s." @@ -490,7 +492,7 @@ msgstr "Tamanho inválido." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -534,7 +536,7 @@ msgstr "" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -563,7 +565,7 @@ msgstr "Conta" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -647,12 +649,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s actualizações preferidas por %2$s / %2$s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "Notas de %s" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -709,8 +711,7 @@ msgstr "Anexo não encontrado." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Nenhuma utilizador." @@ -722,7 +723,7 @@ msgstr "Tamanho não definido." msgid "Invalid size." msgstr "Tamanho inválido." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Avatar" @@ -739,17 +740,17 @@ msgid "User without matching profile" msgstr "Utilizador sem perfil correspondente" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Configurações do avatar" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Original" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Antevisão" @@ -758,11 +759,11 @@ msgstr "Antevisão" msgid "Delete" msgstr "Apagar" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Carregar" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "Cortar" @@ -770,7 +771,7 @@ msgstr "Cortar" msgid "Pick a square area of the image to be your avatar" msgstr "Escolha uma área quadrada da imagem para ser o seu avatar" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Perdi os dados do nosso ficheiro." @@ -805,22 +806,22 @@ msgstr "" "de futuro e você não receberá notificações das @-respostas dele." #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "Não" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "Não bloquear este utilizador" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Sim" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "Bloquear este utilizador" @@ -828,39 +829,43 @@ msgstr "Bloquear este utilizador" msgid "Failed to save block information." msgstr "Não foi possível gravar informação do bloqueio." -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "Grupo não foi encontrado." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "%s perfis bloqueados" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "Perfis bloqueados de %1$s, página %2$d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "Uma lista dos utilizadores com entrada bloqueada neste grupo." -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "Desbloquear utilizador do grupo" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "Desbloquear" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "Desbloquear este utilizador" @@ -1018,7 +1023,7 @@ msgstr "Só pode apagar utilizadores locais." msgid "Delete user" msgstr "Apagar utilizador" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." @@ -1026,12 +1031,12 @@ msgstr "" "Tem a certeza de que quer apagar este utilizador? Todos os dados do " "utilizador serão eliminados da base de dados, sem haver cópias." -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "Apagar este utilizador" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "Estilo" @@ -1237,29 +1242,29 @@ msgstr "Editar grupo %s" msgid "You must be logged in to create a group." msgstr "Tem de iniciar uma sessão para criar o grupo." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "Tem de ser administrador para editar o grupo." -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "Use este formulário para editar o grupo." -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "descrição é demasiada extensa (máx. %d caracteres)." -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "Não foi possível actualizar o grupo." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "Não foi possível criar sinónimos." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "Opções gravadas." @@ -1603,7 +1608,7 @@ msgstr "Acesso do utilizador ao grupo já foi bloqueado." msgid "User is not a member of group." msgstr "Utilizador não é membro do grupo." -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "Bloquear acesso do utilizador ao grupo" @@ -1638,11 +1643,11 @@ msgstr "Sem ID." msgid "You must be logged in to edit a group." msgstr "Precisa de iniciar sessão para editar um grupo." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "Estilo do grupo" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." @@ -1650,20 +1655,20 @@ msgstr "" "Personalize o aspecto do seu grupo com uma imagem de fundo e uma paleta de " "cores à sua escolha." -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 msgid "Couldn't update your design." msgstr "Não foi possível actualizar o estilo." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "Preferências de estilo foram gravadas." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "Logotipo do grupo" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." @@ -1671,57 +1676,57 @@ msgstr "" "Pode carregar uma imagem para logotipo do seu grupo. O tamanho máximo do " "ficheiro é %s." -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 msgid "User without matching profile." msgstr "Utilizador sem perfil correspondente." -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Escolha uma área quadrada da imagem para ser o logotipo." -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "Logotipo actualizado." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "Não foi possível actualizar o logotipo." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "Membros do grupo %s" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "Membros do grupo %1$s, página %2$d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "Uma lista dos utilizadores neste grupo." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Gestor" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "Bloquear" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "Tornar utilizador o gestor do grupo" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "Tornar Gestor" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "Tornar este utilizador um gestor" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Actualizações dos membros de %1$s em %2$s!" @@ -2055,7 +2060,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "Precisa de iniciar uma sessão para se juntar a um grupo." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Nenhuma utilizador." + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "%1$s juntou-se ao grupo %2$s" @@ -2064,11 +2074,11 @@ msgstr "%1$s juntou-se ao grupo %2$s" msgid "You must be logged in to leave a group." msgstr "Precisa de iniciar uma sessão para deixar um grupo." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "Não é um membro desse grupo." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, php-format msgid "%1$s left group %2$s" msgstr "%1$s deixou o grupo %2$s" @@ -2346,8 +2356,8 @@ msgstr "tipo de conteúdo " msgid "Only " msgstr "Apenas " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "Formato de dados não suportado." @@ -2493,7 +2503,7 @@ msgstr "Não é possível guardar a nova senha." msgid "Password saved." msgstr "Senha gravada." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "Localizações" @@ -2526,7 +2536,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Servidor SSL inválido. O tamanho máximo é 255 caracteres." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Site" @@ -2700,7 +2710,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 letras minúsculas ou números, sem pontuação ou espaços" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Nome completo" @@ -2728,7 +2738,7 @@ msgid "Bio" msgstr "Biografia" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3326,7 +3336,7 @@ msgid "User is already sandboxed." msgstr "Utilizador já está impedido de criar notas públicas." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "Sessões" @@ -3385,7 +3395,7 @@ msgstr "Paginação" msgid "Description" msgstr "Descrição" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Estatísticas" @@ -3506,67 +3516,67 @@ msgstr "Grupo %s" msgid "%1$s group, page %2$d" msgstr "Membros do grupo %1$s, página %2$d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "Perfil do grupo" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Anotação" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "Sinónimos" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "Acções do grupo" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Fonte de notas do grupo %s (RSS 1.0)" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Fonte de notas do grupo %s (RSS 2.0)" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Fonte de notas do grupo %s (Atom)" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "FOAF do grupo %s" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "Membros" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Nenhum)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "Todos os membros" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "Criado" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3582,7 +3592,7 @@ msgstr "" "[Registe-se agora](%%action.register%%) para se juntar a este grupo e a " "muitos mais! ([Saber mais](%%doc.help%%))" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3595,7 +3605,7 @@ msgstr "" "programa de Software Livre [StatusNet](http://status.net/). Os membros deste " "grupo partilham mensagens curtas acerca das suas vidas e interesses. " -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "Gestores" @@ -4144,7 +4154,7 @@ msgstr "" msgid "No such tag." msgstr "Categoria não existe." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "Método da API em desenvolvimento." @@ -4176,7 +4186,7 @@ msgstr "" "Licença ‘%1$s’ da listenee stream não é compatível com a licença ‘%2$s’ do " "site." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "Utilizador" @@ -4477,6 +4487,11 @@ msgstr "Não foi possível actualizar o grupo." msgid "Group leave failed." msgstr "Perfil do grupo" +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "Não foi possível actualizar o grupo." + #: classes/Login_token.php:76 #, php-format msgid "Could not create login token for %s" @@ -4494,27 +4509,27 @@ msgstr "Não foi possível inserir a mensagem." msgid "Could not update message with new URI." msgstr "Não foi possível actualizar a mensagem com a nova URI." -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Erro na base de dados ao inserir a marca: %s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 msgid "Problem saving notice. Too long." msgstr "Problema na gravação da nota. Demasiado longa." -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "Problema na gravação da nota. Utilizador desconhecido." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Demasiadas notas, demasiado rápido; descanse e volte a publicar daqui a " "alguns minutos." -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4522,20 +4537,20 @@ msgstr "" "Demasiadas mensagens duplicadas, demasiado rápido; descanse e volte a " "publicar daqui a alguns minutos." -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "Está proibido de publicar notas neste site." -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "Problema na gravação da nota." -#: classes/Notice.php:882 +#: classes/Notice.php:911 #, fuzzy msgid "Problem saving group inbox." msgstr "Problema na gravação da nota." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4564,19 +4579,29 @@ msgstr "Não foi possível apagar a auto-subscrição." msgid "Couldn't delete subscription." msgstr "Não foi possível apagar a subscrição." -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "%1$s dá-lhe as boas-vindas, @%2$s!" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "Não foi possível criar o grupo." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "Não foi possível configurar membros do grupo." + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Não foi possível configurar membros do grupo." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "Não foi possível gravar a subscrição." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "Modificar as suas definições de perfil" @@ -4794,15 +4819,15 @@ msgstr "Posteriores" msgid "Before" msgstr "Anteriores" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4826,38 +4851,38 @@ msgstr "saveSettings() não implementado." msgid "Unable to delete design setting." msgstr "Não foi possível apagar a configuração do estilo." -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 msgid "Basic site configuration" msgstr "Configuração básica do site" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "Configuração do estilo" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 #, fuzzy msgid "User configuration" msgstr "Configuração das localizações" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Access configuration" msgstr "Configuração do estilo" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 msgid "Paths configuration" msgstr "Configuração das localizações" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Sessions configuration" msgstr "Configuração do estilo" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5474,23 +5499,23 @@ msgstr "Ocorreu um erro de sistema ao transferir o ficheiro." msgid "Not an image or corrupt file." msgstr "Ficheiro não é uma imagem ou está corrompido." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "Formato do ficheiro da imagem não é suportado." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "Perdi o nosso ficheiro." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "Tipo do ficheiro é desconhecido" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "MB" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "kB" @@ -6083,7 +6108,7 @@ msgstr "Repetir esta nota?" msgid "Repeat this notice" msgstr "Repetir esta nota" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index 18659cecf..7c3db43d1 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -11,18 +11,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:51:37+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:34:27+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "Acesso" @@ -93,14 +93,15 @@ msgstr "Esta página não existe." #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "Este usuário não existe." @@ -185,20 +186,20 @@ msgstr "Atualizações de %1$s e amigos no %2$s!" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 msgid "API method not found." msgstr "O método da API não foi encontrado!" @@ -232,8 +233,9 @@ msgstr "Não foi possível atualizar o usuário." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "O usuário não tem perfil." @@ -259,7 +261,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -371,7 +373,7 @@ msgstr "Não foi possível determinar o usuário de origem." msgid "Could not find target user." msgstr "Não foi possível encontrar usuário de destino." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." @@ -379,62 +381,62 @@ msgstr "" "A identificação deve conter apenas letras minúsculas e números e não pode " "ter e espaços." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "Esta identificação já está em uso. Tente outro." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Não é uma identificação válida." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "A URL informada não é válida." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "Nome completo muito extenso (máx. 255 caracteres)" -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "Descrição muito extensa (máximo %d caracteres)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "Localização muito extensa (máx. 255 caracteres)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "Muitos apelidos! O máximo são %d." -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Apelido inválido: \"%s\"" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "O apelido \"%s\" já está em uso. Tente outro." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "O apelido não pode ser igual à identificação." @@ -445,15 +447,15 @@ msgstr "O apelido não pode ser igual à identificação." msgid "Group not found!" msgstr "O grupo não foi encontrado!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "Você já é membro desse grupo." -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "O administrador desse grupo bloqueou sua inscrição." -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, php-format msgid "Could not join user %1$s to group %2$s." msgstr "Não foi possível associar o usuário %1$s ao grupo %2$s." @@ -462,7 +464,7 @@ msgstr "Não foi possível associar o usuário %1$s ao grupo %2$s." msgid "You are not a member of this group." msgstr "Você não é membro deste grupo." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "Não foi possível remover o usuário %1$s do grupo %2$s." @@ -493,7 +495,7 @@ msgstr "Token inválido." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -539,7 +541,7 @@ msgstr "O token %s solicitado foi negado e revogado." #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -572,7 +574,7 @@ msgstr "Conta" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -654,12 +656,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s marcadas como favoritas por %2$s / %2$s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "Mensagens de %s" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -716,8 +718,7 @@ msgstr "Este anexo não existe." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Nenhuma identificação." @@ -729,7 +730,7 @@ msgstr "Sem tamanho definido." msgid "Invalid size." msgstr "Tamanho inválido." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Avatar" @@ -747,17 +748,17 @@ msgid "User without matching profile" msgstr "Usuário sem um perfil correspondente" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Configurações do avatar" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Original" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Visualização" @@ -766,11 +767,11 @@ msgstr "Visualização" msgid "Delete" msgstr "Excluir" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Enviar" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "Cortar" @@ -778,7 +779,7 @@ msgstr "Cortar" msgid "Pick a square area of the image to be your avatar" msgstr "Selecione uma área quadrada da imagem para ser seu avatar" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Os dados do nosso arquivo foram perdidos." @@ -814,22 +815,22 @@ msgstr "" "você." #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "Não" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "Não bloquear este usuário" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Sim" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "Bloquear este usuário" @@ -837,39 +838,43 @@ msgstr "Bloquear este usuário" msgid "Failed to save block information." msgstr "Não foi possível salvar a informação de bloqueio." -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "Esse grupo não existe." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "Perfis bloqueados no %s" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "Perfis bloqueados no %1$s, pág. %2$d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "Uma lista dos usuários proibidos de se associarem a este grupo." -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "Desbloquear o usuário do grupo" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "Desbloquear" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "Desbloquear este usuário" @@ -1020,7 +1025,7 @@ msgstr "Você só pode excluir usuários locais." msgid "Delete user" msgstr "Excluir usuário" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." @@ -1028,12 +1033,12 @@ msgstr "" "Tem certeza que deseja excluir este usuário? Isso eliminará todos os dados " "deste usuário do banco de dados, sem cópia de segurança." -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "Excluir este usuário" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "Aparência" @@ -1227,29 +1232,29 @@ msgstr "Editar o grupo %s" msgid "You must be logged in to create a group." msgstr "Você deve estar autenticado para criar um grupo." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "Você deve ser um administrador para editar o grupo." -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "Use esse formulário para editar o grupo." -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "descrição muito extensa (máximo %d caracteres)." -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "Não foi possível atualizar o grupo." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "Não foi possível criar os apelidos." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "As configurações foram salvas." @@ -1594,7 +1599,7 @@ msgstr "O usuário já está bloqueado no grupo." msgid "User is not a member of group." msgstr "O usuário não é um membro do grupo" -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "Bloquear o usuário no grupo" @@ -1630,11 +1635,11 @@ msgstr "Nenhuma ID." msgid "You must be logged in to edit a group." msgstr "Você precisa estar autenticado para editar um grupo." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "Aparência do grupo" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." @@ -1642,20 +1647,20 @@ msgstr "" "Personalize a aparência do grupo com uma imagem de fundo e uma paleta de " "cores à sua escolha." -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 msgid "Couldn't update your design." msgstr "Não foi possível atualizar a aparência." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "As configurações da aparência foram salvas." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "Logo do grupo" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." @@ -1663,57 +1668,57 @@ msgstr "" "Você pode enviar uma imagem de logo para o seu grupo. O tamanho máximo do " "arquivo é %s." -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 msgid "User without matching profile." msgstr "Usuário sem um perfil correspondente" -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Selecione uma área quadrada da imagem para definir a logo" -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "A logo foi atualizada." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "Não foi possível atualizar a logo." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "Membros do grupo %s" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "Membros do grupo %1$s, pág. %2$d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "Uma lista dos usuários deste grupo." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "Bloquear" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "Tornar o usuário um administrador do grupo" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "Tornar administrador" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "Torna este usuário um administrador" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Atualizações dos membros de %1$s no %2$s!" @@ -2049,7 +2054,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "Você deve estar autenticado para se associar a um grupo." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Nenhuma identificação." + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "%1$s associou-se ao grupo %2$s" @@ -2058,11 +2068,11 @@ msgstr "%1$s associou-se ao grupo %2$s" msgid "You must be logged in to leave a group." msgstr "Você deve estar autenticado para sair de um grupo." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "Você não é um membro desse grupo." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, php-format msgid "%1$s left group %2$s" msgstr "%1$s deixou o grupo %2$s" @@ -2341,8 +2351,8 @@ msgstr "tipo de conteúdo " msgid "Only " msgstr "Apenas " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "Não é um formato de dados suportado." @@ -2483,7 +2493,7 @@ msgstr "Não é possível salvar a nova senha." msgid "Password saved." msgstr "A senha foi salva." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "Caminhos" @@ -2517,7 +2527,7 @@ msgstr "" "Servidor SSL inválido. O comprimento máximo deve ser de 255 caracteres." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Site" @@ -2690,7 +2700,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 letras minúsculas ou números, sem pontuações ou espaços" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Nome completo" @@ -2718,7 +2728,7 @@ msgid "Bio" msgstr "Descrição" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3318,7 +3328,7 @@ msgid "User is already sandboxed." msgstr "O usuário já está em isolamento." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "Sessões" @@ -3373,7 +3383,7 @@ msgstr "Organização" msgid "Description" msgstr "Descrição" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Estatísticas" @@ -3494,67 +3504,67 @@ msgstr "Grupo %s" msgid "%1$s group, page %2$d" msgstr "Grupo %1$s, pág. %2$d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "Perfil do grupo" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "Site" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Mensagem" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "Apelidos" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "Ações do grupo" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Fonte de mensagens do grupo %s (RSS 1.0)" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Fonte de mensagens do grupo %s (RSS 2.0)" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Fonte de mensagens do grupo %s (Atom)" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "FOAF para o grupo %s" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "Membros" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Nenhum)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "Todos os membros" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "Criado" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3570,7 +3580,7 @@ msgstr "" "para se tornar parte deste grupo e muito mais! ([Saiba mais](%%%%doc.help%%%" "%))" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3583,7 +3593,7 @@ msgstr "" "[StatusNet](http://status.net/). Seus membros compartilham mensagens curtas " "sobre suas vidas e interesses. " -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "Administradores" @@ -4132,7 +4142,7 @@ msgstr "" msgid "No such tag." msgstr "Esta etiqueta não existe." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "O método da API está em construção." @@ -4164,7 +4174,7 @@ msgstr "" "A licença '%1$s' do fluxo do usuário não é compatível com a licença '%2$s' " "do site." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "Usuário" @@ -4465,6 +4475,11 @@ msgstr "Não é parte de um grupo." msgid "Group leave failed." msgstr "Não foi possível deixar o grupo." +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "Não foi possível atualizar o grupo." + #: classes/Login_token.php:76 #, php-format msgid "Could not create login token for %s" @@ -4482,27 +4497,27 @@ msgstr "Não foi possível inserir a mensagem." msgid "Could not update message with new URI." msgstr "Não foi possível atualizar a mensagem com a nova URI." -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Erro no banco de dados durante a inserção da hashtag: %s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 msgid "Problem saving notice. Too long." msgstr "Problema no salvamento da mensagem. Ela é muito extensa." -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "Problema no salvamento da mensagem. Usuário desconhecido." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Muitas mensagens em um período curto de tempo; dê uma respirada e publique " "novamente daqui a alguns minutos." -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4510,19 +4525,19 @@ msgstr "" "Muitas mensagens duplicadas em um período curto de tempo; dê uma respirada e " "publique novamente daqui a alguns minutos." -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "Você está proibido de publicar mensagens neste site." -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "Problema no salvamento da mensagem." -#: classes/Notice.php:882 +#: classes/Notice.php:911 msgid "Problem saving group inbox." msgstr "Problema no salvamento das mensagens recebidas do grupo." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4551,19 +4566,29 @@ msgstr "Não foi possível excluir a auto-assinatura." msgid "Couldn't delete subscription." msgstr "Não foi possível excluir a assinatura." -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Bem vindo(a) a %1$s, @%2$s!" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "Não foi possível criar o grupo." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "Não foi possível configurar a associação ao grupo." + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Não foi possível configurar a associação ao grupo." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "Não foi possível salvar a assinatura." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "Alterar as suas configurações de perfil" @@ -4783,15 +4808,15 @@ msgstr "Próximo" msgid "Before" msgstr "Anterior" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4815,37 +4840,37 @@ msgstr "saveSettings() não implementado." msgid "Unable to delete design setting." msgstr "Não foi possível excluir as configurações da aparência." -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 msgid "Basic site configuration" msgstr "Configuração básica do site" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "Configuração da aparência" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 msgid "User configuration" msgstr "Configuração do usuário" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 msgid "Access configuration" msgstr "Configuração do acesso" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 msgid "Paths configuration" msgstr "Configuração dos caminhos" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 msgid "Sessions configuration" msgstr "Configuração das sessões" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" "Os recursos de API exigem acesso de leitura e escrita, mas você possui " "somente acesso de leitura." -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5462,23 +5487,23 @@ msgstr "Erro no sistema durante o envio do arquivo." msgid "Not an image or corrupt file." msgstr "Imagem inválida ou arquivo corrompido." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "Formato de imagem não suportado." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "Nosso arquivo foi perdido." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "Tipo de arquivo desconhecido" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "Mb" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "Kb" @@ -6073,7 +6098,7 @@ msgstr "Repetir esta mensagem?" msgid "Repeat this notice" msgstr "Repetir esta mensagem" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "Nenhum usuário definido para o modo de usuário único." diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index a23f7c2f3..ef85ef003 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -12,19 +12,19 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-25 11:54+0000\n" -"PO-Revision-Date: 2010-02-25 11:56:32+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:34:30+0000\n" "Language-Team: Russian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62948); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%" "10< =4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "ПринÑÑ‚ÑŒ" @@ -96,14 +96,15 @@ msgstr "Ðет такой Ñтраницы" #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "Ðет такого пользователÑ." @@ -186,20 +187,20 @@ msgstr "Обновлено от %1$s и его друзей на %2$s!" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 msgid "API method not found." msgstr "Метод API не найден." @@ -231,8 +232,9 @@ msgstr "Ðе удаётÑÑ Ð¾Ð±Ð½Ð¾Ð²Ð¸Ñ‚ÑŒ пользователÑ." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "У Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð½ÐµÑ‚ профилÑ." @@ -258,7 +260,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -374,69 +376,69 @@ msgstr "Ðе удаётÑÑ Ð¾Ð¿Ñ€ÐµÐ´ÐµÐ»Ð¸Ñ‚ÑŒ иÑходного пользо msgid "Could not find target user." msgstr "Ðе удаётÑÑ Ð½Ð°Ð¹Ñ‚Ð¸ целевого пользователÑ." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" "Ð˜Ð¼Ñ Ð´Ð¾Ð»Ð¶Ð½Ð¾ ÑоÑтоÑÑ‚ÑŒ только из пропиÑных букв и цифр и не иметь пробелов." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "Такое Ð¸Ð¼Ñ ÑƒÐ¶Ðµ иÑпользуетÑÑ. Попробуйте какое-нибудь другое." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Ðеверное имÑ." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "URL Главной Ñтраницы неверен." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "Полное Ð¸Ð¼Ñ Ñлишком длинное (не больше 255 знаков)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "Слишком длинное опиÑание (макÑимум %d Ñимволов)" -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "Слишком длинное меÑтораÑположение (макÑимум 255 знаков)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "Слишком много алиаÑов! МакÑимальное чиÑло — %d." -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Ðеверный алиаÑ: «%s»" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "ÐÐ»Ð¸Ð°Ñ Â«%s» уже иÑпользуетÑÑ. Попробуйте какой-нибудь другой." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "ÐÐ»Ð¸Ð°Ñ Ð½Ðµ может Ñовпадать Ñ Ð¸Ð¼ÐµÐ½ÐµÐ¼." @@ -447,15 +449,15 @@ msgstr "ÐÐ»Ð¸Ð°Ñ Ð½Ðµ может Ñовпадать Ñ Ð¸Ð¼ÐµÐ½ÐµÐ¼." msgid "Group not found!" msgstr "Группа не найдена!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "Ð’Ñ‹ уже ÑвлÑетеÑÑŒ членом Ñтой группы." -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "Ð’Ñ‹ заблокированы из Ñтой группы админиÑтратором." -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, php-format msgid "Could not join user %1$s to group %2$s." msgstr "Ðе удаётÑÑ Ð¿Ñ€Ð¸Ñоединить Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ %1$s к группе %2$s." @@ -464,7 +466,7 @@ msgstr "Ðе удаётÑÑ Ð¿Ñ€Ð¸Ñоединить Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ %1 msgid "You are not a member of this group." msgstr "Ð’Ñ‹ не ÑвлÑетеÑÑŒ членом Ñтой группы." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "Ðе удаётÑÑ ÑƒÐ´Ð°Ð»Ð¸Ñ‚ÑŒ Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ %1$s из группы %2$s." @@ -495,7 +497,7 @@ msgstr "Ðеправильный токен" #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -537,7 +539,7 @@ msgstr "Ð—Ð°Ð¿Ñ€Ð¾Ñ Ñ‚Ð¾ÐºÐµÐ½Ð° %s был запрещен и аннулиро #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -570,7 +572,7 @@ msgstr "ÐаÑтройки" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -652,12 +654,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "ÐžÐ±Ð½Ð¾Ð²Ð»ÐµÐ½Ð¸Ñ %1$s, отмеченные как любимые %2$s / %2$s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "Лента %s" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -714,8 +716,7 @@ msgstr "Ðет такого вложениÑ." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Ðет имени." @@ -727,7 +728,7 @@ msgstr "Ðет размера." msgid "Invalid size." msgstr "Ðеверный размер." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Ðватара" @@ -745,17 +746,17 @@ msgid "User without matching profile" msgstr "Пользователь без ÑоответÑтвующего профилÑ" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "ÐаÑтройки аватары" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Оригинал" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "ПроÑмотр" @@ -764,11 +765,11 @@ msgstr "ПроÑмотр" msgid "Delete" msgstr "Удалить" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Загрузить" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "Обрезать" @@ -776,7 +777,7 @@ msgstr "Обрезать" msgid "Pick a square area of the image to be your avatar" msgstr "Подберите нужный квадратный учаÑток Ð´Ð»Ñ Ð²Ð°ÑˆÐµÐ¹ аватары" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "ПотерÑна Ð¸Ð½Ñ„Ð¾Ñ€Ð¼Ð°Ñ†Ð¸Ñ Ð¾ файле." @@ -811,22 +812,22 @@ msgstr "" "приходить ÑƒÐ²ÐµÐ´Ð¾Ð¼Ð»ÐµÐ½Ð¸Ñ Ð¾Ð± @-ответах от него." #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "Ðет" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "Ðе блокировать Ñтого пользователÑ" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Да" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "Заблокировать пользователÑ." @@ -834,39 +835,43 @@ msgstr "Заблокировать пользователÑ." msgid "Failed to save block information." msgstr "Ðе удаётÑÑ Ñохранить информацию о блокировании." -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "Ðет такой группы." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "Заблокированные профили %s" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "Заблокированные профили %1$s, Ñтраница %2$d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "СпиÑок пользователей, заблокированных от приÑÐ¾ÐµÐ´Ð¸Ð½ÐµÐ½Ð¸Ñ Ðº Ñтой группе." -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "Разблокировать Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð² группе." -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "Разблокировать" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "Разблокировать пользователÑ." @@ -1017,7 +1022,7 @@ msgstr "Ð’Ñ‹ можете удалÑÑ‚ÑŒ только внутренних по msgid "Delete user" msgstr "Удалить пользователÑ" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." @@ -1025,12 +1030,12 @@ msgstr "" "Ð’Ñ‹ дейÑтвительно хотите удалить Ñтого пользователÑ? Это повлечёт удаление " "вÑех данных о пользователе из базы данных без возможноÑти воÑÑтановлениÑ." -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "Удалить Ñтого пользователÑ" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "Оформление" @@ -1224,29 +1229,29 @@ msgstr "Изменить информацию о группе %s" msgid "You must be logged in to create a group." msgstr "Ð’Ñ‹ должны авторизоватьÑÑ, чтобы Ñоздать новую группу." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "Ð’Ñ‹ должны быть админиÑтратором, чтобы изменÑÑ‚ÑŒ информацию о группе." -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "Заполните информацию о группе в Ñледующие полÑ" -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "Слишком длинное опиÑание (макÑимум %d Ñимволов)" -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "Ðе удаётÑÑ Ð¾Ð±Ð½Ð¾Ð²Ð¸Ñ‚ÑŒ информацию о группе." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "Ðе удаётÑÑ Ñоздать алиаÑÑ‹." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "ÐаÑтройки Ñохранены." @@ -1596,7 +1601,7 @@ msgstr "Пользователь уже заблокирован из групп msgid "User is not a member of group." msgstr "Пользователь не ÑвлÑетÑÑ Ñ‡Ð»ÐµÐ½Ð¾Ð¼ Ñтой группы." -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "Заблокировать Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð¸Ð· группы." @@ -1631,11 +1636,11 @@ msgstr "Ðет ID." msgid "You must be logged in to edit a group." msgstr "Ð’Ñ‹ должны авторизоватьÑÑ, чтобы изменить группу." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "Оформление группы" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." @@ -1643,20 +1648,20 @@ msgstr "" "ÐаÑтройте внешний вид группы, уÑтановив фоновое изображение и цветовую гамму " "на ваш выбор." -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 msgid "Couldn't update your design." msgstr "Ðе удаётÑÑ Ð¾Ð±Ð½Ð¾Ð²Ð¸Ñ‚ÑŒ ваше оформление." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "ÐаÑтройки Ð¾Ñ„Ð¾Ñ€Ð¼Ð»ÐµÐ½Ð¸Ñ Ñохранены." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "Логотип группы" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." @@ -1664,57 +1669,57 @@ msgstr "" "ЗдеÑÑŒ вы можете загрузить логотип Ð´Ð»Ñ Ð³Ñ€ÑƒÐ¿Ð¿Ñ‹. МакÑимальный размер файла " "ÑоÑтавлÑет %s." -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 msgid "User without matching profile." msgstr "Пользователь без ÑоответÑтвующего профилÑ." -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Подберите нужный квадратный учаÑток Ð´Ð»Ñ Ð²Ð°ÑˆÐµÐ³Ð¾ логотипа." -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "Логотип обновлён." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "Ðеудача при обновлении логотипа." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "УчаÑтники группы %s" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "УчаÑтники группы %1$s, Ñтраница %2$d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "СпиÑок пользователей, ÑвлÑющихÑÑ Ñ‡Ð»ÐµÐ½Ð°Ð¼Ð¸ Ñтой группы." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "ÐаÑтройки" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "Блокировать" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "Сделать Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð°Ð´Ð¼Ð¸Ð½Ð¸Ñтратором группы" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "Сделать админиÑтратором" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "Сделать Ñтого Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð°Ð´Ð¼Ð¸Ð½Ð¸Ñтратором" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "ÐžÐ±Ð½Ð¾Ð²Ð»ÐµÐ½Ð¸Ñ ÑƒÑ‡Ð°Ñтников %1$s на %2$s!" @@ -2050,7 +2055,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "Ð’Ñ‹ должны авторизоватьÑÑ Ð´Ð»Ñ Ð²ÑÑ‚ÑƒÐ¿Ð»ÐµÐ½Ð¸Ñ Ð² группу." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Ðет имени." + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "%1$s вÑтупил в группу %2$s" @@ -2059,11 +2069,11 @@ msgstr "%1$s вÑтупил в группу %2$s" msgid "You must be logged in to leave a group." msgstr "Ð’Ñ‹ должны авторизоватьÑÑ, чтобы покинуть группу." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "Ð’Ñ‹ не ÑвлÑетеÑÑŒ членом Ñтой группы." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, php-format msgid "%1$s left group %2$s" msgstr "%1$s покинул группу %2$s" @@ -2333,8 +2343,8 @@ msgstr "тип Ñодержимого " msgid "Only " msgstr "Только " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "Ðеподдерживаемый формат данных." @@ -2475,7 +2485,7 @@ msgstr "Ðе удаётÑÑ Ñохранить новый пароль." msgid "Password saved." msgstr "Пароль Ñохранён." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "Пути" @@ -2508,7 +2518,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Ðеверный SSL-Ñервер. МакÑÐ¸Ð¼Ð°Ð»ÑŒÐ½Ð°Ñ Ð´Ð»Ð¸Ð½Ð° ÑоÑтавлÑет 255 Ñимволов." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Сайт" @@ -2680,7 +2690,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 латинÑких Ñтрочных буквы или цифры, без пробелов" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Полное имÑ" @@ -2708,7 +2718,7 @@ msgid "Bio" msgstr "БиографиÑ" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3303,7 +3313,7 @@ msgid "User is already sandboxed." msgstr "Пользователь уже в режиме пеÑочницы." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "СеÑÑии" @@ -3358,7 +3368,7 @@ msgstr "ОрганизациÑ" msgid "Description" msgstr "ОпиÑание" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "СтатиÑтика" @@ -3479,67 +3489,67 @@ msgstr "Группа %s" msgid "%1$s group, page %2$d" msgstr "Группа %1$s, Ñтраница %2$d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "Профиль группы" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "ЗапиÑÑŒ" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "ÐлиаÑÑ‹" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "ДейÑÑ‚Ð²Ð¸Ñ Ð³Ñ€ÑƒÐ¿Ð¿Ñ‹" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Лента запиÑей группы %s (RSS 1.0)" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Лента запиÑей группы %s (RSS 2.0)" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Лента запиÑей группы %s (Atom)" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "FOAF Ð´Ð»Ñ Ð³Ñ€ÑƒÐ¿Ð¿Ñ‹ %s" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "УчаÑтники" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(пока ничего нет)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "Ð’Ñе учаÑтники" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "Создано" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3555,7 +3565,7 @@ msgstr "" "action.register%%%%), чтобы Ñтать учаÑтником группы и получить множеÑтво " "других возможноÑтей! ([Читать далее](%%%%doc.help%%%%))" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3568,7 +3578,7 @@ msgstr "" "обеÑпечении [StatusNet](http://status.net/). УчаÑтники обмениваютÑÑ " "короткими ÑообщениÑми о Ñвоей жизни и интереÑах. " -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "ÐдминиÑтраторы" @@ -4123,7 +4133,7 @@ msgstr "" msgid "No such tag." msgstr "Ðет такого тега." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "Метод API реконÑтруируетÑÑ." @@ -4154,7 +4164,7 @@ msgid "" msgstr "" "Ð›Ð¸Ñ†ÐµÐ½Ð·Ð¸Ñ Ð¿Ñ€Ð¾Ñматриваемого потока «%1$s» неÑовмеÑтима Ñ Ð»Ð¸Ñ†ÐµÐ½Ð·Ð¸ÐµÐ¹ Ñайта «%2$s»." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "Пользователь" @@ -4452,6 +4462,11 @@ msgstr "Ðе ÑвлÑетÑÑ Ñ‡Ð°Ñтью группы." msgid "Group leave failed." msgstr "Ðе удаётÑÑ Ð¿Ð¾ÐºÐ¸Ð½ÑƒÑ‚ÑŒ группу." +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "Ðе удаётÑÑ Ð¾Ð±Ð½Ð¾Ð²Ð¸Ñ‚ÑŒ информацию о группе." + #: classes/Login_token.php:76 #, php-format msgid "Could not create login token for %s" @@ -4469,27 +4484,27 @@ msgstr "Ðе удаётÑÑ Ð²Ñтавить Ñообщение." msgid "Could not update message with new URI." msgstr "Ðе удаётÑÑ Ð¾Ð±Ð½Ð¾Ð²Ð¸Ñ‚ÑŒ Ñообщение Ñ Ð½Ð¾Ð²Ñ‹Ð¼ URI." -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Ошибка баз данных при вÑтавке хеш-тегов Ð´Ð»Ñ %s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 msgid "Problem saving notice. Too long." msgstr "Проблемы Ñ Ñохранением запиÑи. Слишком длинно." -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "Проблема при Ñохранении запиÑи. ÐеизвеÑтный пользователь." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Слишком много запиÑей за Ñтоль короткий Ñрок; передохните немного и " "попробуйте вновь через пару минут." -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4497,19 +4512,19 @@ msgstr "" "Слишком много одинаковых запиÑей за Ñтоль короткий Ñрок; передохните немного " "и попробуйте вновь через пару минут." -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "Вам запрещено поÑтитьÑÑ Ð½Ð° Ñтом Ñайте (бан)" -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "Проблемы Ñ Ñохранением запиÑи." -#: classes/Notice.php:882 +#: classes/Notice.php:911 msgid "Problem saving group inbox." msgstr "Проблемы Ñ Ñохранением входÑщих Ñообщений группы." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4538,19 +4553,29 @@ msgstr "Ðевозможно удалить ÑамоподпиÑку." msgid "Couldn't delete subscription." msgstr "Ðе удаётÑÑ ÑƒÐ´Ð°Ð»Ð¸Ñ‚ÑŒ подпиÑку." -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Добро пожаловать на %1$s, @%2$s!" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "Ðе удаётÑÑ Ñоздать группу." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "Ðе удаётÑÑ Ð½Ð°Ð·Ð½Ð°Ñ‡Ð¸Ñ‚ÑŒ членÑтво в группе." + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Ðе удаётÑÑ Ð½Ð°Ð·Ð½Ð°Ñ‡Ð¸Ñ‚ÑŒ членÑтво в группе." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "Ðе удаётÑÑ Ñохранить подпиÑку." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "Изменить ваши наÑтройки профилÑ" @@ -4772,15 +4797,15 @@ msgstr "Сюда" msgid "Before" msgstr "Туда" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "Пока ещё Ð½ÐµÐ»ÑŒÐ·Ñ Ð¾Ð±Ñ€Ð°Ð±Ð°Ñ‚Ñ‹Ð²Ð°Ñ‚ÑŒ удалённое Ñодержимое." -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "Пока ещё Ð½ÐµÐ»ÑŒÐ·Ñ Ð¾Ð±Ñ€Ð°Ð±Ð°Ñ‚Ñ‹Ð²Ð°Ñ‚ÑŒ вÑтроенный XML." -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "Пока ещё Ð½ÐµÐ»ÑŒÐ·Ñ Ð¾Ð±Ñ€Ð°Ð±Ð°Ñ‚Ñ‹Ð²Ð°Ñ‚ÑŒ вÑтроенное Ñодержание Base64." @@ -4804,37 +4829,37 @@ msgstr "saveSettings() не реализована." msgid "Unable to delete design setting." msgstr "Ðе удаётÑÑ ÑƒÐ´Ð°Ð»Ð¸Ñ‚ÑŒ наÑтройки оформлениÑ." -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 msgid "Basic site configuration" msgstr "ОÑÐ½Ð¾Ð²Ð½Ð°Ñ ÐºÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ñайта" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¾Ñ„Ð¾Ñ€Ð¼Ð»ÐµÐ½Ð¸Ñ" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 msgid "User configuration" msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 msgid "Access configuration" msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð´Ð¾Ñтупа" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 msgid "Paths configuration" msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¿ÑƒÑ‚ÐµÐ¹" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 msgid "Sessions configuration" msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ ÑеÑÑий" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" "API реÑурÑа требует доÑтуп Ð´Ð»Ñ Ñ‡Ñ‚ÐµÐ½Ð¸Ñ Ð¸ запиÑи, но у Ð²Ð°Ñ ÐµÑÑ‚ÑŒ только доÑтуп " "Ð´Ð»Ñ Ñ‡Ñ‚ÐµÐ½Ð¸Ñ." -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -6058,7 +6083,7 @@ msgstr "Повторить Ñту запиÑÑŒ?" msgid "Repeat this notice" msgstr "Повторить Ñту запиÑÑŒ" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "Ðи задан пользователь Ð´Ð»Ñ Ð¾Ð´Ð½Ð¾Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»ÑŒÑкого режима." diff --git a/locale/statusnet.po b/locale/statusnet.po index 483c7711b..70217ec49 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-25 11:54+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -17,7 +17,7 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=INTEGER; plural=EXPRESSION;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "" @@ -88,14 +88,15 @@ msgstr "" #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "" @@ -171,20 +172,20 @@ msgstr "" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 msgid "API method not found." msgstr "" @@ -216,8 +217,9 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "" @@ -241,7 +243,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -351,68 +353,68 @@ msgstr "" msgid "Could not find target user." msgstr "" -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "" -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "" -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "" -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "" -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "" -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "" -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "" -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "" -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "" @@ -423,15 +425,15 @@ msgstr "" msgid "Group not found!" msgstr "" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "" -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "" -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, php-format msgid "Could not join user %1$s to group %2$s." msgstr "" @@ -440,7 +442,7 @@ msgstr "" msgid "You are not a member of this group." msgstr "" -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "" @@ -471,7 +473,7 @@ msgstr "" #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -512,7 +514,7 @@ msgstr "" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -541,7 +543,7 @@ msgstr "" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -623,12 +625,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "" #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -685,8 +687,7 @@ msgstr "" #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "" @@ -698,7 +699,7 @@ msgstr "" msgid "Invalid size." msgstr "" -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "" @@ -715,17 +716,17 @@ msgid "User without matching profile" msgstr "" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "" @@ -734,11 +735,11 @@ msgstr "" msgid "Delete" msgstr "" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "" @@ -746,7 +747,7 @@ msgstr "" msgid "Pick a square area of the image to be your avatar" msgstr "" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "" @@ -778,22 +779,22 @@ msgid "" msgstr "" #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "" @@ -801,39 +802,43 @@ msgstr "" msgid "Failed to save block information." msgstr "" -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "" -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "" -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "" @@ -979,18 +984,18 @@ msgstr "" msgid "Delete user" msgstr "" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1182,29 +1187,29 @@ msgstr "" msgid "You must be logged in to create a group." msgstr "" -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "" -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "" -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "" -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "" -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "" -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "" @@ -1533,7 +1538,7 @@ msgstr "" msgid "User is not a member of group." msgstr "" -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "" @@ -1565,86 +1570,86 @@ msgstr "" msgid "You must be logged in to edit a group." msgstr "" -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "" -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 msgid "Couldn't update your design." msgstr "" -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "" -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "" -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 msgid "User without matching profile." msgstr "" -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "" -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "" -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "" -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "" @@ -1924,7 +1929,11 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "" -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +msgid "No nickname or ID." +msgstr "" + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "" @@ -1933,11 +1942,11 @@ msgstr "" msgid "You must be logged in to leave a group." msgstr "" -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "" -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, php-format msgid "%1$s left group %2$s" msgstr "" @@ -2194,8 +2203,8 @@ msgstr "" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "" @@ -2334,7 +2343,7 @@ msgstr "" msgid "Password saved." msgstr "" -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "" @@ -2367,7 +2376,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "" @@ -2535,7 +2544,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "" @@ -2563,7 +2572,7 @@ msgid "Bio" msgstr "" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3105,7 +3114,7 @@ msgid "User is already sandboxed." msgstr "" #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3160,7 +3169,7 @@ msgstr "" msgid "Description" msgstr "" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "" @@ -3271,67 +3280,67 @@ msgstr "" msgid "%1$s group, page %2$d" msgstr "" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3341,7 +3350,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3350,7 +3359,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "" @@ -3861,7 +3870,7 @@ msgstr "" msgid "No such tag." msgstr "" -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "" @@ -3891,7 +3900,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "" @@ -4164,6 +4173,10 @@ msgstr "" msgid "Group leave failed." msgstr "" +#: classes/Local_group.php:41 +msgid "Could not update local group." +msgstr "" + #: classes/Login_token.php:76 #, php-format msgid "Could not create login token for %s" @@ -4181,43 +4194,43 @@ msgstr "" msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:222 +#: classes/Notice.php:239 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "" -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:882 +#: classes/Notice.php:911 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4246,19 +4259,27 @@ msgstr "" msgid "Couldn't delete subscription." msgstr "" -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "" -#: classes/User_group.php:452 +#: classes/User_group.php:471 +msgid "Could not set group uri." +msgstr "" + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "" +#: classes/User_group.php:506 +msgid "Could not save local group info." +msgstr "" + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "" @@ -4471,15 +4492,15 @@ msgstr "" msgid "Before" msgstr "" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4503,35 +4524,35 @@ msgstr "" msgid "Unable to delete design setting." msgstr "" -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 msgid "Basic site configuration" msgstr "" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 msgid "User configuration" msgstr "" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 msgid "Access configuration" msgstr "" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 msgid "Paths configuration" msgstr "" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 msgid "Sessions configuration" msgstr "" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5613,7 +5634,7 @@ msgstr "" msgid "Repeat this notice" msgstr "" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index b09823e6b..dfef641a6 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -9,18 +9,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:51:44+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:34:35+0000\n" "Language-Team: Swedish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "Ã…tkomst" @@ -92,14 +92,15 @@ msgstr "Ingen sÃ¥dan sida" #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "Ingen sÃ¥dan användare." @@ -182,20 +183,20 @@ msgstr "Uppdateringar frÃ¥n %1$s och vänner pÃ¥ %2$s!" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 msgid "API method not found." msgstr "API-metod hittades inte." @@ -227,8 +228,9 @@ msgstr "Kunde inte uppdatera användare." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "Användaren har ingen profil." @@ -254,7 +256,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -364,69 +366,69 @@ msgstr "Kunde inte fastställa användare hos källan." msgid "Could not find target user." msgstr "Kunde inte hitta mÃ¥lanvändare." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "" "Smeknamnet fÃ¥r endast innehÃ¥lla smÃ¥ bokstäver eller siffror, inga mellanslag." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "Smeknamnet används redan. Försök med ett annat." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Inte ett giltigt smeknamn." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "Hemsida är inte en giltig URL." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "Fullständigt namn är för lÃ¥ngt (max 255 tecken)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "Beskrivning är för lÃ¥ng (max 140 tecken)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "Beskrivning av plats är för lÃ¥ng (max 255 tecken)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "För mÃ¥nga alias! Maximum %d." -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Ogiltigt alias: \"%s\"" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Alias \"%s\" används redan. Försök med ett annat." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "Alias kan inte vara samma som smeknamn." @@ -437,15 +439,15 @@ msgstr "Alias kan inte vara samma som smeknamn." msgid "Group not found!" msgstr "Grupp hittades inte!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "Du är redan en medlem i denna grupp." -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "Du har blivit blockerad frÃ¥n denna grupp av administratören." -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, php-format msgid "Could not join user %1$s to group %2$s." msgstr "Kunde inte ansluta användare %1$s till grupp %2$s." @@ -454,7 +456,7 @@ msgstr "Kunde inte ansluta användare %1$s till grupp %2$s." msgid "You are not a member of this group." msgstr "Du är inte en medlem i denna grupp." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "Kunde inte ta bort användare %1$s frÃ¥n grupp %2$s." @@ -485,7 +487,7 @@ msgstr "Ogiltig token." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -526,7 +528,7 @@ msgstr "Begäran-token %s har nekats och Ã¥terkallats." #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -558,7 +560,7 @@ msgstr "Konto" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -640,12 +642,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s uppdateringar markerade som favorit av %2$s / %2$s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "%s tidslinje" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -702,8 +704,7 @@ msgstr "Ingen sÃ¥dan bilaga." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Inget smeknamn." @@ -715,7 +716,7 @@ msgstr "Ingen storlek." msgid "Invalid size." msgstr "Ogiltig storlek." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Avatar" @@ -733,17 +734,17 @@ msgid "User without matching profile" msgstr "Användare utan matchande profil" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Avatarinställningar" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Orginal" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Förhandsgranska" @@ -752,11 +753,11 @@ msgstr "Förhandsgranska" msgid "Delete" msgstr "Ta bort" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Ladda upp" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "Beskär" @@ -764,7 +765,7 @@ msgstr "Beskär" msgid "Pick a square area of the image to be your avatar" msgstr "Välj ett kvadratiskt omrÃ¥de i bilden som din avatar" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Förlorade vÃ¥r fildata." @@ -799,22 +800,22 @@ msgstr "" "framtiden och du kommer inte bli underrättad om nÃ¥gra @-svar frÃ¥n dem." #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "Nej" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "Blockera inte denna användare" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Ja" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "Blockera denna användare" @@ -822,40 +823,44 @@ msgstr "Blockera denna användare" msgid "Failed to save block information." msgstr "Misslyckades att spara blockeringsinformation." -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "Ingen sÃ¥dan grupp." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "%s blockerade profiler" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%1$s blockerade profiler, sida %2$d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "" "En lista med de användare som blockerats frÃ¥n att gÃ¥ med i denna grupp." -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "Häv blockering av användare frÃ¥n grupp" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "Häv blockering" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "Häv blockering av denna användare" @@ -1006,7 +1011,7 @@ msgstr "Du kan bara ta bort lokala användare." msgid "Delete user" msgstr "Ta bort användare" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." @@ -1014,12 +1019,12 @@ msgstr "" "Är du säker pÃ¥ att du vill ta bort denna användare? Det kommer rensa all " "data om användaren frÃ¥n databasen, utan en säkerhetskopia." -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "Ta bort denna användare" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "Utseende" @@ -1213,29 +1218,29 @@ msgstr "Redigera %s grupp" msgid "You must be logged in to create a group." msgstr "Du mÃ¥ste vara inloggad för att skapa en grupp." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "Du mÃ¥ste vara en administratör för att redigera gruppen." -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "Använd detta formulär för att redigera gruppen." -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "beskrivning är för lÃ¥ng (max %d tecken)." -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "Kunde inte uppdatera grupp." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "Kunde inte skapa alias." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "Alternativ sparade." @@ -1576,7 +1581,7 @@ msgstr "Användaren är redan blockerad frÃ¥n grupp." msgid "User is not a member of group." msgstr "Användare är inte en gruppmedlem." -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "Blockera användare frÃ¥n grupp" @@ -1611,31 +1616,31 @@ msgstr "Ingen ID." msgid "You must be logged in to edit a group." msgstr "Du mÃ¥ste vara inloggad för att redigera en grupp." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "Gruppens utseende" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "" "Anpassa hur din grupp ser ut genom att välja bakgrundbild och färgpalett." -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 msgid "Couldn't update your design." msgstr "Kunde inte uppdatera dina utseendeinställningar." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "Utseendeinställningar sparade." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "Gruppens logotyp" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." @@ -1643,57 +1648,57 @@ msgstr "" "Du kan ladda upp en logotypbild för din grupp. Den maximala filstorleken är %" "s." -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 msgid "User without matching profile." msgstr "Användare utan matchande profil." -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Välj ett kvadratiskt omrÃ¥de i bilden som logotyp" -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "Logtyp uppdaterad." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "Misslyckades uppdatera logtyp." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "%s gruppmedlemmar" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "%1$s gruppmedlemmar, sida %2$d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "En lista av användarna i denna grupp." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Administratör" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "Blockera" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "Gör användare till en administratör för gruppen" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "Gör till administratör" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "Gör denna användare till administratör" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Uppdateringar frÃ¥n medlemmar i %1$s pÃ¥ %2$s!" @@ -2028,7 +2033,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "Du mÃ¥ste vara inloggad för att kunna gÃ¥ med i en grupp." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Inget smeknamn." + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "%1$s gick med i grupp %2$s" @@ -2037,11 +2047,11 @@ msgstr "%1$s gick med i grupp %2$s" msgid "You must be logged in to leave a group." msgstr "Du mÃ¥ste vara inloggad för att lämna en grupp." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "Du är inte en medlem i den gruppen." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, php-format msgid "%1$s left group %2$s" msgstr "%1$s lämnade grupp %2$s" @@ -2313,8 +2323,8 @@ msgstr "innehÃ¥llstyp " msgid "Only " msgstr "Bara " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "Ett dataformat som inte stödjs" @@ -2453,7 +2463,7 @@ msgstr "Kan inte spara nytt lösenord." msgid "Password saved." msgstr "Lösenord sparat." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "Sökvägar" @@ -2486,7 +2496,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Ogiltigt SSL-servernamn. Den maximala längden är 255 tecken." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Webbplats" @@ -2659,7 +2669,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 smÃ¥ bokstäver eller nummer, inga punkter eller mellanslag" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Fullständigt namn" @@ -2687,7 +2697,7 @@ msgid "Bio" msgstr "Biografi" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3287,7 +3297,7 @@ msgid "User is already sandboxed." msgstr "Användare är redan flyttad till sandlÃ¥dan." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "Sessioner" @@ -3342,7 +3352,7 @@ msgstr "Organisation" msgid "Description" msgstr "Beskrivning" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Statistik" @@ -3464,67 +3474,67 @@ msgstr "%s grupp" msgid "%1$s group, page %2$d" msgstr "%1$s grupp, sida %2$d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "Grupprofil" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "Notis" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "Alias" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "Ã…tgärder för grupp" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Flöde av notiser för %s grupp (RSS 1.0)" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Flöde av notiser för %s grupp (RSS 2.0)" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Flöde av notiser för %s grupp (Atom)" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "FOAF för %s grupp" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "Medlemmar" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Ingen)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "Alla medlemmar" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "Skapad" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3539,7 +3549,7 @@ msgstr "" "sina liv och intressen. [GÃ¥ med nu](%%%%action.register%%%%) för att bli en " "del av denna grupp och mÃ¥nga fler! ([Läs mer](%%%%doc.help%%%%))" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3552,7 +3562,7 @@ msgstr "" "[StatusNet](http://status.net/). Dess medlemmar delar korta meddelande om " "sina liv och intressen. " -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "Administratörer" @@ -3924,17 +3934,15 @@ msgstr "Kunde inte spara prenumeration." #: actions/subscribe.php:77 msgid "This action only accepts POST requests." -msgstr "" +msgstr "Denna Ã¥tgärd accepterar endast POST-begäran." #: actions/subscribe.php:107 -#, fuzzy msgid "No such profile." -msgstr "Ingen sÃ¥dan fil." +msgstr "Ingen sÃ¥dan profil." #: actions/subscribe.php:117 -#, fuzzy msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." -msgstr "Du är inte prenumerat hos den profilen." +msgstr "Du kan inte prenumerera pÃ¥ en 0MB 0.1-fjärrprofil med denna Ã¥tgärd." #: actions/subscribe.php:145 msgid "Subscribed" @@ -4099,7 +4107,7 @@ msgstr "" msgid "No such tag." msgstr "Ingen sÃ¥dan tagg." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "API-metoden är under uppbyggnad." @@ -4131,7 +4139,7 @@ msgstr "" "Licensen för lyssnarströmmen '%1$s' är inte förenlig med webbplatslicensen '%" "2$s'." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "Användare" @@ -4431,6 +4439,11 @@ msgstr "Inte med i grupp." msgid "Group leave failed." msgstr "Grupputträde misslyckades." +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "Kunde inte uppdatera grupp." + #: classes/Login_token.php:76 #, php-format msgid "Could not create login token for %s" @@ -4448,27 +4461,27 @@ msgstr "Kunde inte infoga meddelande." msgid "Could not update message with new URI." msgstr "Kunde inte uppdatera meddelande med ny URI." -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Databasfel vid infogning av hashtag: %s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 msgid "Problem saving notice. Too long." msgstr "Problem vid sparande av notis. För lÃ¥ngt." -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "Problem vid sparande av notis. Okänd användare." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "För mÃ¥nga notiser för snabbt; ta en vilopaus och posta igen om ett par " "minuter." -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4476,19 +4489,19 @@ msgstr "" "För mÃ¥nga duplicerade meddelanden för snabbt; ta en vilopaus och posta igen " "om ett par minuter." -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "Du är utestängd frÃ¥n att posta notiser pÃ¥ denna webbplats." -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "Problem med att spara notis." -#: classes/Notice.php:882 +#: classes/Notice.php:911 msgid "Problem saving group inbox." msgstr "Problem med att spara gruppinkorg." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4517,19 +4530,29 @@ msgstr "Kunde inte ta bort själv-prenumeration." msgid "Couldn't delete subscription." msgstr "Kunde inte ta bort prenumeration." -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Välkommen till %1$s, @%2$s!" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "Kunde inte skapa grupp." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "Kunde inte ställa in gruppmedlemskap." + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Kunde inte ställa in gruppmedlemskap." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "Kunde inte spara prenumeration." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "Ändra dina profilinställningar" @@ -4748,17 +4771,17 @@ msgstr "Senare" msgid "Before" msgstr "Tidigare" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." -msgstr "" +msgstr "Kan inte hantera fjärrinnehÃ¥ll ännu." -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." -msgstr "" +msgstr "Kan inte hantera inbäddat XML-innehÃ¥ll ännu." -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." -msgstr "" +msgstr "Kan inte hantera inbäddat Base64-innehÃ¥ll ännu." #: lib/adminpanelaction.php:96 msgid "You cannot make changes to this site." @@ -4780,36 +4803,36 @@ msgstr "saveSetting() är inte implementerat." msgid "Unable to delete design setting." msgstr "Kunde inte ta bort utseendeinställning." -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 msgid "Basic site configuration" msgstr "Grundläggande webbplatskonfiguration" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "Konfiguration av utseende" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 msgid "User configuration" msgstr "Konfiguration av användare" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 msgid "Access configuration" msgstr "Konfiguration av Ã¥tkomst" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 msgid "Paths configuration" msgstr "Konfiguration av sökvägar" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 msgid "Sessions configuration" msgstr "Konfiguration av sessioner" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" "API-resursen kräver läs- och skrivrättigheter, men du har bara läsrättighet." -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5106,9 +5129,9 @@ msgstr "" "Denna länk är endast användbar en gÃ¥ng, och gäller bara i 2 minuter: %s" #: lib/command.php:692 -#, fuzzy, php-format +#, php-format msgid "Unsubscribed %s" -msgstr "Prenumeration hos %s avslutad" +msgstr "Prenumeration avslutad %s" #: lib/command.php:709 msgid "You are not subscribed to anyone." @@ -5141,7 +5164,6 @@ msgstr[0] "Du är en medlem i denna grupp:" msgstr[1] "Du är en medlem i dessa grupper:" #: lib/command.php:769 -#, fuzzy msgid "" "Commands:\n" "on - turn on notifications\n" @@ -5194,6 +5216,7 @@ msgstr "" "d - direktmeddelande till användare\n" "get - hämta senaste notis frÃ¥n användare\n" "whois - hämta profilinformation om användare\n" +"lose - tvinga användare att sluta följa dig\n" "fav - lägg till användarens senaste notis som favorit\n" "fav # - lägg till notis med given id som favorit\n" "repeat # - upprepa en notis med en given id\n" @@ -5420,23 +5443,23 @@ msgstr "Systemfel vid uppladdning av fil." msgid "Not an image or corrupt file." msgstr "Inte en bildfil eller sÃ¥ är filen korrupt." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "Bildfilens format stödjs inte." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 msgid "Lost our file." msgstr "Förlorade vÃ¥r fil." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "Okänd filtyp" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "MB" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "kB" @@ -6029,7 +6052,7 @@ msgstr "Upprepa denna notis?" msgid "Repeat this notice" msgstr "Upprepa denna notis" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "Ingen enskild användare definierad för enanvändarläge." diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index 09ede3d86..738dc1886 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -1,5 +1,6 @@ # Translation of StatusNet to Telugu # +# Author@translatewiki.net: Brion # Author@translatewiki.net: Veeven # -- # This file is distributed under the same license as the StatusNet package. @@ -8,18 +9,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:51:47+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:34:38+0000\n" "Language-Team: Telugu\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 #, fuzzy msgid "Access" msgstr "అంగీకరించà±" @@ -93,14 +94,15 @@ msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ పేజీ లేదà±" #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ వాడà±à°•à°°à°¿ లేరà±." @@ -176,20 +178,20 @@ msgstr "" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "నిరà±à°§à°¾à°°à°£ సంకేతం కనబడలేదà±." @@ -223,8 +225,9 @@ msgstr "వాడà±à°•à°°à°¿à°¨à°¿ తాజాకరించలేకà±à°¨ #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "వాడà±à°•à°°à°¿à°•à°¿ à°ªà±à°°à±Šà°«à±ˆà°²à± లేదà±." @@ -249,7 +252,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -363,68 +366,68 @@ msgstr "వాడà±à°•à°°à°¿à°¨à°¿ తాజాకరించలేకà±à°¨ msgid "Could not find target user." msgstr "లకà±à°·à±à°¯à°¿à°¤ వాడà±à°•à°°à°¿à°¨à°¿ à°•à°¨à±à°—ొనలేకపోయాం." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "పేరà±à°²à±‹ à°šà°¿à°¨à±à°¨à°¬à°¡à°¿ à°…à°•à±à°·à°°à°¾à°²à± మరియౠఅంకెలౠమాతà±à°°à°®à±‡ ఖాళీలౠలేకà±à°‚à°¡à°¾ ఉండాలి." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "à°† పేరà±à°¨à°¿ ఇపà±à°ªà°Ÿà°¿à°•à±‡ వాడà±à°¤à±à°¨à±à°¨à°¾à°°à±. మరోటి à°ªà±à°°à°¯à°¤à±à°¨à°¿à°‚à°šà°‚à°¡à°¿." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "సరైన పేరౠకాదà±." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "హోమౠపేజీ URL సరైనది కాదà±." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "పూరà±à°¤à°¿ పేరౠచాలా పెదà±à°¦à°—à°¾ ఉంది (à°—à°°à°¿à°·à±à° à°‚à°—à°¾ 255 à°…à°•à±à°·à°°à°¾à°²à±)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "వివరణ చాలా పెదà±à°¦à°—à°¾ ఉంది (%d à°…à°•à±à°·à°°à°¾à°²à± à°—à°°à°¿à°·à±à° à°‚)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "à°ªà±à°°à°¾à°‚తం పేరౠమరీ పెదà±à°¦à°—à°¾ ఉంది (255 à°…à°•à±à°·à°°à°¾à°²à± à°—à°°à°¿à°·à±à° à°‚)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "చాలా మారà±à°ªà±‡à°°à±à°²à±! %d à°—à°°à°¿à°·à±à° à°‚." -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "తపà±à°ªà±à°¡à± మారà±à°ªà±‡à°°à±: \"%s\"" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "\"%s\" à°…à°¨à±à°¨ మారà±à°ªà±‡à°°à±à°¨à°¿ ఇపà±à°ªà°Ÿà°¿à°•à±‡ వాడà±à°¤à±à°¨à±à°¨à°¾à°°à±. మరొకటి à°ªà±à°°à°¯à°¤à±à°¨à°¿à°‚à°šà°‚à°¡à°¿." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "మారà±à°ªà±‡à°°à± పేరà±à°¤à±‹ సమానంగా ఉండకూడదà±." @@ -435,15 +438,15 @@ msgstr "మారà±à°ªà±‡à°°à± పేరà±à°¤à±‹ సమానంగా ఉం msgid "Group not found!" msgstr "à°—à±à°‚పౠదొరకలేదà±!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "మీరౠఇపà±à°ªà°Ÿà°¿à°•à±‡ à°† à°—à±à°‚à°ªà±à°²à±‹ సభà±à°¯à±à°²à±." -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "నిరà±à°µà°¾à°¹à°•à±à°²à± à°† à°—à±à°‚పౠనà±à°‚à°¡à°¿ మిమà±à°®à°²à±à°¨à°¿ నిరోధించారà±." -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, fuzzy, php-format msgid "Could not join user %1$s to group %2$s." msgstr "ఓపెనà±à°à°¡à±€ ఫారమà±à°¨à± సృషà±à°Ÿà°¿à°‚చలేకపోయాం: %s" @@ -452,7 +455,7 @@ msgstr "ఓపెనà±à°à°¡à±€ ఫారమà±à°¨à± సృషà±à°Ÿà°¿à°‚à°š msgid "You are not a member of this group." msgstr "మీరౠఈ à°—à±à°‚à°ªà±à°²à±‹ సభà±à°¯à±à°²à± కాదà±." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, fuzzy, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "వాడà±à°•à°°à°¿ %sని %s à°—à±à°‚పౠనà±à°‚à°¡à°¿ తొలగించలేకపోయాం." @@ -484,7 +487,7 @@ msgstr "తపà±à°ªà±à°¡à± పరిమాణం." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -527,7 +530,7 @@ msgstr "" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -556,7 +559,7 @@ msgstr "ఖాతా" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -638,12 +641,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s యొకà±à°• మైకà±à°°à±‹à°¬à±à°²à°¾à°—à±" #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "%s కాలరేఖ" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -700,8 +703,7 @@ msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ జోడింపౠలేదà±." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 #, fuzzy msgid "No nickname." msgstr "పేరౠలేదà±." @@ -714,7 +716,7 @@ msgstr "పరిమాణం లేదà±." msgid "Invalid size." msgstr "తపà±à°ªà±à°¡à± పరిమాణం." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "అవతారం" @@ -731,17 +733,17 @@ msgid "User without matching profile" msgstr "" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "అవతారపౠఅమరికలà±" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "అసలà±" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "à°®à±à°¨à±à°œà±‚à°ªà±" @@ -750,11 +752,11 @@ msgstr "à°®à±à°¨à±à°œà±‚à°ªà±" msgid "Delete" msgstr "తొలగించà±" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "à°Žà°—à±à°®à°¤à°¿à°‚à°šà±" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "à°•à°¤à±à°¤à°¿à°°à°¿à°‚à°šà±" @@ -762,7 +764,7 @@ msgstr "à°•à°¤à±à°¤à°¿à°°à°¿à°‚à°šà±" msgid "Pick a square area of the image to be your avatar" msgstr "మీ అవతారానికి గానూ à°ˆ à°šà°¿à°¤à±à°°à°‚ à°¨à±à°‚à°¡à°¿ à°’à°• à°šà°¤à±à°°à°¸à±à°°à°ªà± à°ªà±à°°à°¦à±‡à°¶à°¾à°¨à±à°¨à°¿ à°Žà°‚à°šà±à°•à±‹à°‚à°¡à°¿" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "" @@ -794,22 +796,22 @@ msgid "" msgstr "" #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "కాదà±" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "à°ˆ వాడà±à°•à°°à°¿à°¨à°¿ నిరోధించకà±" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "à°…à°µà±à°¨à±" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "à°ˆ వాడà±à°•à°°à°¿à°¨à°¿ నిరోధించà±" @@ -817,40 +819,44 @@ msgstr "à°ˆ వాడà±à°•à°°à°¿à°¨à°¿ నిరోధించà±" msgid "Failed to save block information." msgstr "నిరోధపౠసమాచారానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో విఫలమయà±à°¯à°¾à°‚." -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ à°—à±à°‚పౠలేదà±." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, fuzzy, php-format msgid "%s blocked profiles" msgstr "వాడà±à°•à°°à°¿à°•à°¿ à°ªà±à°°à±Šà°«à±ˆà°²à± లేదà±." -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, fuzzy, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%s మరియౠమితà±à°°à±à°²à±" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "à°ˆ à°—à±à°‚పౠలోనికి చేరకà±à°‚à°¡à°¾ నిరోధించిన వాడà±à°•à°°à±à°² యొకà±à°• జాబితా." -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 #, fuzzy msgid "Unblock user from group" msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ వాడà±à°•à°°à°¿ లేరà±." -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 #, fuzzy msgid "Unblock this user" msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ వాడà±à°•à°°à°¿ లేరà±." @@ -999,7 +1005,7 @@ msgstr "మీరౠసà±à°¥à°¾à°¨à°¿à°• వాడà±à°•à°°à±à°²à°¨à± మా msgid "Delete user" msgstr "వాడà±à°•à°°à°¿à°¨à°¿ తొలగించà±" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." @@ -1007,12 +1013,12 @@ msgstr "" "మీరౠనిజంగానే à°ˆ వాడà±à°•à°°à°¿à°¨à°¿ తొలగించాలనà±à°•à±à°‚à°Ÿà±à°¨à±à°¨à°¾à°°à°¾? ఇది à°† వాడà±à°•à°°à°¿ భోగటà±à°Ÿà°¾à°¨à°¿ డాటాబేసౠనà±à°‚à°¡à°¿ తొలగిసà±à°¤à±à°‚ది, " "వెనకà±à°•à°¿ తేలేకà±à°‚à°¡à°¾." -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "à°ˆ వాడà±à°•à°°à°¿à°¨à°¿ తొలగించà±" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "రూపà±à°°à±‡à°–à°²à±" @@ -1208,29 +1214,29 @@ msgstr "%s à°—à±à°‚à°ªà±à°¨à°¿ మారà±à°šà±" msgid "You must be logged in to create a group." msgstr "à°—à±à°‚à°ªà±à°¨à°¿ సృషà±à°Ÿà°¿à°‚చడానికి మీరౠలోనికి à°ªà±à°°à°µà±‡à°¶à°¿à°‚చాలి." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "à°—à±à°‚à°ªà±à°¨à°¿ మారà±à°šà°¡à°¾à°¨à°¿à°•à°¿ మీరౠనిరà±à°µà°¾à°¹à°•à±à°²à°¯à°¿ ఉండాలి." -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "à°—à±à°‚à°ªà±à°¨à°¿ మారà±à°šà°¡à°¾à°¨à°¿à°•à°¿ à°ˆ ఫారానà±à°¨à°¿ ఉపయోగించండి." -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "వివరణ చాలా పెదà±à°¦à°¦à°¿à°—à°¾ ఉంది (140 à°…à°•à±à°·à°°à°¾à°²à± à°—à°°à°¿à°·à±à° à°‚)." -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "à°—à±à°‚à°ªà±à°¨à°¿ తాజాకరించలేకà±à°¨à±à°¨à°¾à°‚." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "మారà±à°ªà±‡à°°à±à°²à°¨à°¿ సృషà±à°Ÿà°¿à°‚చలేకపోయాం." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "ఎంపికలౠభదà±à°°à°®à°¯à±à°¯à°¾à°¯à°¿." @@ -1560,7 +1566,7 @@ msgstr "వాడà±à°•à°°à°¿à°¨à°¿ ఇపà±à°ªà°Ÿà°¿à°•à±‡ à°—à±à°‚à°ªà±à°¨ msgid "User is not a member of group." msgstr "వాడà±à°•à°°à°¿ à°ˆ à°—à±à°‚à°ªà±à°²à±‹ సభà±à°¯à±à°²à± కాదà±." -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "వాడà±à°•à°°à°¿à°¨à°¿ à°—à±à°‚పౠనà±à°‚à°¡à°¿ నిరోధించà±" @@ -1595,88 +1601,88 @@ msgstr "à°à°¡à±€ లేదà±." msgid "You must be logged in to edit a group." msgstr "à°—à±à°‚à°ªà±à°¨à°¿ మారà±à°šà°¡à°¾à°¨à°¿à°•à°¿ మీరౠపà±à°°à°µà±‡à°¶à°¿à°‚à°šà°¿ ఉండాలి." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "à°—à±à°‚పౠఅలంకారం" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "" -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 msgid "Couldn't update your design." msgstr "మీ రూపà±à°°à±‡à°–లని తాజాకరించలేకపోయాం." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 #, fuzzy msgid "Design preferences saved." msgstr "à°…à°­à°¿à°°à±à°šà±à°²à± à°­à°¦à±à°°à°®à°¯à±à°¯à°¾à°¯à°¿." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "à°—à±à°‚పౠచిహà±à°¨à°‚" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "మీ à°—à±à°‚à°ªà±à°•à°¿ మీరౠఒక à°šà°¿à°¹à±à°¨à°¾à°¨à±à°¨à°¿ à°Žà°•à±à°•à°¿à°‚చవచà±à°šà±. à°† ఫైలౠయొకà±à°• à°—à°°à°¿à°·à±à°  పరిమాణం %s." -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 #, fuzzy msgid "User without matching profile." msgstr "వాడà±à°•à°°à°¿à°•à°¿ à°ªà±à°°à±Šà°«à±ˆà°²à± లేదà±." -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "à°šà°¿à°¹à±à°¨à°‚à°—à°¾ ఉండాలà±à°¸à°¿à°¨ à°šà°¤à±à°°à°¸à±à°¤à±à°° à°ªà±à°°à°¦à±‡à°¶à°¾à°¨à±à°¨à°¿ బొమà±à°® à°¨à±à°‚à°¡à°¿ à°Žà°‚à°šà±à°•à±‹à°‚à°¡à°¿." -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "à°šà°¿à°¹à±à°¨à°¾à°¨à±à°¨à°¿ తాజాకరించాం." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "à°šà°¿à°¹à±à°¨à°ªà± తాజాకరణ విఫలమైంది." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "%s à°—à±à°‚పౠసభà±à°¯à±à°²à±" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "%1$s à°—à±à°‚పౠసభà±à°¯à±à°²à±, పేజీ %2$d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "à°ˆ à°—à±à°‚à°ªà±à°²à±‹ వాడà±à°•à°°à±à°²à± జాబితా." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "నిరోధించà±" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "వాడà±à°•à°°à°¿à°¨à°¿ à°—à±à°‚à°ªà±à°•à°¿ à°’à°• నిరà±à°µà°¾à°¹à°•à±à°¨à°¿à°—à°¾ చేయి" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "నిరà±à°µà°¾à°¹à°•à±à°¨à±à°¨à°¿ చేయి" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "à°ˆ వాడà±à°•à°°à°¿à°¨à°¿ నిరà±à°µà°¾à°¹à°•à±à°¨à±à°¨à°¿ చేయి" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "%s యొకà±à°• మైకà±à°°à±‹à°¬à±à°²à°¾à°—à±" @@ -1965,7 +1971,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "à°—à±à°‚à°ªà±à°²à±à°²à±‹ చేరడానికి మీరౠపà±à°°à°µà±‡à°¶à°¿à°‚à°šà°¿ ఉండాలి." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "పేరౠలేదà±." + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "%1$s %2$s à°—à±à°‚à°ªà±à°²à±‹ చేరారà±" @@ -1974,11 +1985,11 @@ msgstr "%1$s %2$s à°—à±à°‚à°ªà±à°²à±‹ చేరారà±" msgid "You must be logged in to leave a group." msgstr "à°—à±à°‚à°ªà±à°¨à°¿ వదిలివెళà±à°³à°¡à°¾à°¨à°¿à°•à°¿ మీరౠపà±à°°à°µà±‡à°¶à°¿à°‚à°šà°¿ ఉండాలి." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "మీరౠఆ à°—à±à°‚à°ªà±à°²à±‹ సభà±à°¯à±à°²à± కాదà±." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, php-format msgid "%1$s left group %2$s" msgstr "%2$s à°—à±à°‚పౠనà±à°‚à°¡à°¿ %1$s వైదొలిగారà±" @@ -2245,8 +2256,8 @@ msgstr "విషయ à°°à°•à°‚ " msgid "Only " msgstr "మాతà±à°°à°®à±‡ " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "" @@ -2390,7 +2401,7 @@ msgstr "కొతà±à°¤ సంకేతపదానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°° msgid "Password saved." msgstr "సంకేతపదం à°­à°¦à±à°°à°®à°¯à±à°¯à°¿à°‚ది." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "" @@ -2423,7 +2434,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "సైటà±" @@ -2601,7 +2612,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 à°šà°¿à°¨à±à°¨à°¬à°¡à°¿ à°…à°•à±à°·à°°à°¾à°²à± లేదా అంకెలà±, విరామచిహà±à°¨à°¾à°²à± మరియౠఖాళీలౠతపà±à°ª" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "పూరà±à°¤à°¿ పేరà±" @@ -2629,7 +2640,7 @@ msgid "Bio" msgstr "à°¸à±à°µà°ªà°°à°¿à°šà°¯à°‚" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3201,7 +3212,7 @@ msgid "User is already sandboxed." msgstr "వాడà±à°•à°°à°¿à°¨à°¿ ఇపà±à°ªà°Ÿà°¿à°•à±‡ à°—à±à°‚à°ªà±à°¨à±à°‚à°¡à°¿ నిరోధించారà±." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3258,7 +3269,7 @@ msgstr "సంసà±à°§" msgid "Description" msgstr "వివరణ" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "గణాంకాలà±" @@ -3371,67 +3382,67 @@ msgstr "%s à°—à±à°‚à°ªà±" msgid "%1$s group, page %2$d" msgstr "%1$s à°—à±à°‚పౠసభà±à°¯à±à°²à±, పేజీ %2$d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "à°—à±à°‚పౠపà±à°°à±Šà°«à±ˆà°²à±" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "గమనిక" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "మారà±à°ªà±‡à°°à±à°²à±" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "à°—à±à°‚పౠచరà±à°¯à°²à±" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "%s యొకà±à°• సందేశమà±à°² ఫీడà±" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "%s యొకà±à°• సందేశమà±à°² ఫీడà±" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "%s యొకà±à°• సందేశమà±à°² ఫీడà±" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "%s à°—à±à°‚à°ªà±" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "సభà±à°¯à±à°²à±" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(à°à°®à±€à°²à±‡à°¦à±)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "అందరౠసభà±à°¯à±à°²à±‚" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "సృషà±à°Ÿà°¿à°¤à°‚" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3441,7 +3452,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3450,7 +3461,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "నిరà±à°µà°¾à°¹à°•à±à°²à±" @@ -3971,7 +3982,7 @@ msgstr "" msgid "No such tag." msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ à°Ÿà±à°¯à°¾à°—ౠలేదà±." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "" @@ -4004,7 +4015,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "వాడà±à°•à°°à°¿" @@ -4278,6 +4289,11 @@ msgstr "à°—à±à°‚à°ªà±à°²à±‹ భాగం కాదà±." msgid "Group leave failed." msgstr "à°—à±à°‚పౠనà±à°‚à°¡à°¿ వైదొలగడం విఫలమైంది." +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "à°—à±à°‚à°ªà±à°¨à°¿ తాజాకరించలేకà±à°¨à±à°¨à°¾à°‚." + #: classes/Login_token.php:76 #, fuzzy, php-format msgid "Could not create login token for %s" @@ -4295,46 +4311,46 @@ msgstr "" msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:222 +#: classes/Notice.php:239 #, fuzzy msgid "Problem saving notice. Too long." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:226 +#: classes/Notice.php:243 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "à°ˆ సైటà±à°²à±‹ నోటీసà±à°²à± రాయడం à°¨à±à°‚à°¡à°¿ మిమà±à°®à°²à±à°¨à°¿ నిషేధించారà±." -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:882 +#: classes/Notice.php:911 #, fuzzy msgid "Problem saving group inbox." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4365,19 +4381,29 @@ msgstr "చందాని తొలగించలేకపోయాం." msgid "Couldn't delete subscription." msgstr "చందాని తొలగించలేకపోయాం." -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "@%2$s, %1$sà°•à°¿ à°¸à±à°µà°¾à°—తం!" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "à°—à±à°‚à°ªà±à°¨à°¿ సృషà±à°Ÿà°¿à°‚చలేకపోయాం." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "à°—à±à°‚పౠసభà±à°¯à°¤à±à°µà°¾à°¨à±à°¨à°¿ అమరà±à°šà°²à±‡à°•à°ªà±‹à°¯à°¾à°‚." + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "à°—à±à°‚పౠసభà±à°¯à°¤à±à°µà°¾à°¨à±à°¨à°¿ అమరà±à°šà°²à±‡à°•à°ªà±‹à°¯à°¾à°‚." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "చందాని సృషà±à°Ÿà°¿à°‚చలేకపోయాం." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "" @@ -4599,15 +4625,15 @@ msgstr "తరà±à°µà°¾à°¤" msgid "Before" msgstr "ఇంతకà±à°°à°¿à°¤à°‚" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4631,38 +4657,38 @@ msgstr "" msgid "Unable to delete design setting." msgstr "" -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 msgid "Basic site configuration" msgstr "à°ªà±à°°à°¾à°¥à°®à°¿à°• సైటౠసà±à°µà°°à±‚పణం" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "రూపకలà±à°ªà°¨ à°¸à±à°µà°°à±‚పణం" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 msgid "User configuration" msgstr "వాడà±à°•à°°à°¿ à°¸à±à°µà°°à±‚పణం" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Access configuration" msgstr "SMS నిరà±à°§à°¾à°°à°£" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 #, fuzzy msgid "Paths configuration" msgstr "SMS నిరà±à°§à°¾à°°à°£" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Sessions configuration" msgstr "రూపకలà±à°ªà°¨ à°¸à±à°µà°°à±‚పణం" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5244,24 +5270,24 @@ msgstr "" msgid "Not an image or corrupt file." msgstr "బొమà±à°® కాదౠలేదా పాడైపోయిన ఫైలà±." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "" -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 #, fuzzy msgid "Lost our file." msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ సందేశమేమీ లేదà±." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "తెలియని ఫైలౠరకం" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "మెబై" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "కిబై" @@ -5795,7 +5821,7 @@ msgstr "à°ˆ నోటీసà±à°ªà±ˆ à°¸à±à°ªà°‚దించండి" msgid "Repeat this notice" msgstr "à°ˆ నోటీసà±à°ªà±ˆ à°¸à±à°ªà°‚దించండి" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index 149b21292..e3749c3ab 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -9,18 +9,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:51:50+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:34:40+0000\n" "Language-Team: Turkish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 #, fuzzy msgid "Access" msgstr "Kabul et" @@ -98,14 +98,15 @@ msgstr "Böyle bir durum mesajı yok." #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "Böyle bir kullanıcı yok." @@ -182,20 +183,20 @@ msgstr "" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Onay kodu bulunamadı." @@ -229,8 +230,9 @@ msgstr "Kullanıcı güncellenemedi." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "Kullanıcının profili yok." @@ -255,7 +257,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -373,7 +375,7 @@ msgstr "Kullanıcı güncellenemedi." msgid "Could not find target user." msgstr "Kullanıcı güncellenemedi." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." @@ -381,62 +383,62 @@ msgstr "" "Takma ad sadece küçük harflerden ve rakamlardan oluÅŸabilir, boÅŸluk " "kullanılamaz. " -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "Takma ad kullanımda. BaÅŸka bir tane deneyin." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Geçersiz bir takma ad." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "BaÅŸlangıç sayfası adresi geçerli bir URL deÄŸil." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "Tam isim çok uzun (azm: 255 karakter)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "Hakkında bölümü çok uzun (azm 140 karakter)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "Yer bilgisi çok uzun (azm: 255 karakter)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "" -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, fuzzy, php-format msgid "Invalid alias: \"%s\"" msgstr "%s Geçersiz baÅŸlangıç sayfası" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, fuzzy, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Takma ad kullanımda. BaÅŸka bir tane deneyin." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "" @@ -448,16 +450,16 @@ msgstr "" msgid "Group not found!" msgstr "Ä°stek bulunamadı!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 #, fuzzy msgid "You are already a member of that group." msgstr "Zaten giriÅŸ yapmış durumdasıznız!" -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "" -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, fuzzy, php-format msgid "Could not join user %1$s to group %2$s." msgstr "Sunucuya yönlendirme yapılamadı: %s" @@ -467,7 +469,7 @@ msgstr "Sunucuya yönlendirme yapılamadı: %s" msgid "You are not a member of this group." msgstr "Bize o profili yollamadınız" -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, fuzzy, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "OpenID formu yaratılamadı: %s" @@ -499,7 +501,7 @@ msgstr "Geçersiz büyüklük." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -543,7 +545,7 @@ msgstr "" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -573,7 +575,7 @@ msgstr "Hakkında" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -660,12 +662,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s adli kullanicinin durum mesajlari" #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -724,8 +726,7 @@ msgstr "Böyle bir belge yok." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Takma ad yok" @@ -737,7 +738,7 @@ msgstr "" msgid "Invalid size." msgstr "Geçersiz büyüklük." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Avatar" @@ -754,18 +755,18 @@ msgid "User without matching profile" msgstr "" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 #, fuzzy msgid "Avatar settings" msgstr "Ayarlar" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "" @@ -774,11 +775,11 @@ msgstr "" msgid "Delete" msgstr "" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Yükle" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "" @@ -786,7 +787,7 @@ msgstr "" msgid "Pick a square area of the image to be your avatar" msgstr "" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "" @@ -821,23 +822,23 @@ msgid "" msgstr "" #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 #, fuzzy msgid "Do not block this user" msgstr "Böyle bir kullanıcı yok." #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 #, fuzzy msgid "Block this user" msgstr "Böyle bir kullanıcı yok." @@ -846,41 +847,45 @@ msgstr "Böyle bir kullanıcı yok." msgid "Failed to save block information." msgstr "" -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 #, fuzzy msgid "No such group." msgstr "Böyle bir durum mesajı yok." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, fuzzy, php-format msgid "%s blocked profiles" msgstr "Kullanıcının profili yok." -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, fuzzy, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%s ve arkadaÅŸları" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "" -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 #, fuzzy msgid "Unblock user from group" msgstr "Böyle bir kullanıcı yok." -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 #, fuzzy msgid "Unblock this user" msgstr "Böyle bir kullanıcı yok." @@ -1038,19 +1043,19 @@ msgstr "Yerel aboneliÄŸi kullanabilirsiniz!" msgid "Delete user" msgstr "" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 #, fuzzy msgid "Delete this user" msgstr "Böyle bir kullanıcı yok." #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1260,31 +1265,31 @@ msgstr "" msgid "You must be logged in to create a group." msgstr "" -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "" -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "" -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, fuzzy, php-format msgid "description is too long (max %d chars)." msgstr "Hakkında bölümü çok uzun (azm 140 karakter)." -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 #, fuzzy msgid "Could not update group." msgstr "Kullanıcı güncellenemedi." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 #, fuzzy msgid "Could not create aliases." msgstr "Avatar bilgisi kaydedilemedi" -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 #, fuzzy msgid "Options saved." msgstr "Ayarlar kaydedildi." @@ -1627,7 +1632,7 @@ msgstr "Kullanıcının profili yok." msgid "User is not a member of group." msgstr "Bize o profili yollamadınız" -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 #, fuzzy msgid "Block user from group" msgstr "Böyle bir kullanıcı yok." @@ -1663,91 +1668,91 @@ msgstr "Kullanıcı numarası yok" msgid "You must be logged in to edit a group." msgstr "" -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "" -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 #, fuzzy msgid "Couldn't update your design." msgstr "Kullanıcı güncellenemedi." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 #, fuzzy msgid "Design preferences saved." msgstr "Tercihler kaydedildi." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "" -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 #, fuzzy msgid "User without matching profile." msgstr "Kullanıcının profili yok." -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "" -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 #, fuzzy msgid "Logo updated." msgstr "Avatar güncellendi." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 #, fuzzy msgid "Failed updating logo." msgstr "Avatar güncellemede hata." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "%s adli kullanicinin durum mesajlari" @@ -2047,7 +2052,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "" -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Takma ad yok" + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "" @@ -2056,12 +2066,12 @@ msgstr "" msgid "You must be logged in to leave a group." msgstr "" -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 #, fuzzy msgid "You are not a member of that group." msgstr "Bize o profili yollamadınız" -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, fuzzy, php-format msgid "%1$s left group %2$s" msgstr "%1$s'in %2$s'deki durum mesajları " @@ -2332,8 +2342,8 @@ msgstr "BaÄŸlan" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "" @@ -2481,7 +2491,7 @@ msgstr "Yeni parola kaydedilemedi." msgid "Password saved." msgstr "Parola kaydedildi." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "" @@ -2514,7 +2524,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "" @@ -2699,7 +2709,7 @@ msgstr "" "verilmez" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Tam Ä°sim" @@ -2729,7 +2739,7 @@ msgid "Bio" msgstr "Hakkında" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3294,7 +3304,7 @@ msgid "User is already sandboxed." msgstr "Kullanıcının profili yok." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3354,7 +3364,7 @@ msgstr "Yer" msgid "Description" msgstr "Abonelikler" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Ä°statistikler" @@ -3465,71 +3475,71 @@ msgstr "" msgid "%1$s group, page %2$d" msgstr "Bütün abonelikler" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 #, fuzzy msgid "Group profile" msgstr "Böyle bir durum mesajı yok." -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 #, fuzzy msgid "Note" msgstr "Durum mesajları" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "%s için durum RSS beslemesi" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "%s için durum RSS beslemesi" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "%s için durum RSS beslemesi" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "%s için durum RSS beslemesi" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 #, fuzzy msgid "Members" msgstr "Ãœyelik baÅŸlangıcı" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 #, fuzzy msgid "Created" msgstr "Yarat" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3539,7 +3549,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3548,7 +3558,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "" @@ -4078,7 +4088,7 @@ msgstr "" msgid "No such tag." msgstr "Böyle bir durum mesajı yok." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "" @@ -4113,7 +4123,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "" @@ -4400,6 +4410,11 @@ msgstr "Kullanıcı güncellenemedi." msgid "Group leave failed." msgstr "Böyle bir durum mesajı yok." +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "Kullanıcı güncellenemedi." + #: classes/Login_token.php:76 #, fuzzy, php-format msgid "Could not create login token for %s" @@ -4417,46 +4432,46 @@ msgstr "" msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:222 +#: classes/Notice.php:239 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:226 +#: classes/Notice.php:243 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:882 +#: classes/Notice.php:911 #, fuzzy msgid "Problem saving group inbox." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4488,21 +4503,31 @@ msgstr "Abonelik silinemedi." msgid "Couldn't delete subscription." msgstr "Abonelik silinemedi." -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:423 +#: classes/User_group.php:462 #, fuzzy msgid "Could not create group." msgstr "Avatar bilgisi kaydedilemedi" -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "Abonelik oluÅŸturulamadı." + +#: classes/User_group.php:492 #, fuzzy msgid "Could not set group membership." msgstr "Abonelik oluÅŸturulamadı." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "Abonelik oluÅŸturulamadı." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "" @@ -4732,15 +4757,15 @@ msgstr "« Sonra" msgid "Before" msgstr "Önce »" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4764,41 +4789,41 @@ msgstr "" msgid "Unable to delete design setting." msgstr "" -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 #, fuzzy msgid "Basic site configuration" msgstr "Eposta adresi onayı" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 #, fuzzy msgid "Design configuration" msgstr "Eposta adresi onayı" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 #, fuzzy msgid "User configuration" msgstr "Eposta adresi onayı" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Access configuration" msgstr "Eposta adresi onayı" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 #, fuzzy msgid "Paths configuration" msgstr "Eposta adresi onayı" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Sessions configuration" msgstr "Eposta adresi onayı" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5392,24 +5417,24 @@ msgstr "Dosya yüklemede sistem hatası." msgid "Not an image or corrupt file." msgstr "Bu bir resim dosyası deÄŸil ya da dosyada hata var" -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "Desteklenmeyen görüntü dosyası biçemi." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 #, fuzzy msgid "Lost our file." msgstr "Böyle bir durum mesajı yok." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "" @@ -5936,7 +5961,7 @@ msgstr "Böyle bir durum mesajı yok." msgid "Repeat this notice" msgstr "Böyle bir durum mesajı yok." -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index cf1a2bf62..619a9a848 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -10,19 +10,19 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-25 11:54+0000\n" -"PO-Revision-Date: 2010-02-25 11:56:43+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:34:43+0000\n" "Language-Team: Ukrainian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62948); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%" "10< =4 && (n%100<10 or n%100>=20) ? 1 : 2);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 msgid "Access" msgstr "ПогодитиÑÑŒ" @@ -95,14 +95,15 @@ msgstr "Ðемає такої Ñторінки" #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "Такого кориÑтувача немає." @@ -184,20 +185,20 @@ msgstr "ÐžÐ½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð²Ñ–Ð´ %1$s та друзів на %2$s!" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 msgid "API method not found." msgstr "API метод не знайдено." @@ -230,8 +231,9 @@ msgstr "Ðе вдалоÑÑ Ð¾Ð½Ð¾Ð²Ð¸Ñ‚Ð¸ кориÑтувача." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "КориÑтувач не має профілю." @@ -257,7 +259,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -368,7 +370,7 @@ msgstr "Ðе вдалоÑÑŒ вÑтановити джерело кориÑтув msgid "Could not find target user." msgstr "Ðе вдалоÑÑ Ð·Ð½Ð°Ð¹Ñ‚Ð¸ цільового кориÑтувача." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." @@ -376,62 +378,62 @@ msgstr "" "Ð†Ð¼â€™Ñ ÐºÐ¾Ñ€Ð¸Ñтувача повинно ÑкладатиÑÑŒ з літер нижнього регіÑтру Ñ– цифр, ніÑких " "інтервалів." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "Це Ñ–Ð¼â€™Ñ Ð²Ð¶Ðµ викориÑтовуєтьÑÑ. Спробуйте інше." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Це недійÑне Ñ–Ð¼â€™Ñ ÐºÐ¾Ñ€Ð¸Ñтувача." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "Веб-Ñторінка має недійÑну URL-адреÑу." -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "Повне Ñ–Ð¼â€™Ñ Ð·Ð°Ð´Ð¾Ð²Ð³Ðµ (255 знаків макÑимум)" -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, php-format msgid "Description is too long (max %d chars)." msgstr "ÐžÐ¿Ð¸Ñ Ð½Ð°Ð´Ñ‚Ð¾ довгий (%d знаків макÑимум)." -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "Ð›Ð¾ÐºÐ°Ñ†Ñ–Ñ Ð½Ð°Ð´Ñ‚Ð¾ довга (255 знаків макÑимум)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "Забагато додаткових імен! МакÑимум Ñтановить %d." -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" msgstr "Помилкове додаткове ім’Ñ: \"%s\"" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Додаткове Ñ–Ð¼â€™Ñ \"%s\" вже викориÑтовуєтьÑÑ. Спробуйте інше." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "Додаткове Ñ–Ð¼â€™Ñ Ð½Ðµ може бути таким Ñамим що й оÑновне." @@ -442,15 +444,15 @@ msgstr "Додаткове Ñ–Ð¼â€™Ñ Ð½Ðµ може бути таким Ñами msgid "Group not found!" msgstr "Групу не знайдено!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "Ви вже Ñ” учаÑником цієї групи." -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "Ðдмін цієї групи заблокував Вашу приÑутніÑÑ‚ÑŒ в ній." -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, php-format msgid "Could not join user %1$s to group %2$s." msgstr "Ðе вдалоÑÑŒ долучити кориÑтувача %1$s до групи %2$s." @@ -459,7 +461,7 @@ msgstr "Ðе вдалоÑÑŒ долучити кориÑтувача %1$s до г msgid "You are not a member of this group." msgstr "Ви не Ñ” учаÑником цієї групи." -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "Ðе вдалоÑÑŒ видалити кориÑтувача %1$s з групи %2$s." @@ -490,7 +492,7 @@ msgstr "Ðевірний токен." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -534,7 +536,7 @@ msgstr "Токен запиту %s було ÑкаÑовано Ñ– відхиле #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -567,7 +569,7 @@ msgstr "Ðкаунт" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -651,12 +653,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s Ð¾Ð½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð¾Ð±Ñ€Ð°Ð½Ð¸Ñ… від %2$s / %2$s." #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "%s Ñтрічка" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -713,8 +715,7 @@ msgstr "Такого Ð²ÐºÐ»Ð°Ð´ÐµÐ½Ð½Ñ Ð½ÐµÐ¼Ð°Ñ”." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Ðемає імені." @@ -726,7 +727,7 @@ msgstr "Ðемає розміру." msgid "Invalid size." msgstr "ÐедійÑний розмір." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Ðватара" @@ -743,17 +744,17 @@ msgid "User without matching profile" msgstr "КориÑтувач з невідповідним профілем" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "ÐÐ°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ð°Ð²Ð°Ñ‚Ð°Ñ€Ð¸" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "Оригінал" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "ПереглÑд" @@ -762,11 +763,11 @@ msgstr "ПереглÑд" msgid "Delete" msgstr "Видалити" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Завантажити" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "Ð’Ñ‚Ñти" @@ -774,7 +775,7 @@ msgstr "Ð’Ñ‚Ñти" msgid "Pick a square area of the image to be your avatar" msgstr "Оберіть квадратну ділÑнку зображеннÑ, Ñка й буде Вашою автарою." -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "Дані Вашого файлу деÑÑŒ загубилиÑÑŒ." @@ -809,22 +810,22 @@ msgstr "" "більше не отримуватимете жодних допиÑів від нього." #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "ÐÑ–" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 msgid "Do not block this user" msgstr "Ðе блокувати цього кориÑтувача" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Так" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 msgid "Block this user" msgstr "Блокувати кориÑтувача" @@ -832,39 +833,43 @@ msgstr "Блокувати кориÑтувача" msgid "Failed to save block information." msgstr "Ð—Ð±ÐµÑ€ÐµÐ¶ÐµÐ½Ð½Ñ Ñ–Ð½Ñ„Ð¾Ñ€Ð¼Ð°Ñ†Ñ–Ñ— про Ð±Ð»Ð¾ÐºÑƒÐ²Ð°Ð½Ð½Ñ Ð·Ð°Ð²ÐµÑ€ÑˆÐ¸Ð»Ð¾ÑÑŒ невдачею." -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "Такої групи немає." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, php-format msgid "%s blocked profiles" msgstr "Заблоковані профілі %s" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "Заблоковані профілі %1$s, Ñторінка %2$d" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "СпиÑок кориÑтувачів блокованих в цій групі." -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 msgid "Unblock user from group" msgstr "Розблокувати кориÑтувача" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "Розблокувати" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "Розблокувати цього кориÑтувача" @@ -1013,7 +1018,7 @@ msgstr "Ви можете видалÑти лише локальних кори msgid "Delete user" msgstr "Видалити кориÑтувача" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." @@ -1021,12 +1026,12 @@ msgstr "" "Впевнені, що бажаєте видалити цього кориÑтувача? УÑÑ– дані буде знищено без " "можливоÑÑ‚Ñ– відновленнÑ." -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" msgstr "Видалити цього кориÑтувача" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "Дизайн" @@ -1220,29 +1225,29 @@ msgstr "Редагувати групу %s" msgid "You must be logged in to create a group." msgstr "Ви маєте Ñпочатку увійти, аби мати змогу Ñтворити групу." -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "Ви маєте бути наділені правами адміниÑтратора, аби редагувати групу" -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "СкориÑтайтеÑÑŒ цією формою, щоб відредагувати групу." -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format msgid "description is too long (max %d chars)." msgstr "Ð¾Ð¿Ð¸Ñ Ð½Ð°Ð´Ñ‚Ð¾ довгий (%d знаків макÑимум)." -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "Ðе вдалоÑÑ Ð¾Ð½Ð¾Ð²Ð¸Ñ‚Ð¸ групу." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 msgid "Could not create aliases." msgstr "Ðеможна призначити додаткові імена." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "Опції збережено." @@ -1580,7 +1585,7 @@ msgstr "КориÑтувача заблоковано в цій групі." msgid "User is not a member of group." msgstr "КориÑтувач не Ñ” учаÑником групи." -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" msgstr "Блокувати кориÑтувача в групі" @@ -1615,11 +1620,11 @@ msgstr "Ðемає ID." msgid "You must be logged in to edit a group." msgstr "Ви маєте Ñпочатку увійти, аби мати змогу редагувати групу." -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "Дизайн групи" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." @@ -1627,20 +1632,20 @@ msgstr "" "Ðалаштуйте виглÑд Ñторінки групи, викориÑтовуючи фонове Ð·Ð¾Ð±Ñ€Ð°Ð¶ÐµÐ½Ð½Ñ Ñ– кольори " "на Ñвій Ñмак." -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 msgid "Couldn't update your design." msgstr "Ðе вдалоÑÑ Ð¾Ð½Ð¾Ð²Ð¸Ñ‚Ð¸ дизайн." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "Преференції дизайну збережно." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "Логотип групи" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." @@ -1648,57 +1653,57 @@ msgstr "" "Ви маєте можливіÑÑ‚ÑŒ завантажити логотип Ð´Ð»Ñ Ð’Ð°ÑˆÐ¾Ñ— группи. МакÑимальний " "розмір файлу %s." -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 msgid "User without matching profile." msgstr "КориÑтувач без відповідного профілю." -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "Оберіть квадратну ділÑнку зображеннÑ, Ñка й буде логотипом групи." -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "Логотип оновлено." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 msgid "Failed updating logo." msgstr "ÐžÐ½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð»Ð¾Ð³Ð¾Ñ‚Ð¸Ð¿Ñƒ завершилоÑÑŒ невдачею." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "УчаÑники групи %s" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "УчаÑники групи %1$s, Ñторінка %2$d" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "СпиÑок учаÑників цієї групи." -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "Ðдмін" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "Блок" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "Ðадати кориÑтувачеві права адмініÑтратора" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "Зробити адміном" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "Ðадати цьому кориÑтувачеві права адмініÑтратора" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "ÐžÐ½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ñ‡Ð»ÐµÐ½Ñ–Ð² %1$s на %2$s!" @@ -2035,7 +2040,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "Ви повинні Ñпочатку увійти на Ñайт, аби приєднатиÑÑ Ð´Ð¾ групи." -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Ðемає імені." + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "%1$s приєднавÑÑ Ð´Ð¾ групи %2$s" @@ -2044,11 +2054,11 @@ msgstr "%1$s приєднавÑÑ Ð´Ð¾ групи %2$s" msgid "You must be logged in to leave a group." msgstr "Ви повинні Ñпочатку увійти на Ñайт, аби залишити групу." -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "Ви не Ñ” учаÑником цієї групи." -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, php-format msgid "%1$s left group %2$s" msgstr "%1$s залишив групу %2$s" @@ -2322,8 +2332,8 @@ msgstr "тип зміÑту " msgid "Only " msgstr "Лише " -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "Такий формат даних не підтримуєтьÑÑ." @@ -2464,7 +2474,7 @@ msgstr "Ðеможна зберегти новий пароль." msgid "Password saved." msgstr "Пароль збережено." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "ШлÑÑ…" @@ -2497,7 +2507,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Помилковий SSL-Ñервер. МакÑимальна довжина 255 знаків." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Сайт" @@ -2670,7 +2680,7 @@ msgstr "" "1-64 літери нижнього регіÑтру Ñ– цифри, ніÑкої пунктуації або інтервалів" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Повне ім’Ñ" @@ -2698,7 +2708,7 @@ msgid "Bio" msgstr "Про Ñебе" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3294,7 +3304,7 @@ msgid "User is already sandboxed." msgstr "КориÑтувача ізольовано доки наберетьÑÑ ÑƒÐ¼Ñƒ-розуму." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "СеÑÑ–Ñ—" @@ -3349,7 +3359,7 @@ msgstr "ОрганізаціÑ" msgid "Description" msgstr "ОпиÑ" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "СтатиÑтика" @@ -3470,67 +3480,67 @@ msgstr "Група %s" msgid "%1$s group, page %2$d" msgstr "Група %1$s, Ñторінка %2$d" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 msgid "Group profile" msgstr "Профіль групи" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "ЗауваженнÑ" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "Додаткові імена" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "ДіÑльніÑÑ‚ÑŒ групи" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Стрічка допиÑів групи %s (RSS 1.0)" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Стрічка допиÑів групи %s (RSS 2.0)" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Стрічка допиÑів групи %s (Atom)" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "FOAF Ð´Ð»Ñ Ð³Ñ€ÑƒÐ¿Ð¸ %s" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "УчаÑники" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(ПуÑто)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "Ð’ÑÑ– учаÑники" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 msgid "Created" msgstr "Створено" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3545,7 +3555,7 @@ msgstr "" "короткі допиÑи про Ñвоє Ð¶Ð¸Ñ‚Ñ‚Ñ Ñ‚Ð° інтереÑи. [ПриєднуйтеÑÑŒ](%%action.register%" "%) зараз Ñ– долучітьÑÑ Ð´Ð¾ ÑпілкуваннÑ! ([ДізнатиÑÑ Ð±Ñ–Ð»ÑŒÑˆÐµ](%%doc.help%%))" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3558,7 +3568,7 @@ msgstr "" "забезпеченні [StatusNet](http://status.net/). Члени цієї групи роблÑÑ‚ÑŒ " "короткі допиÑи про Ñвоє Ð¶Ð¸Ñ‚Ñ‚Ñ Ñ‚Ð° інтереÑи. " -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "Ðдміни" @@ -4106,7 +4116,7 @@ msgstr "СкориÑтайтеÑÑŒ цією формою, щоб додати Ñ‚ msgid "No such tag." msgstr "Такого теґу немає." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "API метод наразі знаходитьÑÑ Ñƒ розробці." @@ -4136,7 +4146,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "Ð›Ñ–Ñ†ÐµÐ½Ð·Ñ–Ñ Â«%1$s» не відповідає ліцензії Ñайту «%2$s»." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "КориÑтувач" @@ -4436,6 +4446,11 @@ msgstr "Ðе Ñ” чаÑтиною групи." msgid "Group leave failed." msgstr "Ðе вдалоÑÑ Ð·Ð°Ð»Ð¸ÑˆÐ¸Ñ‚Ð¸ групу." +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "Ðе вдалоÑÑ Ð¾Ð½Ð¾Ð²Ð¸Ñ‚Ð¸ групу." + #: classes/Login_token.php:76 #, php-format msgid "Could not create login token for %s" @@ -4453,27 +4468,27 @@ msgstr "Ðе можна долучити повідомленнÑ." msgid "Could not update message with new URI." msgstr "Ðе можна оновити Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ð· новим URI." -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "Помилка бази даних при додаванні теґу: %s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 msgid "Problem saving notice. Too long." msgstr "Проблема при збереженні допиÑу. Ðадто довге." -#: classes/Notice.php:226 +#: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." msgstr "Проблема при збереженні допиÑу. Ðевідомий кориÑтувач." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Дуже багато допиÑів за короткий термін; ходіть подихайте повітрÑм Ñ– " "повертайтеÑÑŒ за кілька хвилин." -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4481,19 +4496,19 @@ msgstr "" "Дуже багато повідомлень за короткий термін; ходіть подихайте повітрÑм Ñ– " "повертайтеÑÑŒ за кілька хвилин." -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "Вам заборонено надÑилати допиÑи до цього Ñайту." -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "Проблема при збереженні допиÑу." -#: classes/Notice.php:882 +#: classes/Notice.php:911 msgid "Problem saving group inbox." msgstr "Проблема при збереженні вхідних допиÑів Ð´Ð»Ñ Ð³Ñ€ÑƒÐ¿Ð¸." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4522,19 +4537,29 @@ msgstr "Ðе можу видалити ÑамопідпиÑку." msgid "Couldn't delete subscription." msgstr "Ðе вдалоÑÑ Ð²Ð¸Ð´Ð°Ð»Ð¸Ñ‚Ð¸ підпиÑку." -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "Вітаємо на %1$s, @%2$s!" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "Ðе вдалоÑÑ Ñтворити нову групу." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "Ðе вдалоÑÑ Ð²Ñтановити членÑтво." + +#: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Ðе вдалоÑÑ Ð²Ñтановити членÑтво." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "Ðе вдалоÑÑ Ð·Ð±ÐµÑ€ÐµÐ³Ñ‚Ð¸ підпиÑку." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "Змінити Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ð¿Ñ€Ð¾Ñ„Ñ–Ð»ÑŽ" @@ -4753,15 +4778,15 @@ msgstr "Вперед" msgid "Before" msgstr "Ðазад" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "Поки що не можу обробити віддалений контент." -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "Поки що не можу обробити вбудований XML контент." -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "Поки що не можу обробити вбудований контент Base64." @@ -4785,37 +4810,37 @@ msgstr "saveSettings() не виконано." msgid "Unable to delete design setting." msgstr "Ðемає можливоÑÑ‚Ñ– видалити Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ð´Ð¸Ð·Ð°Ð¹Ð½Ñƒ." -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 msgid "Basic site configuration" msgstr "ОÑновна ÐºÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ Ñайту" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 msgid "Design configuration" msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ Ð´Ð¸Ð·Ð°Ð¹Ð½Ñƒ" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 msgid "User configuration" msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÐºÐ¾Ñ€Ð¸Ñтувача" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 msgid "Access configuration" msgstr "ПрийнÑти конфігурацію" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 msgid "Paths configuration" msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÑˆÐ»Ñху" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 msgid "Sessions configuration" msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÑеÑій" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" "API-реÑÑƒÑ€Ñ Ð²Ð¸Ð¼Ð°Ð³Ð°Ñ” дозвіл типу «читаннÑ-запиÑ», але у Ð²Ð°Ñ Ñ” лише доÑтуп Ð´Ð»Ñ " "читаннÑ." -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -6035,7 +6060,7 @@ msgstr "Повторити цей допиÑ?" msgid "Repeat this notice" msgstr "Вторувати цьому допиÑу" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "КориÑтувача Ð´Ð»Ñ Ð¾Ð´Ð½Ð¾ÐºÐ¾Ñ€Ð¸Ñтувацького режиму не визначено." diff --git a/locale/vi/LC_MESSAGES/statusnet.po b/locale/vi/LC_MESSAGES/statusnet.po index 4dcc58488..6a9b605e3 100644 --- a/locale/vi/LC_MESSAGES/statusnet.po +++ b/locale/vi/LC_MESSAGES/statusnet.po @@ -7,18 +7,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:51:57+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:34:46+0000\n" "Language-Team: Vietnamese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: vi\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 #, fuzzy msgid "Access" msgstr "Chấp nhận" @@ -97,14 +97,15 @@ msgstr "Không có tin nhắn nào." #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "Không có user nào." @@ -181,20 +182,20 @@ msgstr "" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "PhÆ°Æ¡ng thức API không tìm thấy!" @@ -228,8 +229,9 @@ msgstr "Không thể cập nhật thành viên." #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "NgÆ°á»i dùng không có thông tin." @@ -254,7 +256,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 #, fuzzy @@ -377,68 +379,68 @@ msgstr "Không thể lấy lại các tin nhắn Æ°a thích" msgid "Could not find target user." msgstr "Không tìm thấy bất kỳ trạng thái nào." -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "Biệt hiệu phải là chữ viết thÆ°á»ng hoặc số và không có khoảng trắng." -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "Biệt hiệu này đã dùng rồi. Hãy nhập biệt hiệu khác." -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "Biệt hiệu không hợp lệ." -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "Trang chủ không phải là URL" -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "Tên đầy đủ quá dài (tối Ä‘a là 255 ký tá»±)." -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "Lý lịch quá dài (không quá 140 ký tá»±)" -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "Tên khu vá»±c quá dài (không quá 255 ký tá»±)." -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "" -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, fuzzy, php-format msgid "Invalid alias: \"%s\"" msgstr "Trang chủ '%s' không hợp lệ" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, fuzzy, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "Biệt hiệu này đã dùng rồi. Hãy nhập biệt hiệu khác." -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "" @@ -450,16 +452,16 @@ msgstr "" msgid "Group not found!" msgstr "PhÆ°Æ¡ng thức API không tìm thấy!" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 #, fuzzy msgid "You are already a member of that group." msgstr "Bạn đã theo những ngÆ°á»i này:" -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "" -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, fuzzy, php-format msgid "Could not join user %1$s to group %2$s." msgstr "Không thể theo bạn này: %s đã có trong danh sách bạn bè của bạn rồi." @@ -469,7 +471,7 @@ msgstr "Không thể theo bạn này: %s đã có trong danh sách bạn bè c msgid "You are not a member of this group." msgstr "Bạn chÆ°a cập nhật thông tin riêng" -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, fuzzy, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "Không thể theo bạn này: %s đã có trong danh sách bạn bè của bạn rồi." @@ -501,7 +503,7 @@ msgstr "Kích thÆ°á»›c không hợp lệ." #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -545,7 +547,7 @@ msgstr "" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -575,7 +577,7 @@ msgstr "Giá»›i thiệu" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -661,12 +663,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "Tất cả các cập nhật của %s" #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, fuzzy, php-format msgid "%s timeline" msgstr "Dòng tin nhắn của %s" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -725,8 +727,7 @@ msgstr "Không có tài liệu nào." #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "Không có biệt hiệu." @@ -738,7 +739,7 @@ msgstr "Không có kích thÆ°á»›c." msgid "Invalid size." msgstr "Kích thÆ°á»›c không hợp lệ." -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "Hình đại diện" @@ -758,17 +759,17 @@ msgid "User without matching profile" msgstr "Hồ sÆ¡ ở nÆ¡i khác không khá»›p vá»›i hồ sÆ¡ này của bạn" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "Thay đổi hình đại diện" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "Xem trÆ°á»›c" @@ -778,11 +779,11 @@ msgstr "Xem trÆ°á»›c" msgid "Delete" msgstr "Xóa tin nhắn" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "Tải file" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 #, fuzzy msgid "Crop" msgstr "Nhóm" @@ -791,7 +792,7 @@ msgstr "Nhóm" msgid "Pick a square area of the image to be your avatar" msgstr "" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "" @@ -826,23 +827,23 @@ msgid "" msgstr "" #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "Không" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 #, fuzzy msgid "Do not block this user" msgstr "Bá» chặn ngÆ°á»i dùng này" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "Có" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 #, fuzzy msgid "Block this user" msgstr "Ban user" @@ -851,41 +852,45 @@ msgstr "Ban user" msgid "Failed to save block information." msgstr "" -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 #, fuzzy msgid "No such group." msgstr "Không có tin nhắn nào." -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, fuzzy, php-format msgid "%s blocked profiles" msgstr "Hồ sÆ¡" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, fuzzy, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%s và bạn bè" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "" -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 #, fuzzy msgid "Unblock user from group" msgstr "Bá» chặn ngÆ°á»i dùng này" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "Bá» chặn" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 msgid "Unblock this user" msgstr "Bá» chặn ngÆ°á»i dùng này" @@ -1046,19 +1051,19 @@ msgstr "Bạn đã không xóa trạng thái của những ngÆ°á»i khác." msgid "Delete user" msgstr "Xóa tin nhắn" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 #, fuzzy msgid "Delete this user" msgstr "Xóa tin nhắn" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1278,32 +1283,32 @@ msgstr "%s và nhóm" msgid "You must be logged in to create a group." msgstr "Bạn phải đăng nhập vào má»›i có thể gá»­i thÆ° má»i những " -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 #, fuzzy msgid "You must be an admin to edit the group." msgstr "Bạn phải đăng nhập vào má»›i có thể gá»­i thÆ° má»i những " -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "" -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, fuzzy, php-format msgid "description is too long (max %d chars)." msgstr "Lý lịch quá dài (không quá 140 ký tá»±)" -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 #, fuzzy msgid "Could not update group." msgstr "Không thể cập nhật thành viên." -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 #, fuzzy msgid "Could not create aliases." msgstr "Không thể tạo favorite." -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 #, fuzzy msgid "Options saved." msgstr "Äã lÆ°u các Ä‘iá»u chỉnh." @@ -1667,7 +1672,7 @@ msgstr "NgÆ°á»i dùng không có thông tin." msgid "User is not a member of group." msgstr "Bạn chÆ°a cập nhật thông tin riêng" -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 #, fuzzy msgid "Block user from group" msgstr "Ban user" @@ -1704,95 +1709,95 @@ msgstr "Không có id." msgid "You must be logged in to edit a group." msgstr "Bạn phải đăng nhập vào má»›i có thể gá»­i thÆ° má»i những " -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 #, fuzzy msgid "Group design" msgstr "Nhóm" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "" -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 #, fuzzy msgid "Couldn't update your design." msgstr "Không thể cập nhật thành viên." -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 #, fuzzy msgid "Design preferences saved." msgstr "Các tính năng đã được lÆ°u." -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 #, fuzzy msgid "Group logo" msgstr "Mã nhóm" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "" -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 #, fuzzy msgid "User without matching profile." msgstr "Hồ sÆ¡ ở nÆ¡i khác không khá»›p vá»›i hồ sÆ¡ này của bạn" -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "" -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 #, fuzzy msgid "Logo updated." msgstr "Hình đại diện đã được cập nhật." -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 #, fuzzy msgid "Failed updating logo." msgstr "Cập nhật hình đại diện không thành công." -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, fuzzy, php-format msgid "%s group members" msgstr "Thành viên" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, fuzzy, php-format msgid "%1$s group members, page %2$d" msgstr "Thành viên" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 #, fuzzy msgid "Make user an admin of the group" msgstr "Bạn phải đăng nhập vào má»›i có thể gá»­i thÆ° má»i những " -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 #, fuzzy msgid "Make this user an admin" msgstr "Kênh mà bạn tham gia" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Dòng tin nhắn cho %s" @@ -2127,7 +2132,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "Bạn phải đăng nhập vào má»›i có thể gá»­i thÆ° má»i những " -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "Không có biệt hiệu." + +#: actions/joingroup.php:141 #, fuzzy, php-format msgid "%1$s joined group %2$s" msgstr "%s và nhóm" @@ -2137,12 +2147,12 @@ msgstr "%s và nhóm" msgid "You must be logged in to leave a group." msgstr "Bạn phải đăng nhập vào má»›i có thể gá»­i thÆ° má»i những " -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 #, fuzzy msgid "You are not a member of that group." msgstr "Bạn chÆ°a cập nhật thông tin riêng" -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, fuzzy, php-format msgid "%1$s left group %2$s" msgstr "%s và nhóm" @@ -2421,8 +2431,8 @@ msgstr "Kết nối" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "Không há»— trợ định dạng dữ liệu này." @@ -2574,7 +2584,7 @@ msgstr "Không thể lÆ°u mật khẩu má»›i" msgid "Password saved." msgstr "Äã lÆ°u mật khẩu." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "" @@ -2607,7 +2617,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 #, fuzzy msgid "Site" msgstr "ThÆ° má»i" @@ -2796,7 +2806,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64 chữ cái thÆ°á»ng hoặc là chữ số, không có dấu chấm hay " #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "Tên đầy đủ" @@ -2825,7 +2835,7 @@ msgid "Bio" msgstr "Lý lịch" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3413,7 +3423,7 @@ msgid "User is already sandboxed." msgstr "NgÆ°á»i dùng không có thông tin." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3473,7 +3483,7 @@ msgstr "ThÆ° má»i đã gá»­i" msgid "Description" msgstr "Mô tả" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "Số liệu thống kê" @@ -3585,72 +3595,72 @@ msgstr "%s và nhóm" msgid "%1$s group, page %2$d" msgstr "Thành viên" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 #, fuzzy msgid "Group profile" msgstr "Thông tin nhóm" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 #, fuzzy msgid "Note" msgstr "Tin nhắn" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 #, fuzzy msgid "Group actions" msgstr "Mã nhóm" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Dòng tin nhắn cho %s" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Dòng tin nhắn cho %s" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "Dòng tin nhắn cho %s" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "Há»™p thÆ° Ä‘i của %s" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 msgid "Members" msgstr "Thành viên" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 #, fuzzy msgid "All members" msgstr "Thành viên" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 #, fuzzy msgid "Created" msgstr "Tạo" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3660,7 +3670,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3669,7 +3679,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "" @@ -4218,7 +4228,7 @@ msgstr "" msgid "No such tag." msgstr "Không có tin nhắn nào." -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "PhÆ°Æ¡ng thức API dÆ°á»›i cấu trúc có sẵn." @@ -4253,7 +4263,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "" @@ -4549,6 +4559,11 @@ msgstr "Không thể cập nhật thành viên." msgid "Group leave failed." msgstr "Thông tin nhóm" +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "Không thể cập nhật thành viên." + #: classes/Login_token.php:76 #, fuzzy, php-format msgid "Could not create login token for %s" @@ -4569,46 +4584,46 @@ msgstr "Không thể chèn thêm vào đăng nhận." msgid "Could not update message with new URI." msgstr "Không thể cập nhật thông tin user vá»›i địa chỉ email đã được xác nhận." -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, fuzzy, php-format msgid "DB error inserting hashtag: %s" msgstr "Lá»—i cÆ¡ sở dữ liệu khi chèn trả lá»i: %s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:226 +#: classes/Notice.php:243 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:882 +#: classes/Notice.php:911 #, fuzzy msgid "Problem saving group inbox." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%s (%s)" @@ -4640,21 +4655,31 @@ msgstr "Không thể xóa đăng nhận." msgid "Couldn't delete subscription." msgstr "Không thể xóa đăng nhận." -#: classes/User.php:372 +#: classes/User.php:373 #, fuzzy, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "%s chào mừng bạn " -#: classes/User_group.php:423 +#: classes/User_group.php:462 #, fuzzy msgid "Could not create group." msgstr "Không thể tạo favorite." -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "Không thể tạo đăng nhận." + +#: classes/User_group.php:492 #, fuzzy msgid "Could not set group membership." msgstr "Không thể tạo đăng nhận." +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "Không thể tạo đăng nhận." + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "Thay đổi các thiết lập trong hồ sÆ¡ cá nhân của bạn" @@ -4889,15 +4914,15 @@ msgstr "Sau" msgid "Before" msgstr "TrÆ°á»›c" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4924,41 +4949,41 @@ msgstr "" msgid "Unable to delete design setting." msgstr "Không thể lÆ°u thông tin Twitter của bạn!" -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 #, fuzzy msgid "Basic site configuration" msgstr "Xac nhan dia chi email" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 #, fuzzy msgid "Design configuration" msgstr "Xác nhận SMS" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 #, fuzzy msgid "User configuration" msgstr "Xác nhận SMS" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Access configuration" msgstr "Xác nhận SMS" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 #, fuzzy msgid "Paths configuration" msgstr "Xác nhận SMS" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Sessions configuration" msgstr "Xác nhận SMS" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5563,25 +5588,25 @@ msgstr "Hệ thống xảy ra lá»—i trong khi tải file." msgid "Not an image or corrupt file." msgstr "File há»ng hoặc không phải là file ảnh." -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "Không há»— trợ kiểu file ảnh này." -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 #, fuzzy msgid "Lost our file." msgstr "Không có tin nhắn nào." -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 #, fuzzy msgid "Unknown file type" msgstr "Không há»— trợ kiểu file ảnh này." -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "" @@ -6169,7 +6194,7 @@ msgstr "Trả lá»i tin nhắn này" msgid "Repeat this notice" msgstr "Trả lá»i tin nhắn này" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index 60ca89d66..f0a466f28 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -10,18 +10,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:52:00+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:34:49+0000\n" "Language-Team: Simplified Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 #, fuzzy msgid "Access" msgstr "接å—" @@ -99,14 +99,15 @@ msgstr "没有该页é¢" #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "没有这个用户。" @@ -183,20 +184,20 @@ msgstr "æ¥è‡ª%2$s 上 %1$s 和好å‹çš„æ›´æ–°ï¼" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "API 方法未实现ï¼" @@ -230,8 +231,9 @@ msgstr "无法更新用户。" #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "用户没有个人信æ¯ã€‚" @@ -256,7 +258,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 #, fuzzy @@ -375,68 +377,68 @@ msgstr "无法获å–收è—的通告。" msgid "Could not find target user." msgstr "找ä¸åˆ°ä»»ä½•ä¿¡æ¯ã€‚" -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "昵称åªèƒ½ä½¿ç”¨å°å†™å­—æ¯å’Œæ•°å­—,ä¸åŒ…å«ç©ºæ ¼ã€‚" -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "昵称已被使用,æ¢ä¸€ä¸ªå§ã€‚" -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "ä¸æ˜¯æœ‰æ•ˆçš„昵称。" -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "主页的URLä¸æ­£ç¡®ã€‚" -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "å…¨å过长(ä¸èƒ½è¶…过 255 个字符)。" -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "æ述过长(ä¸èƒ½è¶…过140字符)。" -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "ä½ç½®è¿‡é•¿(ä¸èƒ½è¶…过255个字符)。" -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "" -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, fuzzy, php-format msgid "Invalid alias: \"%s\"" msgstr "主页'%s'ä¸æ­£ç¡®" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, fuzzy, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "昵称已被使用,æ¢ä¸€ä¸ªå§ã€‚" -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "" @@ -448,16 +450,16 @@ msgstr "" msgid "Group not found!" msgstr "API 方法未实现ï¼" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 #, fuzzy msgid "You are already a member of that group." msgstr "您已ç»æ˜¯è¯¥ç»„æˆå‘˜" -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "" -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, fuzzy, php-format msgid "Could not join user %1$s to group %2$s." msgstr "无法把 %s 用户添加到 %s 组" @@ -467,7 +469,7 @@ msgstr "无法把 %s 用户添加到 %s 组" msgid "You are not a member of this group." msgstr "您未告知此个人信æ¯" -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, fuzzy, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "无法订阅用户:未找到。" @@ -499,7 +501,7 @@ msgstr "大å°ä¸æ­£ç¡®ã€‚" #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -543,7 +545,7 @@ msgstr "" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -572,7 +574,7 @@ msgstr "å¸å·" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -659,12 +661,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s 收è—了 %s çš„ %s 通告。" #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "%s 时间表" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -723,8 +725,7 @@ msgstr "没有这份文档。" #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "没有昵称。" @@ -736,7 +737,7 @@ msgstr "没有大å°ã€‚" msgid "Invalid size." msgstr "大å°ä¸æ­£ç¡®ã€‚" -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "头åƒ" @@ -753,17 +754,17 @@ msgid "User without matching profile" msgstr "找ä¸åˆ°åŒ¹é…的用户。" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 msgid "Avatar settings" msgstr "头åƒè®¾ç½®" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "原æ¥çš„" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "预览" @@ -773,11 +774,11 @@ msgstr "预览" msgid "Delete" msgstr "删除" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "上传" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "剪è£" @@ -785,7 +786,7 @@ msgstr "剪è£" msgid "Pick a square area of the image to be your avatar" msgstr "请选择一å—方形区域作为你的头åƒ" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "文件数æ®ä¸¢å¤±" @@ -820,23 +821,23 @@ msgid "" msgstr "" #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "å¦" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 #, fuzzy msgid "Do not block this user" msgstr "å–消阻止次用户" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "是" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 #, fuzzy msgid "Block this user" msgstr "阻止该用户" @@ -845,41 +846,45 @@ msgstr "阻止该用户" msgid "Failed to save block information." msgstr "ä¿å­˜é˜»æ­¢ä¿¡æ¯å¤±è´¥ã€‚" -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 msgid "No such group." msgstr "没有这个组。" -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, fuzzy, php-format msgid "%s blocked profiles" msgstr "用户没有个人信æ¯ã€‚" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, fuzzy, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%s åŠå¥½å‹" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 #, fuzzy msgid "A list of the users blocked from joining this group." msgstr "该组æˆå‘˜åˆ—表。" -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 #, fuzzy msgid "Unblock user from group" msgstr "å–消阻止用户失败。" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "å–消阻止" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 #, fuzzy msgid "Unblock this user" msgstr "å–消阻止次用户" @@ -1042,19 +1047,19 @@ msgstr "您ä¸èƒ½åˆ é™¤å…¶ä»–用户的状æ€ã€‚" msgid "Delete user" msgstr "删除" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 #, fuzzy msgid "Delete this user" msgstr "删除通告" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1267,31 +1272,31 @@ msgstr "编辑 %s 组" msgid "You must be logged in to create a group." msgstr "您必须登录æ‰èƒ½åˆ›å»ºå°ç»„。" -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 #, fuzzy msgid "You must be an admin to edit the group." msgstr "åªæœ‰adminæ‰èƒ½ç¼–辑这个组" -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "使用这个表å•æ¥ç¼–辑组" -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, fuzzy, php-format msgid "description is too long (max %d chars)." msgstr "æ述过长(ä¸èƒ½è¶…过140字符)。" -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 msgid "Could not update group." msgstr "无法更新组" -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 #, fuzzy msgid "Could not create aliases." msgstr "无法创建收è—。" -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "选项已ä¿å­˜ã€‚" @@ -1645,7 +1650,7 @@ msgstr "用户没有个人信æ¯ã€‚" msgid "User is not a member of group." msgstr "您未告知此个人信æ¯" -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 #, fuzzy msgid "Block user from group" msgstr "阻止用户" @@ -1682,94 +1687,94 @@ msgstr "没有ID" msgid "You must be logged in to edit a group." msgstr "您必须登录æ‰èƒ½åˆ›å»ºå°ç»„。" -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 #, fuzzy msgid "Group design" msgstr "组" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "" -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 #, fuzzy msgid "Couldn't update your design." msgstr "无法更新用户。" -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 #, fuzzy msgid "Design preferences saved." msgstr "åŒæ­¥é€‰é¡¹å·²ä¿å­˜ã€‚" -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "组logo" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, fuzzy, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "ä½ å¯ä»¥ç»™ä½ çš„组上载一个logo图。" -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 #, fuzzy msgid "User without matching profile." msgstr "找ä¸åˆ°åŒ¹é…的用户。" -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 #, fuzzy msgid "Pick a square area of the image to be the logo." msgstr "请选择一å—方形区域作为你的头åƒ" -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 msgid "Logo updated." msgstr "logo已更新。" -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 #, fuzzy msgid "Failed updating logo." msgstr "æ›´æ–°logo失败。" -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "%s 组æˆå‘˜" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, fuzzy, php-format msgid "%1$s group members, page %2$d" msgstr "%s 组æˆå‘˜, 第 %d 页" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "该组æˆå‘˜åˆ—表。" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "admin管ç†å‘˜" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "阻止" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 #, fuzzy msgid "Make user an admin of the group" msgstr "åªæœ‰adminæ‰èƒ½ç¼–辑这个组" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 #, fuzzy msgid "Make Admin" msgstr "admin管ç†å‘˜" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "%2$s 上 %1$s çš„æ›´æ–°ï¼" @@ -2085,7 +2090,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "您必须登录æ‰èƒ½åŠ å…¥ç»„。" -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "没有昵称。" + +#: actions/joingroup.php:141 #, fuzzy, php-format msgid "%1$s joined group %2$s" msgstr "%s 加入 %s 组" @@ -2095,12 +2105,12 @@ msgstr "%s 加入 %s 组" msgid "You must be logged in to leave a group." msgstr "您必须登录æ‰èƒ½é‚€è¯·å…¶ä»–人使用 %s" -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 #, fuzzy msgid "You are not a member of that group." msgstr "您未告知此个人信æ¯" -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, fuzzy, php-format msgid "%1$s left group %2$s" msgstr "%s 离开群 %s" @@ -2371,8 +2381,8 @@ msgstr "连接" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "ä¸æ”¯æŒçš„æ•°æ®æ ¼å¼ã€‚" @@ -2521,7 +2531,7 @@ msgstr "无法ä¿å­˜æ–°å¯†ç ã€‚" msgid "Password saved." msgstr "密ç å·²ä¿å­˜ã€‚" -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "" @@ -2554,7 +2564,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 #, fuzzy msgid "Site" msgstr "邀请" @@ -2737,7 +2747,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1 到 64 个å°å†™å­—æ¯æˆ–数字,ä¸åŒ…å«æ ‡ç‚¹åŠç©ºç™½" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "å…¨å" @@ -2766,7 +2776,7 @@ msgid "Bio" msgstr "自述" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3347,7 +3357,7 @@ msgid "User is already sandboxed." msgstr "用户没有个人信æ¯ã€‚" #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3408,7 +3418,7 @@ msgstr "分页" msgid "Description" msgstr "æè¿°" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "统计" @@ -3520,71 +3530,71 @@ msgstr "%s 组" msgid "%1$s group, page %2$d" msgstr "%s 组æˆå‘˜, 第 %d 页" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 #, fuzzy msgid "Group profile" msgstr "组资料" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "URL 互è”网地å€" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 #, fuzzy msgid "Note" msgstr "通告" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "组动作" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "%s 的通告èšåˆ" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "%s 的通告èšåˆ" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "%s 的通告èšåˆ" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, php-format msgid "FOAF for %s group" msgstr "%s çš„å‘件箱" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 #, fuzzy msgid "Members" msgstr "注册于" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(没有)" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "所有æˆå‘˜" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 #, fuzzy msgid "Created" msgstr "创建" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3594,7 +3604,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3605,7 +3615,7 @@ msgstr "" "**%s** 是一个 %%%%site.name%%%% 的用户组,一个微åšå®¢æœåŠ¡ [micro-blogging]" "(http://en.wikipedia.org/wiki/Micro-blogging)" -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 #, fuzzy msgid "Admins" msgstr "admin管ç†å‘˜" @@ -4148,7 +4158,7 @@ msgstr "使用这个表格给你的关注者或你的订阅加注标签。" msgid "No such tag." msgstr "未找到此消æ¯ã€‚" -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "API 方法尚未实现。" @@ -4183,7 +4193,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "用户" @@ -4476,6 +4486,11 @@ msgstr "无法更新组" msgid "Group leave failed." msgstr "组资料" +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "无法更新组" + #: classes/Login_token.php:76 #, fuzzy, php-format msgid "Could not create login token for %s" @@ -4494,47 +4509,47 @@ msgstr "无法添加信æ¯ã€‚" msgid "Could not update message with new URI." msgstr "无法添加新URIçš„ä¿¡æ¯ã€‚" -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "添加标签时数æ®åº“出错:%s" -#: classes/Notice.php:222 +#: classes/Notice.php:239 #, fuzzy msgid "Problem saving notice. Too long." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:226 +#: classes/Notice.php:243 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "你在短时间里å‘布了过多的消æ¯ï¼Œè¯·æ·±å‘¼å¸ï¼Œè¿‡å‡ åˆ†é’Ÿå†å‘消æ¯ã€‚" -#: classes/Notice.php:237 +#: classes/Notice.php:254 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "你在短时间里å‘布了过多的消æ¯ï¼Œè¯·æ·±å‘¼å¸ï¼Œè¿‡å‡ åˆ†é’Ÿå†å‘消æ¯ã€‚" -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "在这个网站你被ç¦æ­¢å‘布消æ¯ã€‚" -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:882 +#: classes/Notice.php:911 #, fuzzy msgid "Problem saving group inbox." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4567,20 +4582,30 @@ msgstr "无法删除订阅。" msgid "Couldn't delete subscription." msgstr "无法删除订阅。" -#: classes/User.php:372 +#: classes/User.php:373 #, fuzzy, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "å‘é€ç»™ %1$s çš„ %2$s 消æ¯" -#: classes/User_group.php:423 +#: classes/User_group.php:462 msgid "Could not create group." msgstr "无法创建组。" -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "无法删除订阅。" + +#: classes/User_group.php:492 #, fuzzy msgid "Could not set group membership." msgstr "无法删除订阅。" +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "无法删除订阅。" + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "修改您的个人信æ¯" @@ -4811,15 +4836,15 @@ msgstr "« 之åŽ" msgid "Before" msgstr "ä¹‹å‰ Â»" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4848,41 +4873,41 @@ msgstr "命令尚未实现。" msgid "Unable to delete design setting." msgstr "无法ä¿å­˜ Twitter 设置ï¼" -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 #, fuzzy msgid "Basic site configuration" msgstr "电å­é‚®ä»¶åœ°å€ç¡®è®¤" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 #, fuzzy msgid "Design configuration" msgstr "SMS短信确认" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 #, fuzzy msgid "User configuration" msgstr "SMS短信确认" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Access configuration" msgstr "SMS短信确认" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 #, fuzzy msgid "Paths configuration" msgstr "SMS短信确认" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Sessions configuration" msgstr "SMS短信确认" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5474,24 +5499,24 @@ msgstr "上传文件时出错。" msgid "Not an image or corrupt file." msgstr "ä¸æ˜¯å›¾ç‰‡æ–‡ä»¶æˆ–文件已æŸå。" -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "ä¸æ”¯æŒè¿™ç§å›¾åƒæ ¼å¼ã€‚" -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 #, fuzzy msgid "Lost our file." msgstr "没有这份通告。" -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "未知文件类型" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "" @@ -6034,7 +6059,7 @@ msgstr "无法删除通告。" msgid "Repeat this notice" msgstr "无法删除通告。" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" diff --git a/locale/zh_TW/LC_MESSAGES/statusnet.po b/locale/zh_TW/LC_MESSAGES/statusnet.po index ff517edec..31d7cce42 100644 --- a/locale/zh_TW/LC_MESSAGES/statusnet.po +++ b/locale/zh_TW/LC_MESSAGES/statusnet.po @@ -7,18 +7,18 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-24 23:49+0000\n" -"PO-Revision-Date: 2010-02-24 23:52:03+0000\n" +"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"PO-Revision-Date: 2010-02-27 17:34:52+0000\n" "Language-Team: Traditional Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r62925); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hant\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:326 +#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 #, fuzzy msgid "Access" msgstr "接å—" @@ -95,14 +95,15 @@ msgstr "無此通知" #: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 #: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 #: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 -#: actions/microsummary.php:62 actions/newmessage.php:116 actions/otp.php:76 -#: actions/remotesubscribe.php:145 actions/remotesubscribe.php:154 -#: actions/replies.php:73 actions/repliesrss.php:38 actions/rsd.php:116 -#: actions/showfavorites.php:105 actions/userbyid.php:74 -#: actions/usergroups.php:91 actions/userrss.php:38 actions/xrds.php:71 -#: lib/command.php:163 lib/command.php:302 lib/command.php:355 -#: lib/command.php:401 lib/command.php:462 lib/command.php:518 -#: lib/galleryaction.php:59 lib/mailbox.php:82 lib/profileaction.php:77 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 msgid "No such user." msgstr "無此使用者" @@ -179,20 +180,20 @@ msgstr "" #: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 #: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 #: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 -#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:136 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 #: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 #: actions/apigroupleave.php:141 actions/apigrouplist.php:132 #: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 #: actions/apigroupshow.php:115 actions/apihelptest.php:88 #: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 -#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:137 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:195 actions/apitimelinehome.php:184 +#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 #: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:207 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "確èªç¢¼éºå¤±" @@ -226,8 +227,9 @@ msgstr "無法更新使用者" #: actions/apiaccountupdateprofilebackgroundimage.php:194 #: actions/apiaccountupdateprofilecolors.php:185 #: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 -#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/replies.php:80 -#: actions/usergroups.php:98 lib/galleryaction.php:66 lib/profileaction.php:84 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 msgid "User has no profile." msgstr "" @@ -252,7 +254,7 @@ msgstr "" #: actions/apiaccountupdateprofilebackgroundimage.php:146 #: actions/apiaccountupdateprofilecolors.php:164 #: actions/apiaccountupdateprofilecolors.php:174 -#: actions/groupdesignsettings.php:287 actions/groupdesignsettings.php:297 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 #: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 #: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 msgid "Unable to save your design settings." @@ -368,68 +370,68 @@ msgstr "無法更新使用者" msgid "Could not find target user." msgstr "無法更新使用者" -#: actions/apigroupcreate.php:164 actions/editgroup.php:182 +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 #: actions/newgroup.php:126 actions/profilesettings.php:215 #: actions/register.php:205 msgid "Nickname must have only lowercase letters and numbers and no spaces." msgstr "暱稱請用å°å¯«å­—æ¯æˆ–數字,勿加空格。" -#: actions/apigroupcreate.php:173 actions/editgroup.php:186 +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 #: actions/newgroup.php:130 actions/profilesettings.php:238 #: actions/register.php:208 msgid "Nickname already in use. Try another one." msgstr "此暱稱已有人使用。å†è©¦è©¦çœ‹åˆ¥çš„å§ã€‚" -#: actions/apigroupcreate.php:180 actions/editgroup.php:189 +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 #: actions/newgroup.php:133 actions/profilesettings.php:218 #: actions/register.php:210 msgid "Not a valid nickname." msgstr "" -#: actions/apigroupcreate.php:196 actions/editapplication.php:215 -#: actions/editgroup.php:195 actions/newapplication.php:203 +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 #: actions/newgroup.php:139 actions/profilesettings.php:222 #: actions/register.php:217 msgid "Homepage is not a valid URL." msgstr "個人首é ä½å€éŒ¯èª¤" -#: actions/apigroupcreate.php:205 actions/editgroup.php:198 +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 #: actions/newgroup.php:142 actions/profilesettings.php:225 #: actions/register.php:220 msgid "Full name is too long (max 255 chars)." msgstr "å…¨åéŽé•·ï¼ˆæœ€å¤š255字元)" -#: actions/apigroupcreate.php:213 actions/editapplication.php:190 +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 #: actions/newapplication.php:172 #, fuzzy, php-format msgid "Description is too long (max %d chars)." msgstr "自我介紹éŽé•·(å…±140個字元)" -#: actions/apigroupcreate.php:224 actions/editgroup.php:204 +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 #: actions/newgroup.php:148 actions/profilesettings.php:232 #: actions/register.php:227 msgid "Location is too long (max 255 chars)." msgstr "地點éŽé•·ï¼ˆå…±255個字)" -#: actions/apigroupcreate.php:243 actions/editgroup.php:215 +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 #: actions/newgroup.php:159 #, php-format msgid "Too many aliases! Maximum %d." msgstr "" -#: actions/apigroupcreate.php:264 actions/editgroup.php:224 +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 #: actions/newgroup.php:168 #, fuzzy, php-format msgid "Invalid alias: \"%s\"" msgstr "個人首é é€£çµ%s無效" -#: actions/apigroupcreate.php:273 actions/editgroup.php:228 +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 #, fuzzy, php-format msgid "Alias \"%s\" already in use. Try another one." msgstr "此暱稱已有人使用。å†è©¦è©¦çœ‹åˆ¥çš„å§ã€‚" -#: actions/apigroupcreate.php:286 actions/editgroup.php:234 +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 #: actions/newgroup.php:178 msgid "Alias can't be the same as nickname." msgstr "" @@ -441,15 +443,15 @@ msgstr "" msgid "Group not found!" msgstr "ç›®å‰ç„¡è«‹æ±‚" -#: actions/apigroupjoin.php:110 actions/joingroup.php:90 +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 msgid "You are already a member of that group." msgstr "" -#: actions/apigroupjoin.php:119 actions/joingroup.php:95 lib/command.php:221 +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 msgid "You have been blocked from that group by the admin." msgstr "" -#: actions/apigroupjoin.php:138 actions/joingroup.php:124 +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 #, fuzzy, php-format msgid "Could not join user %1$s to group %2$s." msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" @@ -459,7 +461,7 @@ msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" msgid "You are not a member of this group." msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" -#: actions/apigroupleave.php:124 actions/leavegroup.php:119 +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 #, fuzzy, php-format msgid "Could not remove user %1$s from group %2$s." msgstr "無法從 %s 建立OpenID" @@ -491,7 +493,7 @@ msgstr "尺寸錯誤" #: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 #: actions/deletenotice.php:157 actions/disfavor.php:74 #: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 -#: actions/groupblock.php:66 actions/grouplogo.php:309 +#: actions/groupblock.php:66 actions/grouplogo.php:312 #: actions/groupunblock.php:66 actions/imsettings.php:206 #: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 @@ -535,7 +537,7 @@ msgstr "" #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 -#: actions/emailsettings.php:256 actions/grouplogo.php:319 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 #: actions/imsettings.php:220 actions/newapplication.php:121 #: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 #: actions/smssettings.php:248 lib/designsettings.php:304 @@ -565,7 +567,7 @@ msgstr "關於" #: actions/apioauthauthorize.php:313 actions/login.php:230 #: actions/profilesettings.php:106 actions/register.php:424 -#: actions/showgroup.php:236 actions/tagother.php:94 +#: actions/showgroup.php:244 actions/tagother.php:94 #: actions/userauthorization.php:145 lib/groupeditform.php:152 #: lib/userprofile.php:131 msgid "Nickname" @@ -650,12 +652,12 @@ msgid "%1$s updates favorited by %2$s / %2$s." msgstr "&s的微型部è½æ ¼" #: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:131 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:90 #, php-format msgid "%s timeline" msgstr "" -#: actions/apitimelinegroup.php:114 actions/apitimelineuser.php:126 +#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 #: actions/userrss.php:92 #, php-format msgid "Updates from %1$s on %2$s!" @@ -714,8 +716,7 @@ msgstr "無此文件" #: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 #: actions/editgroup.php:84 actions/groupdesignsettings.php:84 #: actions/grouplogo.php:86 actions/groupmembers.php:76 -#: actions/grouprss.php:91 actions/joingroup.php:76 actions/leavegroup.php:76 -#: actions/showgroup.php:121 +#: actions/grouprss.php:91 actions/showgroup.php:121 msgid "No nickname." msgstr "無暱稱" @@ -727,7 +728,7 @@ msgstr "無尺寸" msgid "Invalid size." msgstr "尺寸錯誤" -#: actions/avatarsettings.php:67 actions/showgroup.php:221 +#: actions/avatarsettings.php:67 actions/showgroup.php:229 #: lib/accountsettingsaction.php:112 msgid "Avatar" msgstr "個人圖åƒ" @@ -744,18 +745,18 @@ msgid "User without matching profile" msgstr "" #: actions/avatarsettings.php:119 actions/avatarsettings.php:197 -#: actions/grouplogo.php:251 +#: actions/grouplogo.php:254 #, fuzzy msgid "Avatar settings" msgstr "線上å³æ™‚通設定" #: actions/avatarsettings.php:127 actions/avatarsettings.php:205 -#: actions/grouplogo.php:199 actions/grouplogo.php:259 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 msgid "Original" msgstr "" #: actions/avatarsettings.php:142 actions/avatarsettings.php:217 -#: actions/grouplogo.php:210 actions/grouplogo.php:271 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 msgid "Preview" msgstr "" @@ -764,11 +765,11 @@ msgstr "" msgid "Delete" msgstr "" -#: actions/avatarsettings.php:166 actions/grouplogo.php:233 +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 msgid "Upload" msgstr "" -#: actions/avatarsettings.php:231 actions/grouplogo.php:286 +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 msgid "Crop" msgstr "" @@ -776,7 +777,7 @@ msgstr "" msgid "Pick a square area of the image to be your avatar" msgstr "" -#: actions/avatarsettings.php:343 actions/grouplogo.php:377 +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 msgid "Lost our file data." msgstr "" @@ -811,23 +812,23 @@ msgid "" msgstr "" #: actions/block.php:143 actions/deleteapplication.php:153 -#: actions/deletenotice.php:145 actions/deleteuser.php:147 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 #: actions/groupblock.php:178 msgid "No" msgstr "" -#: actions/block.php:143 actions/deleteuser.php:147 +#: actions/block.php:143 actions/deleteuser.php:150 #, fuzzy msgid "Do not block this user" msgstr "無此使用者" #: actions/block.php:144 actions/deleteapplication.php:158 -#: actions/deletenotice.php:146 actions/deleteuser.php:148 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 #: actions/groupblock.php:179 lib/repeatform.php:132 msgid "Yes" msgstr "" -#: actions/block.php:144 actions/groupmembers.php:348 lib/blockform.php:80 +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 #, fuzzy msgid "Block this user" msgstr "無此使用者" @@ -836,41 +837,45 @@ msgstr "無此使用者" msgid "Failed to save block information." msgstr "" -#: actions/blockedfromgroup.php:80 actions/editgroup.php:96 -#: actions/foafgroup.php:44 actions/foafgroup.php:62 actions/groupblock.php:86 -#: actions/groupbyid.php:83 actions/groupdesignsettings.php:97 -#: actions/grouplogo.php:99 actions/groupmembers.php:83 -#: actions/grouprss.php:98 actions/groupunblock.php:86 -#: actions/joingroup.php:83 actions/leavegroup.php:83 actions/makeadmin.php:86 -#: actions/showgroup.php:137 lib/command.php:212 lib/command.php:260 +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 #, fuzzy msgid "No such group." msgstr "無此通知" -#: actions/blockedfromgroup.php:90 +#: actions/blockedfromgroup.php:97 #, fuzzy, php-format msgid "%s blocked profiles" msgstr "無此通知" -#: actions/blockedfromgroup.php:93 +#: actions/blockedfromgroup.php:100 #, fuzzy, php-format msgid "%1$s blocked profiles, page %2$d" msgstr "%s與好å‹" -#: actions/blockedfromgroup.php:108 +#: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." msgstr "" -#: actions/blockedfromgroup.php:281 +#: actions/blockedfromgroup.php:288 #, fuzzy msgid "Unblock user from group" msgstr "無此使用者" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:69 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 msgid "Unblock" msgstr "" -#: actions/blockedfromgroup.php:313 lib/unblockform.php:80 +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 #, fuzzy msgid "Unblock this user" msgstr "無此使用者" @@ -1028,19 +1033,19 @@ msgstr "無此使用者" msgid "Delete user" msgstr "" -#: actions/deleteuser.php:135 +#: actions/deleteuser.php:136 msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" -#: actions/deleteuser.php:148 lib/deleteuserform.php:77 +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 #, fuzzy msgid "Delete this user" msgstr "無此使用者" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:316 lib/groupnav.php:119 +#: lib/adminpanelaction.php:327 lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1248,31 +1253,31 @@ msgstr "" msgid "You must be logged in to create a group." msgstr "" -#: actions/editgroup.php:103 actions/editgroup.php:168 -#: actions/groupdesignsettings.php:104 actions/grouplogo.php:106 +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 msgid "You must be an admin to edit the group." msgstr "" -#: actions/editgroup.php:154 +#: actions/editgroup.php:158 msgid "Use this form to edit the group." msgstr "" -#: actions/editgroup.php:201 actions/newgroup.php:145 +#: actions/editgroup.php:205 actions/newgroup.php:145 #, fuzzy, php-format msgid "description is too long (max %d chars)." msgstr "自我介紹éŽé•·(å…±140個字元)" -#: actions/editgroup.php:253 +#: actions/editgroup.php:258 #, fuzzy msgid "Could not update group." msgstr "無法更新使用者" -#: actions/editgroup.php:259 classes/User_group.php:433 +#: actions/editgroup.php:264 classes/User_group.php:478 #, fuzzy msgid "Could not create aliases." msgstr "無法存å–個人圖åƒè³‡æ–™" -#: actions/editgroup.php:269 +#: actions/editgroup.php:280 msgid "Options saved." msgstr "" @@ -1611,7 +1616,7 @@ msgstr "" msgid "User is not a member of group." msgstr "" -#: actions/groupblock.php:136 actions/groupmembers.php:316 +#: actions/groupblock.php:136 actions/groupmembers.php:323 #, fuzzy msgid "Block user from group" msgstr "無此使用者" @@ -1647,89 +1652,89 @@ msgstr "查無此Jabber ID" msgid "You must be logged in to edit a group." msgstr "" -#: actions/groupdesignsettings.php:141 +#: actions/groupdesignsettings.php:144 msgid "Group design" msgstr "" -#: actions/groupdesignsettings.php:152 +#: actions/groupdesignsettings.php:155 msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "" -#: actions/groupdesignsettings.php:263 actions/userdesignsettings.php:186 +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 #, fuzzy msgid "Couldn't update your design." msgstr "無法更新使用者" -#: actions/groupdesignsettings.php:308 actions/userdesignsettings.php:231 +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." msgstr "" -#: actions/grouplogo.php:139 actions/grouplogo.php:192 +#: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "" -#: actions/grouplogo.php:150 +#: actions/grouplogo.php:153 #, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." msgstr "" -#: actions/grouplogo.php:178 +#: actions/grouplogo.php:181 msgid "User without matching profile." msgstr "" -#: actions/grouplogo.php:362 +#: actions/grouplogo.php:365 msgid "Pick a square area of the image to be the logo." msgstr "" -#: actions/grouplogo.php:396 +#: actions/grouplogo.php:399 #, fuzzy msgid "Logo updated." msgstr "更新個人圖åƒ" -#: actions/grouplogo.php:398 +#: actions/grouplogo.php:401 #, fuzzy msgid "Failed updating logo." msgstr "無法上傳個人圖åƒ" -#: actions/groupmembers.php:93 lib/groupnav.php:92 +#: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format msgid "%s group members" msgstr "" -#: actions/groupmembers.php:96 +#: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" msgstr "" -#: actions/groupmembers.php:111 +#: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:175 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 msgid "Admin" msgstr "" -#: actions/groupmembers.php:348 lib/blockform.php:69 +#: actions/groupmembers.php:355 lib/blockform.php:69 msgid "Block" msgstr "" -#: actions/groupmembers.php:443 +#: actions/groupmembers.php:450 msgid "Make user an admin of the group" msgstr "" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make Admin" msgstr "" -#: actions/groupmembers.php:475 +#: actions/groupmembers.php:482 msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:133 +#: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "&s的微型部è½æ ¼" @@ -2017,7 +2022,12 @@ msgstr "" msgid "You must be logged in to join a group." msgstr "" -#: actions/joingroup.php:131 +#: actions/joingroup.php:88 actions/leavegroup.php:88 +#, fuzzy +msgid "No nickname or ID." +msgstr "無暱稱" + +#: actions/joingroup.php:141 #, php-format msgid "%1$s joined group %2$s" msgstr "" @@ -2026,11 +2036,11 @@ msgstr "" msgid "You must be logged in to leave a group." msgstr "" -#: actions/leavegroup.php:90 lib/command.php:265 +#: actions/leavegroup.php:100 lib/command.php:265 msgid "You are not a member of that group." msgstr "" -#: actions/leavegroup.php:127 +#: actions/leavegroup.php:137 #, fuzzy, php-format msgid "%1$s left group %2$s" msgstr "%1$s的狀態是%2$s" @@ -2291,8 +2301,8 @@ msgstr "連çµ" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/api.php:1040 -#: lib/api.php:1068 lib/api.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 +#: lib/apiaction.php:1068 lib/apiaction.php:1177 msgid "Not a supported data format." msgstr "" @@ -2438,7 +2448,7 @@ msgstr "無法存å–新密碼" msgid "Password saved." msgstr "" -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:331 +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" msgstr "" @@ -2471,7 +2481,7 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:311 +#: lib/adminpanelaction.php:322 msgid "Site" msgstr "" @@ -2646,7 +2656,7 @@ msgid "1-64 lowercase letters or numbers, no punctuation or spaces" msgstr "1-64個å°å¯«è‹±æ–‡å­—æ¯æˆ–數字,勿加標點符號或空格" #: actions/profilesettings.php:111 actions/register.php:448 -#: actions/showgroup.php:247 actions/tagother.php:104 +#: actions/showgroup.php:255 actions/tagother.php:104 #: lib/groupeditform.php:157 lib/userprofile.php:149 msgid "Full name" msgstr "å…¨å" @@ -2675,7 +2685,7 @@ msgid "Bio" msgstr "自我介紹" #: actions/profilesettings.php:132 actions/register.php:471 -#: actions/showgroup.php:256 actions/tagother.php:112 +#: actions/showgroup.php:264 actions/tagother.php:112 #: actions/userauthorization.php:166 lib/groupeditform.php:177 #: lib/userprofile.php:164 msgid "Location" @@ -3229,7 +3239,7 @@ msgid "User is already sandboxed." msgstr "" #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:336 +#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3288,7 +3298,7 @@ msgstr "地點" msgid "Description" msgstr "所有訂閱" -#: actions/showapplication.php:192 actions/showgroup.php:429 +#: actions/showapplication.php:192 actions/showgroup.php:437 #: lib/profileaction.php:174 msgid "Statistics" msgstr "" @@ -3399,70 +3409,70 @@ msgstr "" msgid "%1$s group, page %2$d" msgstr "所有訂閱" -#: actions/showgroup.php:218 +#: actions/showgroup.php:226 #, fuzzy msgid "Group profile" msgstr "無此通知" -#: actions/showgroup.php:263 actions/tagother.php:118 +#: actions/showgroup.php:271 actions/tagother.php:118 #: actions/userauthorization.php:175 lib/userprofile.php:177 msgid "URL" msgstr "" -#: actions/showgroup.php:274 actions/tagother.php:128 +#: actions/showgroup.php:282 actions/tagother.php:128 #: actions/userauthorization.php:187 lib/userprofile.php:194 msgid "Note" msgstr "" -#: actions/showgroup.php:284 lib/groupeditform.php:184 +#: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" msgstr "" -#: actions/showgroup.php:293 +#: actions/showgroup.php:301 msgid "Group actions" msgstr "" -#: actions/showgroup.php:328 +#: actions/showgroup.php:336 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" -#: actions/showgroup.php:334 +#: actions/showgroup.php:342 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" -#: actions/showgroup.php:340 +#: actions/showgroup.php:348 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" -#: actions/showgroup.php:345 +#: actions/showgroup.php:353 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "無此通知" -#: actions/showgroup.php:381 actions/showgroup.php:438 lib/groupnav.php:91 +#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 #, fuzzy msgid "Members" msgstr "何時加入會員的呢?" -#: actions/showgroup.php:386 lib/profileaction.php:117 +#: actions/showgroup.php:394 lib/profileaction.php:117 #: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "" -#: actions/showgroup.php:392 +#: actions/showgroup.php:400 msgid "All members" msgstr "" -#: actions/showgroup.php:432 +#: actions/showgroup.php:440 #, fuzzy msgid "Created" msgstr "新增" -#: actions/showgroup.php:448 +#: actions/showgroup.php:456 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3472,7 +3482,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:454 +#: actions/showgroup.php:462 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3481,7 +3491,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:482 +#: actions/showgroup.php:490 msgid "Admins" msgstr "" @@ -4008,7 +4018,7 @@ msgstr "" msgid "No such tag." msgstr "無此通知" -#: actions/twitapitrends.php:87 +#: actions/twitapitrends.php:85 msgid "API method under construction." msgstr "" @@ -4041,7 +4051,7 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:321 +#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 #: lib/personalgroupnav.php:115 msgid "User" msgstr "" @@ -4321,6 +4331,11 @@ msgstr "無法更新使用者" msgid "Group leave failed." msgstr "無此通知" +#: classes/Local_group.php:41 +#, fuzzy +msgid "Could not update local group." +msgstr "無法更新使用者" + #: classes/Login_token.php:76 #, fuzzy, php-format msgid "Could not create login token for %s" @@ -4338,46 +4353,46 @@ msgstr "" msgid "Could not update message with new URI." msgstr "" -#: classes/Notice.php:157 +#: classes/Notice.php:172 #, php-format msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:222 +#: classes/Notice.php:239 #, fuzzy msgid "Problem saving notice. Too long." msgstr "儲存使用者發生錯誤" -#: classes/Notice.php:226 +#: classes/Notice.php:243 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "儲存使用者發生錯誤" -#: classes/Notice.php:231 +#: classes/Notice.php:248 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:237 +#: classes/Notice.php:254 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:243 +#: classes/Notice.php:260 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:309 classes/Notice.php:335 +#: classes/Notice.php:326 classes/Notice.php:352 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:882 +#: classes/Notice.php:911 #, fuzzy msgid "Problem saving group inbox." msgstr "儲存使用者發生錯誤" -#: classes/Notice.php:1407 +#: classes/Notice.php:1437 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4408,21 +4423,31 @@ msgstr "無法刪除帳號" msgid "Couldn't delete subscription." msgstr "無法刪除帳號" -#: classes/User.php:372 +#: classes/User.php:373 #, php-format msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:423 +#: classes/User_group.php:462 #, fuzzy msgid "Could not create group." msgstr "無法存å–個人圖åƒè³‡æ–™" -#: classes/User_group.php:452 +#: classes/User_group.php:471 +#, fuzzy +msgid "Could not set group uri." +msgstr "註冊失敗" + +#: classes/User_group.php:492 #, fuzzy msgid "Could not set group membership." msgstr "註冊失敗" +#: classes/User_group.php:506 +#, fuzzy +msgid "Could not save local group info." +msgstr "註冊失敗" + #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" msgstr "" @@ -4646,15 +4671,15 @@ msgstr "" msgid "Before" msgstr "之å‰çš„內容»" -#: lib/activity.php:382 +#: lib/activity.php:449 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:410 +#: lib/activity.php:477 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:414 +#: lib/activity.php:481 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4678,41 +4703,41 @@ msgstr "" msgid "Unable to delete design setting." msgstr "" -#: lib/adminpanelaction.php:312 +#: lib/adminpanelaction.php:323 #, fuzzy msgid "Basic site configuration" msgstr "確èªä¿¡ç®±" -#: lib/adminpanelaction.php:317 +#: lib/adminpanelaction.php:328 #, fuzzy msgid "Design configuration" msgstr "確èªä¿¡ç®±" -#: lib/adminpanelaction.php:322 +#: lib/adminpanelaction.php:333 #, fuzzy msgid "User configuration" msgstr "確èªä¿¡ç®±" -#: lib/adminpanelaction.php:327 +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Access configuration" msgstr "確èªä¿¡ç®±" -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:343 #, fuzzy msgid "Paths configuration" msgstr "確èªä¿¡ç®±" -#: lib/adminpanelaction.php:337 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Sessions configuration" msgstr "確èªä¿¡ç®±" -#: lib/apiauth.php:95 +#: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" -#: lib/apiauth.php:273 +#: lib/apiauth.php:272 #, php-format msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" msgstr "" @@ -5290,24 +5315,24 @@ msgstr "" msgid "Not an image or corrupt file." msgstr "" -#: lib/imagefile.php:105 +#: lib/imagefile.php:109 msgid "Unsupported image file format." msgstr "" -#: lib/imagefile.php:118 +#: lib/imagefile.php:122 #, fuzzy msgid "Lost our file." msgstr "無此通知" -#: lib/imagefile.php:150 lib/imagefile.php:197 +#: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" msgstr "" -#: lib/imagefile.php:217 +#: lib/imagefile.php:251 msgid "MB" msgstr "" -#: lib/imagefile.php:219 +#: lib/imagefile.php:253 msgid "kB" msgstr "" @@ -5832,7 +5857,7 @@ msgstr "無此通知" msgid "Repeat this notice" msgstr "無此通知" -#: lib/router.php:665 +#: lib/router.php:668 msgid "No single user defined for single-user mode." msgstr "" -- cgit v1.2.3-54-g00ecf From b701f5648d944cbb74748c48ea399b226eafc525 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Sat, 27 Feb 2010 18:51:49 +0100 Subject: uri -> URI in interface text --- classes/User_group.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/classes/User_group.php b/classes/User_group.php index 7240e2703..6a06583e0 100644 --- a/classes/User_group.php +++ b/classes/User_group.php @@ -468,7 +468,7 @@ class User_group extends Memcached_DataObject $result = $group->update($orig); if (!$result) { common_log_db_error($group, 'UPDATE', __FILE__); - throw new ServerException(_('Could not set group uri.')); + throw new ServerException(_('Could not set group URI.')); } } -- cgit v1.2.3-54-g00ecf From 698e44dc639872f30297f7dfdf02b87a0943817d Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Mon, 1 Mar 2010 15:19:45 +0100 Subject: Update pot file. Signed-off-by: Siebrand Mazeland --- locale/statusnet.po | 42 +++++++++++++++++++++--------------------- 1 file changed, 21 insertions(+), 21 deletions(-) diff --git a/locale/statusnet.po b/locale/statusnet.po index 70217ec49..dd13ff26c 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" +"POT-Creation-Date: 2010-03-01 14:18+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -731,7 +731,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "" @@ -968,7 +968,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "" @@ -3041,7 +3041,7 @@ msgstr "" msgid "You already repeated that notice." msgstr "" -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 msgid "Repeated" msgstr "" @@ -4230,7 +4230,7 @@ msgstr "" msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4269,7 +4269,7 @@ msgid "Could not create group." msgstr "" #: classes/User_group.php:471 -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "" #: classes/User_group.php:492 @@ -5481,23 +5481,23 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 msgid "Repeated by" msgstr "" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 msgid "Notice repeated" msgstr "" @@ -5775,47 +5775,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "" -- cgit v1.2.3-54-g00ecf From 87c17bc0f0096b659374cf68aa28dcae9f69ca08 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Mon, 1 Mar 2010 15:47:43 +0100 Subject: Also extract _m() used in core. Signed-off-by: Siebrand Mazeland --- scripts/update_po_templates.php | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/scripts/update_po_templates.php b/scripts/update_po_templates.php index 61a6ac783..63bd72c47 100755 --- a/scripts/update_po_templates.php +++ b/scripts/update_po_templates.php @@ -36,9 +36,12 @@ xgettext \ --default-domain=$domain \ --output=locale/$domain.po \ --language=PHP \ - --keyword="_m:1" \ --keyword="pgettext:1c,2" \ --keyword="npgettext:1c,2,3" \ + --keyword="_m:1,1t" \ + --keyword="_m:1c,2,2t" \ + --keyword="_m:1,2,3t" \ + --keyword="_m:1c,2,3,4t" \ actions/*.php \ classes/*.php \ lib/*.php \ -- cgit v1.2.3-54-g00ecf From 78ea4c711eed0a432fbe7b58cf9f2a14b2d77f98 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Mon, 1 Mar 2010 15:49:53 +0100 Subject: Add context for Send button on invite.php --- actions/invite.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/actions/invite.php b/actions/invite.php index d0ed64ec9..f4a44da1c 100644 --- a/actions/invite.php +++ b/actions/invite.php @@ -194,7 +194,7 @@ class InviteAction extends CurrentUserDesignAction _('Optionally add a personal message to the invitation.')); $this->elementEnd('li'); $this->elementEnd('ul'); - $this->submit('send', _('Send')); + $this->submit('send', _m('invite button', 'Send')); $this->elementEnd('fieldset'); $this->elementEnd('form'); } -- cgit v1.2.3-54-g00ecf From 63ff9d86b8ed4fb65ed3f314b66474fd38cb9eb3 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Mon, 1 Mar 2010 15:57:27 +0100 Subject: Add content for all 3 Send buttons (2 are the same as far as I can tell) --- actions/invite.php | 2 +- lib/messageform.php | 2 +- lib/noticeform.php | 2 +- 3 files changed, 3 insertions(+), 3 deletions(-) diff --git a/actions/invite.php b/actions/invite.php index f4a44da1c..848607f96 100644 --- a/actions/invite.php +++ b/actions/invite.php @@ -194,7 +194,7 @@ class InviteAction extends CurrentUserDesignAction _('Optionally add a personal message to the invitation.')); $this->elementEnd('li'); $this->elementEnd('ul'); - $this->submit('send', _m('invite button', 'Send')); + $this->submit('send', _m('Send button for inviting friends', 'Send')); $this->elementEnd('fieldset'); $this->elementEnd('form'); } diff --git a/lib/messageform.php b/lib/messageform.php index 0c568e1bd..b116964da 100644 --- a/lib/messageform.php +++ b/lib/messageform.php @@ -175,6 +175,6 @@ class MessageForm extends Form 'class' => 'submit', 'name' => 'message_send', 'type' => 'submit', - 'value' => _('Send'))); + 'value' => _m('Send button for sending notice', 'Send'))); } } diff --git a/lib/noticeform.php b/lib/noticeform.php index 62df5c941..7278c41a9 100644 --- a/lib/noticeform.php +++ b/lib/noticeform.php @@ -233,6 +233,6 @@ class NoticeForm extends Form 'class' => 'submit', 'name' => 'status_submit', 'type' => 'submit', - 'value' => _('Send'))); + 'value' => _m('Send button for sending notice', 'Send'))); } } -- cgit v1.2.3-54-g00ecf From 7410571bda4bc584408f6c575b1dbe9f50822e3d Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Mon, 1 Mar 2010 17:03:14 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans Signed-off-by: Siebrand Mazeland --- locale/ar/LC_MESSAGES/statusnet.po | 90 ++++++++++++++++++----------------- locale/arz/LC_MESSAGES/statusnet.po | 56 ++++++++++++---------- locale/bg/LC_MESSAGES/statusnet.po | 56 ++++++++++++---------- locale/ca/LC_MESSAGES/statusnet.po | 56 ++++++++++++---------- locale/cs/LC_MESSAGES/statusnet.po | 56 ++++++++++++---------- locale/de/LC_MESSAGES/statusnet.po | 56 ++++++++++++---------- locale/el/LC_MESSAGES/statusnet.po | 54 +++++++++++---------- locale/en_GB/LC_MESSAGES/statusnet.po | 56 ++++++++++++---------- locale/es/LC_MESSAGES/statusnet.po | 61 ++++++++++++++---------- locale/fa/LC_MESSAGES/statusnet.po | 56 ++++++++++++---------- locale/fi/LC_MESSAGES/statusnet.po | 56 ++++++++++++---------- locale/fr/LC_MESSAGES/statusnet.po | 67 ++++++++++++++------------ locale/ga/LC_MESSAGES/statusnet.po | 56 ++++++++++++---------- locale/he/LC_MESSAGES/statusnet.po | 56 ++++++++++++---------- locale/hsb/LC_MESSAGES/statusnet.po | 56 ++++++++++++---------- locale/ia/LC_MESSAGES/statusnet.po | 56 ++++++++++++---------- locale/is/LC_MESSAGES/statusnet.po | 56 ++++++++++++---------- locale/it/LC_MESSAGES/statusnet.po | 67 ++++++++++++++------------ locale/ja/LC_MESSAGES/statusnet.po | 56 ++++++++++++---------- locale/ko/LC_MESSAGES/statusnet.po | 56 ++++++++++++---------- locale/mk/LC_MESSAGES/statusnet.po | 67 ++++++++++++++------------ locale/nb/LC_MESSAGES/statusnet.po | 56 ++++++++++++---------- locale/nl/LC_MESSAGES/statusnet.po | 67 ++++++++++++++------------ locale/nn/LC_MESSAGES/statusnet.po | 56 ++++++++++++---------- locale/pl/LC_MESSAGES/statusnet.po | 67 ++++++++++++++------------ locale/pt/LC_MESSAGES/statusnet.po | 56 ++++++++++++---------- locale/pt_BR/LC_MESSAGES/statusnet.po | 56 ++++++++++++---------- locale/ru/LC_MESSAGES/statusnet.po | 67 ++++++++++++++------------ locale/statusnet.po | 10 +++- locale/sv/LC_MESSAGES/statusnet.po | 56 ++++++++++++---------- locale/te/LC_MESSAGES/statusnet.po | 69 ++++++++++++++------------- locale/tr/LC_MESSAGES/statusnet.po | 56 ++++++++++++---------- locale/uk/LC_MESSAGES/statusnet.po | 67 ++++++++++++++------------ locale/vi/LC_MESSAGES/statusnet.po | 56 ++++++++++++---------- locale/zh_CN/LC_MESSAGES/statusnet.po | 56 ++++++++++++---------- locale/zh_TW/LC_MESSAGES/statusnet.po | 54 +++++++++++---------- 36 files changed, 1174 insertions(+), 921 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index f64779e8e..e4ad84d82 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:32:58+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:47:51+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" @@ -738,7 +738,7 @@ msgid "Preview" msgstr "معاينة" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "احذÙ" @@ -942,9 +942,8 @@ msgid "Do not delete this application" msgstr "لا تحذ٠هذا التطبيق" #: actions/deleteapplication.php:160 -#, fuzzy msgid "Delete this application" -msgstr "احذ٠هذا الإشعار" +msgstr "احذ٠هذا التطبيق" #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 @@ -978,7 +977,7 @@ msgstr "أمتأكد من أنك تريد حذ٠هذا الإشعار؟" msgid "Do not delete this notice" msgstr "لا تحذ٠هذا الإشعار" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "احذ٠هذا الإشعار" @@ -1124,7 +1123,6 @@ msgid "No such document \"%s\"" msgstr "لا مستند باسم \"%s\"" #: actions/editapplication.php:54 -#, fuzzy msgid "Edit Application" msgstr "عدّل التطبيق" @@ -1818,16 +1816,16 @@ msgstr "هذه ليست هويتك ÙÙŠ جابر." #: actions/inbox.php:59 #, php-format msgid "Inbox for %1$s - page %2$d" -msgstr "" +msgstr "صندوق %1$s الوارد - صÙحة %2$d" #: actions/inbox.php:62 #, php-format msgid "Inbox for %s" -msgstr "" +msgstr "صندوق %s الوارد" #: actions/inbox.php:115 msgid "This is your inbox, which lists your incoming private messages." -msgstr "" +msgstr "هذا صندوق بريدك الوارد، والذي يسرد رسائلك الخاصة الواردة." #: actions/invite.php:39 msgid "Invites have been disabled." @@ -1896,7 +1894,9 @@ msgstr "رسالة شخصية" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "أرسل" @@ -2286,16 +2286,16 @@ msgstr "توكن الدخول انتهى." #: actions/outbox.php:58 #, php-format msgid "Outbox for %1$s - page %2$d" -msgstr "" +msgstr "صندوق %1$s الصادر - صÙحة %2$d" #: actions/outbox.php:61 #, php-format msgid "Outbox for %s" -msgstr "" +msgstr "صندوق %s الصادر" #: actions/outbox.php:116 msgid "This is your outbox, which lists private messages you have sent." -msgstr "" +msgstr "هذا صندوق بريدك الصادر، والذي يسرد الرسائل الخاصة التي أرسلتها." #: actions/passwordsettings.php:58 msgid "Change password" @@ -3063,7 +3063,7 @@ msgstr "لا يمكنك تكرار ملاحظتك الشخصية." msgid "You already repeated that notice." msgstr "أنت كررت هذه الملاحظة بالÙعل." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 msgid "Repeated" msgstr "مكرر" @@ -3704,7 +3704,7 @@ msgstr "" #: actions/smssettings.php:374 msgid "That is the wrong confirmation number." -msgstr "" +msgstr "إن رقم التأكيد هذا خاطئ." #: actions/smssettings.php:405 msgid "That is not your phone number." @@ -3727,7 +3727,7 @@ msgstr "" #: actions/smssettings.php:498 msgid "No code entered" -msgstr "" +msgstr "لم تدخل رمزًا" #: actions/subedit.php:70 msgid "You are not subscribed to that profile." @@ -3740,10 +3740,9 @@ msgstr "تعذّر Ø­Ùظ الاشتراك." #: actions/subscribe.php:77 msgid "This action only accepts POST requests." -msgstr "" +msgstr "هذا الإجراء يقبل طلبات POST Ùقط." #: actions/subscribe.php:107 -#, fuzzy msgid "No such profile." msgstr "لا مل٠كهذا." @@ -4115,7 +4114,7 @@ msgstr "ابحث عن المزيد من المجموعات" #: actions/usergroups.php:153 #, php-format msgid "%s is not a member of any group." -msgstr "" +msgstr "%s ليس عضوًا ÙÙŠ أي مجموعة." #: actions/usergroups.php:158 #, php-format @@ -4205,9 +4204,8 @@ msgid "Group leave failed." msgstr "ترك المجموعة Ùشل." #: classes/Local_group.php:41 -#, fuzzy msgid "Could not update local group." -msgstr "تعذر تحديث المجموعة." +msgstr "تعذر تحديث المجموعة المحلية." #: classes/Login_token.php:76 #, php-format @@ -4263,7 +4261,7 @@ msgstr "مشكلة أثناء Ø­Ùظ الإشعار." msgid "Problem saving group inbox." msgstr "مشكلة أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تي @%1$s %2$s" @@ -4303,7 +4301,7 @@ msgstr "تعذّر إنشاء المجموعة." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "تعذّر ضبط عضوية المجموعة." #: classes/User_group.php:492 @@ -4578,18 +4576,16 @@ msgid "User configuration" msgstr "ضبط المسارات" #: lib/adminpanelaction.php:338 -#, fuzzy msgid "Access configuration" -msgstr "ضبط التصميم" +msgstr "ضبط الحساب" #: lib/adminpanelaction.php:343 msgid "Paths configuration" msgstr "ضبط المسارات" #: lib/adminpanelaction.php:348 -#, fuzzy msgid "Sessions configuration" -msgstr "ضبط التصميم" +msgstr "ضبط الجلسات" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5494,6 +5490,12 @@ msgstr "إلى" msgid "Available characters" msgstr "المحار٠المتوÙرة" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "أرسل" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "أرسل إشعارًا" @@ -5550,23 +5552,23 @@ msgstr "غ" msgid "at" msgstr "ÙÙŠ" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "ÙÙŠ السياق" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 msgid "Repeated by" msgstr "مكرر بواسطة" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "رÙد على هذا الإشعار" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "رÙد" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 msgid "Notice repeated" msgstr "الإشعار مكرر" @@ -5844,47 +5846,47 @@ msgstr "رسالة" msgid "Moderate" msgstr "" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "قبل لحظات قليلة" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "قبل دقيقة تقريبًا" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "قبل ساعة تقريبًا" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "قبل يوم تقريبا" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "قبل شهر تقريبًا" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "قبل سنة تقريبًا" diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index 9b91b2fae..5edd6b442 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:33:01+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:47:54+0000\n" "Language-Team: Egyptian Spoken Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: out-statusnet\n" @@ -742,7 +742,7 @@ msgid "Preview" msgstr "عاين" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "احذÙ" @@ -984,7 +984,7 @@ msgstr "أمتأكد من أنك تريد حذ٠هذا الإشعار؟" msgid "Do not delete this notice" msgstr "لا تحذ٠هذا الإشعار" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "احذ٠هذا الإشعار" @@ -1902,7 +1902,9 @@ msgstr "رساله شخصية" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "أرسل" @@ -3066,7 +3068,7 @@ msgstr "ما ينÙعش تكرر الملاحظه بتاعتك." msgid "You already repeated that notice." msgstr "انت عيدت الملاحظه دى Ùعلا." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 msgid "Repeated" msgstr "مكرر" @@ -4264,7 +4266,7 @@ msgstr "مشكله أثناء Ø­Ùظ الإشعار." msgid "Problem saving group inbox." msgstr "مشكله أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تى @%1$s %2$s" @@ -4304,7 +4306,7 @@ msgstr "تعذّر إنشاء المجموعه." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "تعذّر ضبط عضويه المجموعه." #: classes/User_group.php:492 @@ -5485,6 +5487,12 @@ msgstr "إلى" msgid "Available characters" msgstr "المحار٠المتوÙرة" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "أرسل" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "أرسل إشعارًا" @@ -5541,23 +5549,23 @@ msgstr "غ" msgid "at" msgstr "ÙÙŠ" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "ÙÙ‰ السياق" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 msgid "Repeated by" msgstr "متكرر من" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "رÙد على هذا الإشعار" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "رÙد" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 msgid "Notice repeated" msgstr "الإشعار مكرر" @@ -5835,47 +5843,47 @@ msgstr "رسالة" msgid "Moderate" msgstr "" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "قبل لحظات قليلة" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "قبل دقيقه تقريبًا" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "قبل ساعه تقريبًا" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "قبل يوم تقريبا" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "قبل شهر تقريبًا" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "قبل سنه تقريبًا" diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index 999903133..9d18c0e11 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:33:04+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:47:57+0000\n" "Language-Team: Bulgarian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: out-statusnet\n" @@ -751,7 +751,7 @@ msgid "Preview" msgstr "Преглед" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "Изтриване" @@ -996,7 +996,7 @@ msgstr "ÐаиÑтина ли иÑкате да изтриете тази бел msgid "Do not delete this notice" msgstr "Да не Ñе изтрива бележката" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "Изтриване на бележката" @@ -1971,7 +1971,9 @@ msgstr "Лично Ñъобщение" msgid "Optionally add a personal message to the invitation." msgstr "Може да добавите и лично Ñъобщение към поканата." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "Прати" @@ -3211,7 +3213,7 @@ msgstr "Ðе можете да повтарÑте ÑобÑтвена бележ msgid "You already repeated that notice." msgstr "Вече Ñте повторили тази бележка." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 msgid "Repeated" msgstr "Повторено" @@ -4454,7 +4456,7 @@ msgstr "Проблем при запиÑване на бележката." msgid "Problem saving group inbox." msgstr "Проблем при запиÑване на бележката." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4497,7 +4499,7 @@ msgstr "Грешка при Ñъздаване на групата." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "Грешка при Ñъздаване на нов абонамент." #: classes/User_group.php:492 @@ -5703,6 +5705,12 @@ msgstr "До" msgid "Available characters" msgstr "Ðалични знаци" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "Прати" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "Изпращане на бележка" @@ -5761,23 +5769,23 @@ msgstr "З" msgid "at" msgstr "" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "в контекÑÑ‚" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 msgid "Repeated by" msgstr "Повторено от" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "ОтговарÑне на тази бележка" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "Отговор" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 msgid "Notice repeated" msgstr "Бележката е повторена." @@ -6065,47 +6073,47 @@ msgstr "Съобщение" msgid "Moderate" msgstr "" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "преди нÑколко Ñекунди" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "преди около минута" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "преди около %d минути" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "преди около чаÑ" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "преди около %d чаÑа" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "преди около ден" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "преди около %d дни" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "преди около меÑец" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "преди около %d меÑеца" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "преди около година" diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index 157b03d70..7417d060f 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:33:07+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:48:00+0000\n" "Language-Team: Catalan\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: out-statusnet\n" @@ -769,7 +769,7 @@ msgid "Preview" msgstr "Vista prèvia" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "Suprimeix" @@ -1020,7 +1020,7 @@ msgstr "N'estàs segur que vols eliminar aquesta notificació?" msgid "Do not delete this notice" msgstr "No es pot esborrar la notificació." -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "Eliminar aquesta nota" @@ -1994,7 +1994,9 @@ msgstr "Missatge personal" msgid "Optionally add a personal message to the invitation." msgstr "Opcionalment pots afegir un missatge a la invitació." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "Envia" @@ -3258,7 +3260,7 @@ msgstr "No pots registrar-te si no estàs d'acord amb la llicència." msgid "You already repeated that notice." msgstr "Ja heu blocat l'usuari." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 msgid "Repeated" msgstr "Repetit" @@ -4519,7 +4521,7 @@ msgstr "Problema en guardar l'avís." msgid "Problem saving group inbox." msgstr "Problema en guardar l'avís." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4561,7 +4563,7 @@ msgstr "No s'ha pogut crear el grup." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "No s'ha pogut establir la pertinença d'aquest grup." #: classes/User_group.php:492 @@ -5764,6 +5766,12 @@ msgstr "A" msgid "Available characters" msgstr "Caràcters disponibles" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "Envia" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "Enviar notificació" @@ -5823,23 +5831,23 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "en context" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 msgid "Repeated by" msgstr "Repetit per" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "respondre a aquesta nota" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "Respon" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 #, fuzzy msgid "Notice repeated" msgstr "Notificació publicada" @@ -6125,47 +6133,47 @@ msgstr "Missatge" msgid "Moderate" msgstr "Modera" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "fa pocs segons" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "fa un minut" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "fa %d minuts" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "fa una hora" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "fa %d hores" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "fa un dia" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "fa %d dies" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "fa un mes" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "fa %d mesos" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "fa un any" diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index 0d58ee5f0..48eef07aa 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:33:10+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:48:03+0000\n" "Language-Team: Czech\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: out-statusnet\n" @@ -768,7 +768,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "Odstranit" @@ -1020,7 +1020,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "Žádné takové oznámení." -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "Odstranit toto oznámení" @@ -1997,7 +1997,9 @@ msgstr "" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "Odeslat" @@ -3211,7 +3213,7 @@ msgstr "Nemůžete se registrovat, pokud nesouhlasíte s licencí." msgid "You already repeated that notice." msgstr "Již jste pÅ™ihlášen" -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 #, fuzzy msgid "Repeated" msgstr "VytvoÅ™it" @@ -4463,7 +4465,7 @@ msgstr "Problém pÅ™i ukládání sdÄ›lení" msgid "Problem saving group inbox." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4507,7 +4509,7 @@ msgstr "Nelze uložin informace o obrázku" #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "Nelze vytvoÅ™it odebírat" #: classes/User_group.php:492 @@ -5730,6 +5732,12 @@ msgstr "" msgid "Available characters" msgstr "6 a více znaků" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "Odeslat" + #: lib/noticeform.php:160 #, fuzzy msgid "Send a notice" @@ -5789,26 +5797,26 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 #, fuzzy msgid "in context" msgstr "Žádný obsah!" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 #, fuzzy msgid "Repeated by" msgstr "VytvoÅ™it" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 #, fuzzy msgid "Reply" msgstr "odpovÄ›Ä" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 #, fuzzy msgid "Notice repeated" msgstr "SdÄ›lení" @@ -6100,47 +6108,47 @@ msgstr "Zpráva" msgid "Moderate" msgstr "" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "pÅ™ed pár sekundami" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "asi pÅ™ed minutou" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "asi pÅ™ed %d minutami" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "asi pÅ™ed hodinou" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "asi pÅ™ed %d hodinami" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "asi pÅ™ede dnem" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "pÅ™ed %d dny" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "asi pÅ™ed mÄ›sícem" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "asi pÅ™ed %d mesíci" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "asi pÅ™ed rokem" diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index b21b5ddd5..15e42940d 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -14,12 +14,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:33:14+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:48:06+0000\n" "Language-Team: German\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: out-statusnet\n" @@ -764,7 +764,7 @@ msgid "Preview" msgstr "Vorschau" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "Löschen" @@ -1011,7 +1011,7 @@ msgstr "Bist du sicher, dass du diese Nachricht löschen möchtest?" msgid "Do not delete this notice" msgstr "Diese Nachricht nicht löschen" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "Nachricht löschen" @@ -1978,7 +1978,9 @@ msgstr "" "Wenn du möchtest kannst du zu der Einladung eine persönliche Nachricht " "anfügen." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "Senden" @@ -3233,7 +3235,7 @@ msgstr "Du kannst deine eigene Nachricht nicht wiederholen." msgid "You already repeated that notice." msgstr "Du hast diesen Benutzer bereits blockiert." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 #, fuzzy msgid "Repeated" msgstr "Erstellt" @@ -4504,7 +4506,7 @@ msgstr "Problem bei Speichern der Nachricht." msgid "Problem saving group inbox." msgstr "Problem bei Speichern der Nachricht." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4546,7 +4548,7 @@ msgstr "Konnte Gruppe nicht erstellen." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "Konnte Gruppenmitgliedschaft nicht setzen." #: classes/User_group.php:492 @@ -5808,6 +5810,12 @@ msgstr "An" msgid "Available characters" msgstr "Verfügbare Zeichen" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "Senden" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "Nachricht senden" @@ -5864,23 +5872,23 @@ msgstr "W" msgid "at" msgstr "" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "im Zusammenhang" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 msgid "Repeated by" msgstr "Wiederholt von" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "Auf diese Nachricht antworten" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "Antworten" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 msgid "Notice repeated" msgstr "Nachricht wiederholt" @@ -6162,47 +6170,47 @@ msgstr "Nachricht" msgid "Moderate" msgstr "Moderieren" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "vor wenigen Sekunden" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "vor einer Minute" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "vor %d Minuten" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "vor einer Stunde" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "vor %d Stunden" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "vor einem Tag" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "vor %d Tagen" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "vor einem Monat" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "vor %d Monaten" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "vor einem Jahr" diff --git a/locale/el/LC_MESSAGES/statusnet.po b/locale/el/LC_MESSAGES/statusnet.po index 716cecb44..dd3fd374a 100644 --- a/locale/el/LC_MESSAGES/statusnet.po +++ b/locale/el/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:33:17+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:48:09+0000\n" "Language-Team: Greek\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: el\n" "X-Message-Group: out-statusnet\n" @@ -751,7 +751,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "ΔιαγÏαφή" @@ -1001,7 +1001,7 @@ msgstr "Είσαι σίγουÏος ότι θες να διαγÏάψεις αυ msgid "Do not delete this notice" msgstr "Αδυναμία διαγÏαφής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… μηνÏματος." -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "" @@ -1958,7 +1958,8 @@ msgstr "" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +msgctxt "Send button for inviting friends" msgid "Send" msgstr "" @@ -3171,7 +3172,7 @@ msgstr "" msgid "You already repeated that notice." msgstr "Αδυναμία διαγÏαφής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… μηνÏματος." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 #, fuzzy msgid "Repeated" msgstr "ΔημιουÏγία" @@ -4391,7 +4392,7 @@ msgstr "" msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4433,7 +4434,7 @@ msgstr "Δεν ήταν δυνατή η δημιουÏγία ομάδας." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "ΑδÏνατη η αποθήκευση των νέων πληÏοφοÏιών του Ï€Ïοφίλ" #: classes/User_group.php:492 @@ -5617,6 +5618,11 @@ msgstr "" msgid "Available characters" msgstr "Διαθέσιμοι χαÏακτήÏες" +#: lib/messageform.php:178 lib/noticeform.php:236 +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "" @@ -5675,23 +5681,23 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 msgid "Repeated by" msgstr "Επαναλαμβάνεται από" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 #, fuzzy msgid "Notice repeated" msgstr "Ρυθμίσεις OpenID" @@ -5977,47 +5983,47 @@ msgstr "Μήνυμα" msgid "Moderate" msgstr "" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "" diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index b4689e43d..0f0fd3b65 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:33:19+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:48:12+0000\n" "Language-Team: British English\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: out-statusnet\n" @@ -753,7 +753,7 @@ msgid "Preview" msgstr "Preview" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "Delete" @@ -998,7 +998,7 @@ msgstr "Are you sure you want to delete this notice?" msgid "Do not delete this notice" msgstr "Do not delete this notice" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "Delete this notice" @@ -1969,7 +1969,9 @@ msgstr "Personal message" msgid "Optionally add a personal message to the invitation." msgstr "Optionally add a personal message to the invitation." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "Send" @@ -3233,7 +3235,7 @@ msgstr "You can't repeat your own notice." msgid "You already repeated that notice." msgstr "You have already blocked this user." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 #, fuzzy msgid "Repeated" msgstr "Created" @@ -4521,7 +4523,7 @@ msgstr "Problem saving notice." msgid "Problem saving group inbox." msgstr "Problem saving notice." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4563,7 +4565,7 @@ msgstr "Could not create group." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "Could not set group membership." #: classes/User_group.php:492 @@ -5775,6 +5777,12 @@ msgstr "To" msgid "Available characters" msgstr "Available characters" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "Send" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "Send a notice" @@ -5834,24 +5842,24 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "in context" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 #, fuzzy msgid "Repeated by" msgstr "Created" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "Reply to this notice" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "Reply" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 #, fuzzy msgid "Notice repeated" msgstr "Notice deleted." @@ -6135,47 +6143,47 @@ msgstr "Message" msgid "Moderate" msgstr "" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "a few seconds ago" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "about a minute ago" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "about %d minutes ago" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "about an hour ago" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "about %d hours ago" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "about a day ago" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "about %d days ago" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "about a month ago" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "about %d months ago" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "about a year ago" diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index 6d74d9072..c4ef03523 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -3,6 +3,7 @@ # Author@translatewiki.net: Brion # Author@translatewiki.net: Crazymadlover # Author@translatewiki.net: McDutchie +# Author@translatewiki.net: PerroVerd # Author@translatewiki.net: Peter17 # Author@translatewiki.net: Translationista # -- @@ -12,12 +13,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:33:23+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:48:15+0000\n" "Language-Team: Spanish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: out-statusnet\n" @@ -761,7 +762,7 @@ msgid "Preview" msgstr "Vista previa" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "Borrar" @@ -1007,7 +1008,7 @@ msgstr "¿Estás seguro de que quieres eliminar este aviso?" msgid "Do not delete this notice" msgstr "No eliminar este mensaje" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "Borrar este aviso" @@ -1979,7 +1980,9 @@ msgstr "Mensaje Personal" msgid "Optionally add a personal message to the invitation." msgstr "Opcionalmente añada un mensaje personalizado a su invitación." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "Enviar" @@ -2486,7 +2489,7 @@ msgstr "Se guardó Contraseña." #: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 msgid "Paths" -msgstr "" +msgstr "Rutas" #: actions/pathsadminpanel.php:70 msgid "Path and server settings for this StatusNet site." @@ -2531,7 +2534,7 @@ msgstr "" #: actions/pathsadminpanel.php:242 msgid "Path" -msgstr "" +msgstr "Ruta" #: actions/pathsadminpanel.php:242 #, fuzzy @@ -3236,7 +3239,7 @@ msgstr "No puedes repetir tus propios mensajes." msgid "You already repeated that notice." msgstr "Ya has repetido este mensaje." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 msgid "Repeated" msgstr "Repetido" @@ -4482,7 +4485,7 @@ msgstr "Hubo un problema al guardar el aviso." msgid "Problem saving group inbox." msgstr "Hubo un problema al guardar el aviso." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4524,7 +4527,7 @@ msgstr "No se pudo crear grupo." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "No se pudo configurar miembros de grupo." #: classes/User_group.php:492 @@ -5727,6 +5730,12 @@ msgstr "Para" msgid "Available characters" msgstr "Caracteres disponibles" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "Enviar" + #: lib/noticeform.php:160 #, fuzzy msgid "Send a notice" @@ -5786,24 +5795,24 @@ msgstr "" msgid "at" msgstr "en" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "en contexto" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 #, fuzzy msgid "Repeated by" msgstr "Crear" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "Responder este aviso." -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "Responder" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 #, fuzzy msgid "Notice repeated" msgstr "Aviso borrado" @@ -6094,47 +6103,47 @@ msgstr "Mensaje" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "hace unos segundos" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "hace un minuto" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "hace %d minutos" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "hace una hora" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "hace %d horas" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "hace un día" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "hace %d días" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "hace un mes" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "hace %d meses" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "hace un año" diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index 51e1ae0d1..3cda1dae0 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:33:29+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:48:21+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian\n" "MIME-Version: 1.0\n" @@ -20,7 +20,7 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" #: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 @@ -755,7 +755,7 @@ msgid "Preview" msgstr "پیش‌نمایش" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "حذÙ" @@ -1008,7 +1008,7 @@ msgstr "آیا اطمینان دارید Ú©Ù‡ می‌خواهید این پیا msgid "Do not delete this notice" msgstr "این پیام را پاک Ù†Ú©Ù†" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "این پیام را پاک Ú©Ù†" @@ -1972,7 +1972,9 @@ msgstr "پیام خصوصی" msgid "Optionally add a personal message to the invitation." msgstr "اگر دوست دارید می‌توانید یک پیام به همراه دعوت نامه ارسال کنید." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "Ùرستادن" @@ -3168,7 +3170,7 @@ msgstr "شما نمی توانید Ø¢Ú¯Ù‡ÛŒ خودتان را تکرار Ú©Ù†ÛŒ msgid "You already repeated that notice." msgstr "شما قبلا آن Ø¢Ú¯Ù‡ÛŒ را تکرار کردید." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 msgid "Repeated" msgstr "" @@ -4389,7 +4391,7 @@ msgstr "مشکل در ذخیره کردن Ø¢Ú¯Ù‡ÛŒ." msgid "Problem saving group inbox." msgstr "مشکل در ذخیره کردن Ø¢Ú¯Ù‡ÛŒ." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4429,7 +4431,7 @@ msgstr "نمیتوان گروه را تشکیل داد" #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "نمیتوان گروه را تشکیل داد" #: classes/User_group.php:492 @@ -5609,6 +5611,12 @@ msgstr "به" msgid "Available characters" msgstr "کاراکترهای موجود" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "Ùرستادن" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "یک Ø¢Ú¯Ù‡ÛŒ بÙرستید" @@ -5667,23 +5675,23 @@ msgstr "" msgid "at" msgstr "در" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "در زمینه" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 msgid "Repeated by" msgstr "تکرار از" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "به این Ø¢Ú¯Ù‡ÛŒ جواب دهید" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "جواب دادن" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 msgid "Notice repeated" msgstr "Ø¢Ú¯Ù‡ÛŒ تکرار شد" @@ -5962,47 +5970,47 @@ msgstr "پیام" msgid "Moderate" msgstr "" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "چند ثانیه پیش" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "حدود یک دقیقه پیش" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "حدود %d دقیقه پیش" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "حدود یک ساعت پیش" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "حدود %d ساعت پیش" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "حدود یک روز پیش" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "حدود %d روز پیش" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "حدود یک ماه پیش" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "حدود %d ماه پیش" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "حدود یک سال پیش" diff --git a/locale/fi/LC_MESSAGES/statusnet.po b/locale/fi/LC_MESSAGES/statusnet.po index 80ad8a77a..88fbf6f24 100644 --- a/locale/fi/LC_MESSAGES/statusnet.po +++ b/locale/fi/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:33:25+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:48:18+0000\n" "Language-Team: Finnish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: out-statusnet\n" @@ -773,7 +773,7 @@ msgid "Preview" msgstr "Esikatselu" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "Poista" @@ -1022,7 +1022,7 @@ msgstr "Oletko varma että haluat poistaa tämän päivityksen?" msgid "Do not delete this notice" msgstr "Älä poista tätä päivitystä" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "Poista tämä päivitys" @@ -2007,7 +2007,9 @@ msgstr "Henkilökohtainen viesti" msgid "Optionally add a personal message to the invitation." msgstr "Voit myös lisätä oman viestisi kutsuun" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "Lähetä" @@ -3288,7 +3290,7 @@ msgstr "Et voi rekisteröityä, jos et hyväksy lisenssiehtoja." msgid "You already repeated that notice." msgstr "Sinä olet jo estänyt tämän käyttäjän." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 #, fuzzy msgid "Repeated" msgstr "Luotu" @@ -4562,7 +4564,7 @@ msgstr "Ongelma päivityksen tallentamisessa." msgid "Problem saving group inbox." msgstr "Ongelma päivityksen tallentamisessa." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4605,7 +4607,7 @@ msgstr "Ryhmän luonti ei onnistunut." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "Ryhmän jäsenyystietoja ei voitu asettaa." #: classes/User_group.php:492 @@ -5831,6 +5833,12 @@ msgstr "Vastaanottaja" msgid "Available characters" msgstr "Sallitut merkit" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "Lähetä" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "Lähetä päivitys" @@ -5890,25 +5898,25 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 #, fuzzy msgid "in context" msgstr "Ei sisältöä!" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 #, fuzzy msgid "Repeated by" msgstr "Luotu" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "Vastaa tähän päivitykseen" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "Vastaus" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 #, fuzzy msgid "Notice repeated" msgstr "Päivitys on poistettu." @@ -6203,47 +6211,47 @@ msgstr "Viesti" msgid "Moderate" msgstr "" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "muutama sekunti sitten" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "noin minuutti sitten" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "noin %d minuuttia sitten" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "noin tunti sitten" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "noin %d tuntia sitten" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "noin päivä sitten" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "noin %d päivää sitten" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "noin kuukausi sitten" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "noin %d kuukautta sitten" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "noin vuosi sitten" diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index 1ef28d751..eb841f3c3 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -14,12 +14,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:33:36+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:48:24+0000\n" "Language-Team: French\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: out-statusnet\n" @@ -772,7 +772,7 @@ msgid "Preview" msgstr "Aperçu" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "Supprimer" @@ -1017,7 +1017,7 @@ msgstr "Voulez-vous vraiment supprimer cet avis ?" msgid "Do not delete this notice" msgstr "Ne pas supprimer cet avis" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "Supprimer cet avis" @@ -1993,7 +1993,9 @@ msgstr "Message personnel" msgid "Optionally add a personal message to the invitation." msgstr "Ajouter un message personnel à l’invitation (optionnel)." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "Envoyer" @@ -2066,9 +2068,8 @@ msgid "You must be logged in to join a group." msgstr "Vous devez ouvrir une session pour rejoindre un groupe." #: actions/joingroup.php:88 actions/leavegroup.php:88 -#, fuzzy msgid "No nickname or ID." -msgstr "Aucun pseudo." +msgstr "Aucun pseudo ou ID." #: actions/joingroup.php:141 #, php-format @@ -3266,7 +3267,7 @@ msgstr "Vous ne pouvez pas reprendre votre propre avis." msgid "You already repeated that notice." msgstr "Vous avez déjà repris cet avis." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 msgid "Repeated" msgstr "Repris" @@ -4505,9 +4506,8 @@ msgid "Group leave failed." msgstr "La désinscription du groupe a échoué." #: classes/Local_group.php:41 -#, fuzzy msgid "Could not update local group." -msgstr "Impossible de mettre à jour le groupe." +msgstr "Impossible de mettre à jour le groupe local." #: classes/Login_token.php:76 #, php-format @@ -4566,7 +4566,7 @@ msgstr "Problème lors de l’enregistrement de l’avis." msgid "Problem saving group inbox." msgstr "Problème lors de l’enregistrement de la boîte de réception du groupe." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4606,17 +4606,16 @@ msgstr "Impossible de créer le groupe." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." -msgstr "Impossible d’établir l’inscription au groupe." +msgid "Could not set group URI." +msgstr "Impossible de définir l'URI du groupe." #: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Impossible d’établir l’inscription au groupe." #: classes/User_group.php:506 -#, fuzzy msgid "Could not save local group info." -msgstr "Impossible d’enregistrer l’abonnement." +msgstr "Impossible d’enregistrer les informations du groupe local." #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" @@ -5924,6 +5923,12 @@ msgstr "À" msgid "Available characters" msgstr "Caractères restants" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "Envoyer" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "Envoyer un avis" @@ -5982,23 +5987,23 @@ msgstr "O" msgid "at" msgstr "chez" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "dans le contexte" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 msgid "Repeated by" msgstr "Repris par" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "Répondre à cet avis" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "Répondre" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 msgid "Notice repeated" msgstr "Avis repris" @@ -6276,47 +6281,47 @@ msgstr "Message" msgid "Moderate" msgstr "Modérer" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "il y a quelques secondes" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "il y a 1 minute" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "il y a %d minutes" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "il y a 1 heure" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "il y a %d heures" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "il y a 1 jour" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "il y a %d jours" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "il y a 1 mois" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "il y a %d mois" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "il y a environ 1 an" diff --git a/locale/ga/LC_MESSAGES/statusnet.po b/locale/ga/LC_MESSAGES/statusnet.po index 82ab98ac2..10594f98d 100644 --- a/locale/ga/LC_MESSAGES/statusnet.po +++ b/locale/ga/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:33:39+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:48:26+0000\n" "Language-Team: Irish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ga\n" "X-Message-Group: out-statusnet\n" @@ -773,7 +773,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 #, fuzzy msgid "Delete" msgstr "eliminar" @@ -1035,7 +1035,7 @@ msgstr "Estas seguro que queres eliminar este chío?" msgid "Do not delete this notice" msgstr "Non se pode eliminar este chíos." -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 #, fuzzy msgid "Delete this notice" msgstr "Eliminar chío" @@ -2039,7 +2039,9 @@ msgstr "Mensaxe persoal" msgid "Optionally add a personal message to the invitation." msgstr "Opcionalmente engadir unha mensaxe persoal á invitación." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "Enviar" @@ -3328,7 +3330,7 @@ msgstr "Non podes rexistrarte se non estas de acordo coa licenza." msgid "You already repeated that notice." msgstr "Xa bloqueaches a este usuario." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 #, fuzzy msgid "Repeated" msgstr "Crear" @@ -4619,7 +4621,7 @@ msgstr "Aconteceu un erro ó gardar o chío." msgid "Problem saving group inbox." msgstr "Aconteceu un erro ó gardar o chío." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4663,7 +4665,7 @@ msgstr "Non se puido crear o favorito." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "Non se pode gardar a subscrición." #: classes/User_group.php:492 @@ -5993,6 +5995,12 @@ msgstr "A" msgid "Available characters" msgstr "6 ou máis caracteres" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "Enviar" + #: lib/noticeform.php:160 #, fuzzy msgid "Send a notice" @@ -6053,27 +6061,27 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 #, fuzzy msgid "in context" msgstr "Sen contido!" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 #, fuzzy msgid "Repeated by" msgstr "Crear" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 #, fuzzy msgid "Reply to this notice" msgstr "Non se pode eliminar este chíos." -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 #, fuzzy msgid "Reply" msgstr "contestar" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 #, fuzzy msgid "Notice repeated" msgstr "Chío publicado" @@ -6380,47 +6388,47 @@ msgstr "Nova mensaxe" msgid "Moderate" msgstr "" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "fai uns segundos" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "fai un minuto" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "fai %d minutos" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "fai unha hora" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "fai %d horas" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "fai un día" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "fai %d días" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "fai un mes" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "fai %d meses" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "fai un ano" diff --git a/locale/he/LC_MESSAGES/statusnet.po b/locale/he/LC_MESSAGES/statusnet.po index 58e123145..a62270a71 100644 --- a/locale/he/LC_MESSAGES/statusnet.po +++ b/locale/he/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:33:42+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:48:29+0000\n" "Language-Team: Hebrew\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: he\n" "X-Message-Group: out-statusnet\n" @@ -765,7 +765,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 #, fuzzy msgid "Delete" msgstr "מחק" @@ -1020,7 +1020,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "×ין הודעה כזו." -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "" @@ -2005,7 +2005,9 @@ msgstr "" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "שלח" @@ -3214,7 +3216,7 @@ msgstr "×œ× × ×™×ª×Ÿ ×œ×”×™×¨×©× ×œ×œ× ×”×¡×›×ž×” לרשיון" msgid "You already repeated that notice." msgstr "כבר נכנסת למערכת!" -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 #, fuzzy msgid "Repeated" msgstr "צור" @@ -4463,7 +4465,7 @@ msgstr "בעיה בשמירת ההודעה." msgid "Problem saving group inbox." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4507,7 +4509,7 @@ msgstr "שמירת מידע התמונה נכשל" #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "יצירת המנוי נכשלה." #: classes/User_group.php:492 @@ -5728,6 +5730,12 @@ msgstr "×ל" msgid "Available characters" msgstr "לפחות 6 ×ותיות" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "שלח" + #: lib/noticeform.php:160 #, fuzzy msgid "Send a notice" @@ -5788,26 +5796,26 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 #, fuzzy msgid "in context" msgstr "×ין תוכן!" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 #, fuzzy msgid "Repeated by" msgstr "צור" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 #, fuzzy msgid "Reply" msgstr "הגב" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 #, fuzzy msgid "Notice repeated" msgstr "הודעות" @@ -6104,47 +6112,47 @@ msgstr "הודעה חדשה" msgid "Moderate" msgstr "" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "לפני מספר שניות" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "לפני כדקה" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "לפני ×›-%d דקות" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "לפני כשעה" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "לפני ×›-%d שעות" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "לפני כיו×" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "לפני ×›-%d ימי×" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "לפני כחודש" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "לפני ×›-%d חודשי×" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "לפני כשנה" diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index 2c9e8e54d..be2f19178 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:33:45+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:48:32+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: out-statusnet\n" @@ -742,7 +742,7 @@ msgid "Preview" msgstr "PÅ™ehlad" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "ZniÄić" @@ -984,7 +984,7 @@ msgstr "ChceÅ¡ woprawdźe tutu zdźělenku wuÅ¡mórnyć?" msgid "Do not delete this notice" msgstr "Tutu zdźělenku njewuÅ¡mórnyć" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "Tutu zdźělenku wuÅ¡mórnyć" @@ -1908,7 +1908,9 @@ msgstr "Wosobinska powÄ›sć" msgid "Optionally add a personal message to the invitation." msgstr "Wosobinsku powÄ›sć po dobrozdaću pÅ™eproÅ¡enju pÅ™idać." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "PósÅ‚ać" @@ -3067,7 +3069,7 @@ msgstr "NjemóžeÅ¡ swójsku zdźělenku wospjetować." msgid "You already repeated that notice." msgstr "Sy tutu zdźělenku hižo wospjetowaÅ‚." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 msgid "Repeated" msgstr "Wospjetowany" @@ -4261,7 +4263,7 @@ msgstr "" msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4301,7 +4303,7 @@ msgstr "" #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "Skupina njeje so daÅ‚a aktualizować." #: classes/User_group.php:492 @@ -5468,6 +5470,12 @@ msgstr "Komu" msgid "Available characters" msgstr "K dispoziciji stejace znamjeÅ¡ka" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "PósÅ‚ać" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "Zdźělenku pósÅ‚ać" @@ -5524,23 +5532,23 @@ msgstr "Z" msgid "at" msgstr "" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 msgid "Repeated by" msgstr "Wospjetowany wot" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "Na tutu zdźělenku wotmoÅ‚wić" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "WotmoÅ‚wić" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 msgid "Notice repeated" msgstr "Zdźělenka wospjetowana" @@ -5818,47 +5826,47 @@ msgstr "PowÄ›sć" msgid "Moderate" msgstr "" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "pÅ™ed něšto sekundami" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "pÅ™ed nÄ›hdźe jednej mjeÅ„Å¡inu" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "pÅ™ed %d mjeÅ„Å¡inami" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "pÅ™ed nÄ›hdźe jednej hodźinu" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "pÅ™ed nÄ›hdźe %d hodźinami" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "pÅ™ed nÄ›hdźe jednym dnjom" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "pÅ™ed nÄ›hdźe %d dnjemi" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "pÅ™ed nÄ›hdźe jednym mÄ›sacom" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "pÅ™ed nÄ›hdźe %d mÄ›sacami" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "pÅ™ed nÄ›hdźe jednym lÄ›tom" diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index b8d746d82..c9e013bab 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:33:48+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:48:35+0000\n" "Language-Team: Interlingua\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: out-statusnet\n" @@ -758,7 +758,7 @@ msgid "Preview" msgstr "Previsualisation" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "Deler" @@ -1003,7 +1003,7 @@ msgstr "Es tu secur de voler deler iste nota?" msgid "Do not delete this notice" msgstr "Non deler iste nota" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "Deler iste nota" @@ -1971,7 +1971,9 @@ msgstr "Message personal" msgid "Optionally add a personal message to the invitation." msgstr "Si tu vole, adde un message personal al invitation." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "Inviar" @@ -3228,7 +3230,7 @@ msgstr "Tu non pote repeter tu proprie nota." msgid "You already repeated that notice." msgstr "Tu ha ja repetite iste nota." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 msgid "Repeated" msgstr "Repetite" @@ -4513,7 +4515,7 @@ msgstr "Problema salveguardar nota." msgid "Problem saving group inbox." msgstr "Problema salveguardar le cassa de entrata del gruppo." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4553,7 +4555,7 @@ msgstr "Non poteva crear gruppo." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "Non poteva configurar le membrato del gruppo." #: classes/User_group.php:492 @@ -5859,6 +5861,12 @@ msgstr "A" msgid "Available characters" msgstr "Characteres disponibile" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "Inviar" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "Inviar un nota" @@ -5917,23 +5925,23 @@ msgstr "W" msgid "at" msgstr "a" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "in contexto" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 msgid "Repeated by" msgstr "Repetite per" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "Responder a iste nota" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "Responder" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 msgid "Notice repeated" msgstr "Nota repetite" @@ -6211,47 +6219,47 @@ msgstr "Message" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "alcun secundas retro" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "circa un minuta retro" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "circa %d minutas retro" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "circa un hora retro" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "circa %d horas retro" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "circa un die retro" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "circa %d dies retro" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "circa un mense retro" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "circa %d menses retro" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "circa un anno retro" diff --git a/locale/is/LC_MESSAGES/statusnet.po b/locale/is/LC_MESSAGES/statusnet.po index cf2dd9307..8726bea4f 100644 --- a/locale/is/LC_MESSAGES/statusnet.po +++ b/locale/is/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:33:51+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:48:38+0000\n" "Language-Team: Icelandic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: is\n" "X-Message-Group: out-statusnet\n" @@ -763,7 +763,7 @@ msgid "Preview" msgstr "Forsýn" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "Eyða" @@ -1012,7 +1012,7 @@ msgstr "Ertu viss um að þú viljir eyða þessu babli?" msgid "Do not delete this notice" msgstr "" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "Eyða þessu babli" @@ -1990,7 +1990,9 @@ msgstr "Persónuleg skilaboð" msgid "Optionally add a personal message to the invitation." msgstr "Bættu persónulegum skilaboðum við boðskortið ef þú vilt." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "Senda" @@ -3260,7 +3262,7 @@ msgstr "Þú getur ekki nýskráð þig nema þú samþykkir leyfið." msgid "You already repeated that notice." msgstr "Þú hefur nú þegar lokað á þennan notanda." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 #, fuzzy msgid "Repeated" msgstr "à sviðsljósinu" @@ -4512,7 +4514,7 @@ msgstr "Vandamál komu upp við að vista babl." msgid "Problem saving group inbox." msgstr "Vandamál komu upp við að vista babl." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4555,7 +4557,7 @@ msgstr "Gat ekki búið til hóp." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "Gat ekki skráð hópmeðlimi." #: classes/User_group.php:492 @@ -5766,6 +5768,12 @@ msgstr "Til" msgid "Available characters" msgstr "Leyfileg tákn" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "Senda" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "Senda babl" @@ -5825,24 +5833,24 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 #, fuzzy msgid "Repeated by" msgstr "à sviðsljósinu" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "Svara þessu babli" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "Svara" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 #, fuzzy msgid "Notice repeated" msgstr "Babl sent inn" @@ -6132,47 +6140,47 @@ msgstr "Skilaboð" msgid "Moderate" msgstr "" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "fyrir nokkrum sekúndum" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "fyrir um einni mínútu síðan" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "fyrir um %d mínútum síðan" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "fyrir um einum klukkutíma síðan" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "fyrir um %d klukkutímum síðan" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "fyrir um einum degi síðan" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "fyrir um %d dögum síðan" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "fyrir um einum mánuði síðan" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "fyrir um %d mánuðum síðan" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "fyrir um einu ári síðan" diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index 49cc6e548..59082b177 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:33:54+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:48:41+0000\n" "Language-Team: Italian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: out-statusnet\n" @@ -759,7 +759,7 @@ msgid "Preview" msgstr "Anteprima" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "Elimina" @@ -1003,7 +1003,7 @@ msgstr "Vuoi eliminare questo messaggio?" msgid "Do not delete this notice" msgstr "Non eliminare il messaggio" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "Elimina questo messaggio" @@ -1974,7 +1974,9 @@ msgstr "Messaggio personale" msgid "Optionally add a personal message to the invitation." msgstr "Puoi aggiungere un messaggio personale agli inviti." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "Invia" @@ -2045,9 +2047,8 @@ msgid "You must be logged in to join a group." msgstr "Devi eseguire l'accesso per iscriverti a un gruppo." #: actions/joingroup.php:88 actions/leavegroup.php:88 -#, fuzzy msgid "No nickname or ID." -msgstr "Nessun soprannome." +msgstr "Nessun soprannome o ID." #: actions/joingroup.php:141 #, php-format @@ -3228,7 +3229,7 @@ msgstr "Non puoi ripetere i tuoi stessi messaggi." msgid "You already repeated that notice." msgstr "Hai già ripetuto quel messaggio." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 msgid "Repeated" msgstr "Ripetuti" @@ -4451,9 +4452,8 @@ msgid "Group leave failed." msgstr "Uscita dal gruppo non riuscita." #: classes/Local_group.php:41 -#, fuzzy msgid "Could not update local group." -msgstr "Impossibile aggiornare il gruppo." +msgstr "Impossibile aggiornare il gruppo locale." #: classes/Login_token.php:76 #, php-format @@ -4512,7 +4512,7 @@ msgstr "Problema nel salvare il messaggio." msgid "Problem saving group inbox." msgstr "Problema nel salvare la casella della posta del gruppo." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4552,17 +4552,16 @@ msgstr "Impossibile creare il gruppo." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." -msgstr "Impossibile impostare la membership al gruppo." +msgid "Could not set group URI." +msgstr "Impossibile impostare l'URI del gruppo." #: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Impossibile impostare la membership al gruppo." #: classes/User_group.php:506 -#, fuzzy msgid "Could not save local group info." -msgstr "Impossibile salvare l'abbonamento." +msgstr "Impossibile salvare le informazioni del gruppo locale." #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" @@ -5861,6 +5860,12 @@ msgstr "A" msgid "Available characters" msgstr "Caratteri disponibili" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "Invia" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "Invia un messaggio" @@ -5919,23 +5924,23 @@ msgstr "O" msgid "at" msgstr "presso" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "in una discussione" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 msgid "Repeated by" msgstr "Ripetuto da" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "Rispondi a questo messaggio" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "Rispondi" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 msgid "Notice repeated" msgstr "Messaggio ripetuto" @@ -6213,47 +6218,47 @@ msgstr "Messaggio" msgid "Moderate" msgstr "Modera" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "pochi secondi fa" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "circa un minuto fa" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "circa %d minuti fa" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "circa un'ora fa" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "circa %d ore fa" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "circa un giorno fa" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "circa %d giorni fa" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "circa un mese fa" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "circa %d mesi fa" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "circa un anno fa" diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index adf4757f9..cc4844a59 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:33:57+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:48:45+0000\n" "Language-Team: Japanese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: out-statusnet\n" @@ -751,7 +751,7 @@ msgid "Preview" msgstr "プレビュー" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "削除" @@ -997,7 +997,7 @@ msgstr "本当ã«ã“ã®ã¤ã¶ã‚„ãを削除ã—ã¾ã™ã‹ï¼Ÿ" msgid "Do not delete this notice" msgstr "ã“ã®ã¤ã¶ã‚„ãを削除ã§ãã¾ã›ã‚“。" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "ã“ã®ã¤ã¶ã‚„ãを削除" @@ -1966,7 +1966,9 @@ msgstr "パーソナルメッセージ" msgid "Optionally add a personal message to the invitation." msgstr "ä»»æ„ã«æ‹›å¾…ã«ãƒ‘ーソナルメッセージを加ãˆã¦ãã ã•ã„。" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "投稿" @@ -3215,7 +3217,7 @@ msgstr "自分ã®ã¤ã¶ã‚„ãã¯ç¹°ã‚Šè¿”ã›ã¾ã›ã‚“。" msgid "You already repeated that notice." msgstr "ã™ã§ã«ãã®ã¤ã¶ã‚„ãã‚’ç¹°ã‚Šè¿”ã—ã¦ã„ã¾ã™ã€‚" -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 msgid "Repeated" msgstr "ç¹°ã‚Šè¿”ã•ã‚ŒãŸ" @@ -4494,7 +4496,7 @@ msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚" msgid "Problem saving group inbox." msgstr "グループå—信箱をä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚" -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4534,7 +4536,7 @@ msgstr "グループを作æˆã§ãã¾ã›ã‚“。" #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "グループメンãƒãƒ¼ã‚·ãƒƒãƒ—をセットã§ãã¾ã›ã‚“。" #: classes/User_group.php:492 @@ -5796,6 +5798,12 @@ msgstr "To" msgid "Available characters" msgstr "利用å¯èƒ½ãªæ–‡å­—" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "投稿" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "ã¤ã¶ã‚„ãã‚’é€ã‚‹" @@ -5858,23 +5866,23 @@ msgstr "西" msgid "at" msgstr "at" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 msgid "Repeated by" msgstr "" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "ã“ã®ã¤ã¶ã‚„ãã¸è¿”ä¿¡" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "返信" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 msgid "Notice repeated" msgstr "ã¤ã¶ã‚„ãã‚’ç¹°ã‚Šè¿”ã—ã¾ã—ãŸ" @@ -6153,47 +6161,47 @@ msgstr "メッセージ" msgid "Moderate" msgstr "管ç†" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "数秒å‰" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "ç´„ 1 分å‰" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "ç´„ %d 分å‰" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "ç´„ 1 時間å‰" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "ç´„ %d 時間å‰" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "ç´„ 1 æ—¥å‰" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "ç´„ %d æ—¥å‰" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "ç´„ 1 ヵ月å‰" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "ç´„ %d ヵ月å‰" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "ç´„ 1 å¹´å‰" diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index 1014fdfe4..4766a478b 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:34:00+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:48:47+0000\n" "Language-Team: Korean\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: out-statusnet\n" @@ -768,7 +768,7 @@ msgid "Preview" msgstr "미리보기" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "ì‚­ì œ" @@ -1022,7 +1022,7 @@ msgstr "ì •ë§ë¡œ 통지를 삭제하시겠습니까?" msgid "Do not delete this notice" msgstr "ì´ í†µì§€ë¥¼ 지울 수 없습니다." -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "ì´ ê²Œì‹œê¸€ 삭제하기" @@ -2016,7 +2016,9 @@ msgstr "ê°œì¸ì ì¸ 메시지" msgid "Optionally add a personal message to the invitation." msgstr "ì´ˆëŒ€ìž¥ì— ë©”ì‹œì§€ 첨부하기." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "보내기" @@ -3274,7 +3276,7 @@ msgstr "ë¼ì´ì„ ìŠ¤ì— ë™ì˜í•˜ì§€ 않는다면 등ë¡í•  수 없습니다." msgid "You already repeated that notice." msgstr "ë‹¹ì‹ ì€ ì´ë¯¸ ì´ ì‚¬ìš©ìžë¥¼ 차단하고 있습니다." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 #, fuzzy msgid "Repeated" msgstr "ìƒì„±" @@ -4537,7 +4539,7 @@ msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." msgid "Problem saving group inbox." msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4580,7 +4582,7 @@ msgstr "새 ê·¸ë£¹ì„ ë§Œë“¤ 수 없습니다." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "그룹 ë§´ë²„ì‹­ì„ ì„¸íŒ…í•  수 없습니다." #: classes/User_group.php:492 @@ -5789,6 +5791,12 @@ msgstr "ì—게" msgid "Available characters" msgstr "사용 가능한 글ìž" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "보내기" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "게시글 보내기" @@ -5848,25 +5856,25 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 #, fuzzy msgid "in context" msgstr "ë‚´ìš©ì´ ì—†ìŠµë‹ˆë‹¤!" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 #, fuzzy msgid "Repeated by" msgstr "ìƒì„±" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "ì´ ê²Œì‹œê¸€ì— ëŒ€í•´ 답장하기" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "답장하기" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 #, fuzzy msgid "Notice repeated" msgstr "ê²Œì‹œê¸€ì´ ë“±ë¡ë˜ì—ˆìŠµë‹ˆë‹¤." @@ -6161,47 +6169,47 @@ msgstr "메시지" msgid "Moderate" msgstr "" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "몇 ì´ˆ ì „" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "1분 ì „" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "%d분 ì „" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "1시간 ì „" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "%d시간 ì „" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "하루 ì „" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "%dì¼ ì „" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "1달 ì „" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "%d달 ì „" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "1ë…„ ì „" diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index 577a9c75d..561907eed 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:34:05+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:49:06+0000\n" "Language-Team: Macedonian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: out-statusnet\n" @@ -761,7 +761,7 @@ msgid "Preview" msgstr "Преглед" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "Бриши" @@ -1007,7 +1007,7 @@ msgstr "Дали Ñте Ñигурни дека Ñакате да ја избр msgid "Do not delete this notice" msgstr "Ðе ја бриши оваа забелешка" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "Бриши ја оваа забелешка" @@ -1981,7 +1981,9 @@ msgstr "Лична порака" msgid "Optionally add a personal message to the invitation." msgstr "Можете да додадете и лична порака во поканата." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "ИÑпрати" @@ -2052,9 +2054,8 @@ msgid "You must be logged in to join a group." msgstr "Мора да Ñте најавени за да можете да Ñе зачлените во група." #: actions/joingroup.php:88 actions/leavegroup.php:88 -#, fuzzy msgid "No nickname or ID." -msgstr "Ðема прекар." +msgstr "Ðема прекар или ID." #: actions/joingroup.php:141 #, php-format @@ -3243,7 +3244,7 @@ msgstr "Ðе можете да повторувате ÑопÑтвена заб msgid "You already repeated that notice." msgstr "Веќе ја имате повторено таа забелешка." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 msgid "Repeated" msgstr "Повторено" @@ -4473,9 +4474,8 @@ msgid "Group leave failed." msgstr "Ðапуштањето на групата не уÑпеа." #: classes/Local_group.php:41 -#, fuzzy msgid "Could not update local group." -msgstr "Ðе можев да ја подновам групата." +msgstr "Ðе можев да ја подновам локалната група." #: classes/Login_token.php:76 #, php-format @@ -4534,7 +4534,7 @@ msgstr "Проблем во зачувувањето на белешката." msgid "Problem saving group inbox." msgstr "Проблем при зачувувањето на групното приемно Ñандаче." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4575,17 +4575,16 @@ msgstr "Ðе можев да ја Ñоздадам групата." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." -msgstr "Ðе можев да назначам членÑтво во групата." +msgid "Could not set group URI." +msgstr "Ðе можев да поÑтавам uri на групата." #: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Ðе можев да назначам членÑтво во групата." #: classes/User_group.php:506 -#, fuzzy msgid "Could not save local group info." -msgstr "Ðе можев да ја зачувам претплатата." +msgstr "Ðе можев да ги зачувам информациите за локалните групи." #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" @@ -5885,6 +5884,12 @@ msgstr "За" msgid "Available characters" msgstr "РаÑположиви знаци" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "ИÑпрати" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "ИÑпрати забелешка" @@ -5943,23 +5948,23 @@ msgstr "З" msgid "at" msgstr "во" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "во контекÑÑ‚" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 msgid "Repeated by" msgstr "Повторено од" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "Одговори на забелешкава" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "Одговор" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 msgid "Notice repeated" msgstr "Забелешката е повторена" @@ -6237,47 +6242,47 @@ msgstr "Порака" msgid "Moderate" msgstr "Модерирај" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "пред неколку Ñекунди" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "пред една минута" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "пред %d минути" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "пред еден чаÑ" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "пред %d чаÑа" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "пред еден ден" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "пред %d денови" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "пред еден меÑец" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "пред %d меÑеца" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "пред една година" diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index 191ac6f2c..244be4e61 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:34:08+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:49:09+0000\n" "Language-Team: Norwegian (bokmÃ¥l)‬\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: out-statusnet\n" @@ -749,7 +749,7 @@ msgid "Preview" msgstr "ForhÃ¥ndsvis" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "Slett" @@ -994,7 +994,7 @@ msgstr "Er du sikker pÃ¥ at du vil slette denne notisen?" msgid "Do not delete this notice" msgstr "Ikke slett denne notisen" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "Slett denne notisen" @@ -1933,7 +1933,9 @@ msgstr "Personlig melding" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "Send" @@ -3153,7 +3155,7 @@ msgstr "" msgid "You already repeated that notice." msgstr "Du er allerede logget inn!" -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 msgid "Repeated" msgstr "Gjentatt" @@ -4381,7 +4383,7 @@ msgstr "" msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4424,7 +4426,7 @@ msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" #: classes/User_group.php:492 @@ -5625,6 +5627,12 @@ msgstr "" msgid "Available characters" msgstr "6 eller flere tegn" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "Send" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "" @@ -5683,25 +5691,25 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 #, fuzzy msgid "Repeated by" msgstr "Opprett" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 #, fuzzy msgid "Reply" msgstr "svar" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 #, fuzzy msgid "Notice repeated" msgstr "Nytt nick" @@ -5993,47 +6001,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "noen fÃ¥ sekunder siden" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "omtrent ett minutt siden" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "omtrent %d minutter siden" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "omtrent én time siden" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "omtrent %d timer siden" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "omtrent én dag siden" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "omtrent %d dager siden" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "omtrent én mÃ¥ned siden" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "omtrent %d mÃ¥neder siden" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "omtrent ett Ã¥r siden" diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index d21f3fb0f..68e4e941e 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:34:15+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:49:20+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: out-statusnet\n" @@ -770,7 +770,7 @@ msgid "Preview" msgstr "Voorvertoning" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "Verwijderen" @@ -1016,7 +1016,7 @@ msgstr "Weet u zeker dat u deze aankondiging wilt verwijderen?" msgid "Do not delete this notice" msgstr "Deze mededeling niet verwijderen" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "Deze mededeling verwijderen" @@ -1997,7 +1997,9 @@ msgstr "Persoonlijk bericht" msgid "Optionally add a personal message to the invitation." msgstr "Persoonlijk bericht bij de uitnodiging (optioneel)." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "Verzenden" @@ -2068,9 +2070,8 @@ msgid "You must be logged in to join a group." msgstr "U moet aangemeld zijn om lid te worden van een groep." #: actions/joingroup.php:88 actions/leavegroup.php:88 -#, fuzzy msgid "No nickname or ID." -msgstr "Geen gebruikersnaam." +msgstr "Geen gebruikersnaam of ID." #: actions/joingroup.php:141 #, php-format @@ -3264,7 +3265,7 @@ msgstr "U kunt uw eigen mededeling niet herhalen." msgid "You already repeated that notice." msgstr "U hent die mededeling al herhaald." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 msgid "Repeated" msgstr "Herhaald" @@ -4502,9 +4503,8 @@ msgid "Group leave failed." msgstr "Groepslidmaatschap opzeggen is mislukt." #: classes/Local_group.php:41 -#, fuzzy msgid "Could not update local group." -msgstr "Het was niet mogelijk de groep bij te werken." +msgstr "Het was niet mogelijk de lokale groep bij te werken." #: classes/Login_token.php:76 #, php-format @@ -4570,7 +4570,7 @@ msgstr "" "Er is een probleem opgetreden bij het opslaan van het Postvak IN van de " "groep." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4610,17 +4610,16 @@ msgstr "Het was niet mogelijk de groep aan te maken." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." -msgstr "Het was niet mogelijk het groepslidmaatschap in te stellen." +msgid "Could not set group URI." +msgstr "Het was niet mogelijk de groeps-URI in te stellen." #: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Het was niet mogelijk het groepslidmaatschap in te stellen." #: classes/User_group.php:506 -#, fuzzy msgid "Could not save local group info." -msgstr "Het was niet mogelijk het abonnement op te slaan." +msgstr "Het was niet mogelijk de lokale groepsinformatie op te slaan." #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" @@ -5928,6 +5927,12 @@ msgstr "Aan" msgid "Available characters" msgstr "Beschikbare tekens" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "Verzenden" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "Mededeling verzenden" @@ -5986,23 +5991,23 @@ msgstr "W" msgid "at" msgstr "op" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "in context" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 msgid "Repeated by" msgstr "Herhaald door" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "Op deze mededeling antwoorden" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "Antwoorden" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 msgid "Notice repeated" msgstr "Mededeling herhaald" @@ -6281,47 +6286,47 @@ msgstr "Bericht" msgid "Moderate" msgstr "Modereren" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "een paar seconden geleden" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "ongeveer een minuut geleden" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "ongeveer %d minuten geleden" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "ongeveer een uur geleden" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "ongeveer %d uur geleden" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "ongeveer een dag geleden" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "ongeveer %d dagen geleden" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "ongeveer een maand geleden" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "ongeveer %d maanden geleden" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "ongeveer een jaar geleden" diff --git a/locale/nn/LC_MESSAGES/statusnet.po b/locale/nn/LC_MESSAGES/statusnet.po index a77453a32..6e4ba294f 100644 --- a/locale/nn/LC_MESSAGES/statusnet.po +++ b/locale/nn/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:34:11+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:49:15+0000\n" "Language-Team: Norwegian Nynorsk\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nn\n" "X-Message-Group: out-statusnet\n" @@ -766,7 +766,7 @@ msgid "Preview" msgstr "Forhandsvis" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "Slett" @@ -1021,7 +1021,7 @@ msgstr "Sikker pÃ¥ at du vil sletta notisen?" msgid "Do not delete this notice" msgstr "Kan ikkje sletta notisen." -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "Slett denne notisen" @@ -2018,7 +2018,9 @@ msgstr "Personleg melding" msgid "Optionally add a personal message to the invitation." msgstr "Eventuelt legg til ei personleg melding til invitasjonen." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "Send" @@ -3287,7 +3289,7 @@ msgstr "Du kan ikkje registrera deg om du ikkje godtek vilkÃ¥ra i lisensen." msgid "You already repeated that notice." msgstr "Du har allereie blokkert denne brukaren." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 #, fuzzy msgid "Repeated" msgstr "Lag" @@ -4554,7 +4556,7 @@ msgstr "Eit problem oppstod ved lagring av notis." msgid "Problem saving group inbox." msgstr "Eit problem oppstod ved lagring av notis." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4597,7 +4599,7 @@ msgstr "Kunne ikkje laga gruppa." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "Kunne ikkje bli med i gruppa." #: classes/User_group.php:492 @@ -5816,6 +5818,12 @@ msgstr "Til" msgid "Available characters" msgstr "Tilgjenglege teikn" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "Send" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "Send ei melding" @@ -5875,25 +5883,25 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 #, fuzzy msgid "in context" msgstr "Ingen innhald." -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 #, fuzzy msgid "Repeated by" msgstr "Lag" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "Svar pÃ¥ denne notisen" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "Svar" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 #, fuzzy msgid "Notice repeated" msgstr "Melding lagra" @@ -6188,47 +6196,47 @@ msgstr "Melding" msgid "Moderate" msgstr "" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "eit par sekund sidan" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "omtrent eitt minutt sidan" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "~%d minutt sidan" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "omtrent ein time sidan" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "~%d timar sidan" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "omtrent ein dag sidan" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "~%d dagar sidan" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "omtrent ein mÃ¥nad sidan" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "~%d mÃ¥nadar sidan" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "omtrent eitt Ã¥r sidan" diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index 19a0eb9e2..6b76680bc 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:34:18+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:49:23+0000\n" "Last-Translator: Piotr DrÄ…g \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -19,7 +19,7 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: out-statusnet\n" @@ -757,7 +757,7 @@ msgid "Preview" msgstr "PodglÄ…d" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "UsuÅ„" @@ -1001,7 +1001,7 @@ msgstr "JesteÅ› pewien, że chcesz usunąć ten wpis?" msgid "Do not delete this notice" msgstr "Nie usuwaj tego wpisu" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "UsuÅ„ ten wpis" @@ -1963,7 +1963,9 @@ msgstr "Osobista wiadomość" msgid "Optionally add a personal message to the invitation." msgstr "Opcjonalnie dodaj osobistÄ… wiadomość do zaproszenia." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "WyÅ›lij" @@ -2034,9 +2036,8 @@ msgid "You must be logged in to join a group." msgstr "Musisz być zalogowany, aby doÅ‚Ä…czyć do grupy." #: actions/joingroup.php:88 actions/leavegroup.php:88 -#, fuzzy msgid "No nickname or ID." -msgstr "Brak pseudonimu." +msgstr "Brak pseudonimu lub identyfikatora." #: actions/joingroup.php:141 #, php-format @@ -3216,7 +3217,7 @@ msgstr "Nie można powtórzyć wÅ‚asnego wpisu." msgid "You already repeated that notice." msgstr "Już powtórzono ten wpis." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 msgid "Repeated" msgstr "Powtórzono" @@ -4443,9 +4444,8 @@ msgid "Group leave failed." msgstr "Opuszczenie grupy nie powiodÅ‚o siÄ™." #: classes/Local_group.php:41 -#, fuzzy msgid "Could not update local group." -msgstr "Nie można zaktualizować grupy." +msgstr "Nie można zaktualizować lokalnej grupy." #: classes/Login_token.php:76 #, php-format @@ -4504,7 +4504,7 @@ msgstr "Problem podczas zapisywania wpisu." msgid "Problem saving group inbox." msgstr "Problem podczas zapisywania skrzynki odbiorczej grupy." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4544,17 +4544,16 @@ msgstr "Nie można utworzyć grupy." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." -msgstr "Nie można ustawić czÅ‚onkostwa w grupie." +msgid "Could not set group URI." +msgstr "Nie można ustawić adresu URI grupy." #: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Nie można ustawić czÅ‚onkostwa w grupie." #: classes/User_group.php:506 -#, fuzzy msgid "Could not save local group info." -msgstr "Nie można zapisać subskrypcji." +msgstr "Nie można zapisać informacji o lokalnej grupie." #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" @@ -5855,6 +5854,12 @@ msgstr "Do" msgid "Available characters" msgstr "DostÄ™pne znaki" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "WyÅ›lij" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "WyÅ›lij wpis" @@ -5913,23 +5918,23 @@ msgstr "Zachód" msgid "at" msgstr "w" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "w rozmowie" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 msgid "Repeated by" msgstr "Powtórzone przez" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "Odpowiedz na ten wpis" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "Odpowiedz" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 msgid "Notice repeated" msgstr "Powtórzono wpis" @@ -6208,47 +6213,47 @@ msgstr "Wiadomość" msgid "Moderate" msgstr "Moderuj" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "kilka sekund temu" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "okoÅ‚o minutÄ™ temu" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "okoÅ‚o %d minut temu" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "okoÅ‚o godzinÄ™ temu" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "okoÅ‚o %d godzin temu" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "blisko dzieÅ„ temu" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "okoÅ‚o %d dni temu" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "okoÅ‚o miesiÄ…c temu" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "okoÅ‚o %d miesiÄ™cy temu" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "okoÅ‚o rok temu" diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index d800e417c..381fc5df8 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:34:21+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:49:27+0000\n" "Language-Team: Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: out-statusnet\n" @@ -755,7 +755,7 @@ msgid "Preview" msgstr "Antevisão" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "Apagar" @@ -1007,7 +1007,7 @@ msgstr "Tem a certeza de que quer apagar esta nota?" msgid "Do not delete this notice" msgstr "Não apagar esta nota" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "Apagar esta nota" @@ -1991,7 +1991,9 @@ msgstr "Mensagem pessoal" msgid "Optionally add a personal message to the invitation." msgstr "Pode optar por acrescentar uma mensagem pessoal ao convite" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "Enviar" @@ -3257,7 +3259,7 @@ msgstr "Não pode repetir a sua própria nota." msgid "You already repeated that notice." msgstr "Já repetiu essa nota." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 msgid "Repeated" msgstr "Repetida" @@ -4550,7 +4552,7 @@ msgstr "Problema na gravação da nota." msgid "Problem saving group inbox." msgstr "Problema na gravação da nota." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4590,7 +4592,7 @@ msgstr "Não foi possível criar o grupo." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "Não foi possível configurar membros do grupo." #: classes/User_group.php:492 @@ -5898,6 +5900,12 @@ msgstr "Para" msgid "Available characters" msgstr "Caracteres disponíveis" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "Enviar" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "Enviar uma nota" @@ -5955,23 +5963,23 @@ msgstr "O" msgid "at" msgstr "coords." -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "no contexto" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 msgid "Repeated by" msgstr "Repetida por" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "Responder a esta nota" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "Responder" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 msgid "Notice repeated" msgstr "Nota repetida" @@ -6249,47 +6257,47 @@ msgstr "Mensagem" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "há alguns segundos" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "há cerca de um minuto" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "há cerca de %d minutos" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "há cerca de uma hora" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "há cerca de %d horas" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "há cerca de um dia" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "há cerca de %d dias" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "há cerca de um mês" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "há cerca de %d meses" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "há cerca de um ano" diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index 7c3db43d1..e43c91ed2 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:34:27+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:49:30+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" @@ -763,7 +763,7 @@ msgid "Preview" msgstr "Visualização" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "Excluir" @@ -1009,7 +1009,7 @@ msgstr "Tem certeza que deseja excluir esta mensagem?" msgid "Do not delete this notice" msgstr "Não excluir esta mensagem." -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "Excluir esta mensagem" @@ -1984,7 +1984,9 @@ msgstr "Mensagem pessoal" msgid "Optionally add a personal message to the invitation." msgstr "Você pode, opcionalmente, adicionar uma mensagem pessoal ao convite." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "Enviar" @@ -3248,7 +3250,7 @@ msgstr "Você não pode repetir sua própria mensagem." msgid "You already repeated that notice." msgstr "Você já repetiu essa mensagem." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 msgid "Repeated" msgstr "Repetida" @@ -4537,7 +4539,7 @@ msgstr "Problema no salvamento da mensagem." msgid "Problem saving group inbox." msgstr "Problema no salvamento das mensagens recebidas do grupo." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4577,7 +4579,7 @@ msgstr "Não foi possível criar o grupo." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "Não foi possível configurar a associação ao grupo." #: classes/User_group.php:492 @@ -5887,6 +5889,12 @@ msgstr "Para" msgid "Available characters" msgstr "Caracteres disponíveis" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "Enviar" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "Enviar uma mensagem" @@ -5945,23 +5953,23 @@ msgstr "O" msgid "at" msgstr "em" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "no contexto" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 msgid "Repeated by" msgstr "Repetida por" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "Responder a esta mensagem" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "Responder" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 msgid "Notice repeated" msgstr "Mensagem repetida" @@ -6239,47 +6247,47 @@ msgstr "Mensagem" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "alguns segundos atrás" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "cerca de 1 minuto atrás" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "cerca de %d minutos atrás" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "cerca de 1 hora atrás" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "cerca de %d horas atrás" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "cerca de 1 dia atrás" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "cerca de %d dias atrás" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "cerca de 1 mês atrás" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "cerca de %d meses atrás" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "cerca de 1 ano atrás" diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index ef85ef003..74fd8a944 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:34:30+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:49:33+0000\n" "Language-Team: Russian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: out-statusnet\n" @@ -761,7 +761,7 @@ msgid "Preview" msgstr "ПроÑмотр" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "Удалить" @@ -1006,7 +1006,7 @@ msgstr "Ð’Ñ‹ уверены, что хотите удалить Ñту запи msgid "Do not delete this notice" msgstr "Ðе удалÑÑ‚ÑŒ Ñту запиÑÑŒ" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "Удалить Ñту запиÑÑŒ" @@ -1985,7 +1985,9 @@ msgstr "Личное Ñообщение" msgid "Optionally add a personal message to the invitation." msgstr "Можно добавить к приглашению личное Ñообщение." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "ОК" @@ -2056,9 +2058,8 @@ msgid "You must be logged in to join a group." msgstr "Ð’Ñ‹ должны авторизоватьÑÑ Ð´Ð»Ñ Ð²ÑÑ‚ÑƒÐ¿Ð»ÐµÐ½Ð¸Ñ Ð² группу." #: actions/joingroup.php:88 actions/leavegroup.php:88 -#, fuzzy msgid "No nickname or ID." -msgstr "Ðет имени." +msgstr "Ðет имени или ID." #: actions/joingroup.php:141 #, php-format @@ -3233,7 +3234,7 @@ msgstr "Ð’Ñ‹ не можете повторить ÑобÑтвенную зап msgid "You already repeated that notice." msgstr "Ð’Ñ‹ уже повторили Ñту запиÑÑŒ." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 msgid "Repeated" msgstr "Повторено" @@ -4463,9 +4464,8 @@ msgid "Group leave failed." msgstr "Ðе удаётÑÑ Ð¿Ð¾ÐºÐ¸Ð½ÑƒÑ‚ÑŒ группу." #: classes/Local_group.php:41 -#, fuzzy msgid "Could not update local group." -msgstr "Ðе удаётÑÑ Ð¾Ð±Ð½Ð¾Ð²Ð¸Ñ‚ÑŒ информацию о группе." +msgstr "Ðе удаётÑÑ Ð¾Ð±Ð½Ð¾Ð²Ð¸Ñ‚ÑŒ локальную группу." #: classes/Login_token.php:76 #, php-format @@ -4524,7 +4524,7 @@ msgstr "Проблемы Ñ Ñохранением запиÑи." msgid "Problem saving group inbox." msgstr "Проблемы Ñ Ñохранением входÑщих Ñообщений группы." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4564,17 +4564,16 @@ msgstr "Ðе удаётÑÑ Ñоздать группу." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." -msgstr "Ðе удаётÑÑ Ð½Ð°Ð·Ð½Ð°Ñ‡Ð¸Ñ‚ÑŒ членÑтво в группе." +msgid "Could not set group URI." +msgstr "Ðе удаётÑÑ Ð½Ð°Ð·Ð½Ð°Ñ‡Ð¸Ñ‚ÑŒ uri группы." #: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Ðе удаётÑÑ Ð½Ð°Ð·Ð½Ð°Ñ‡Ð¸Ñ‚ÑŒ членÑтво в группе." #: classes/User_group.php:506 -#, fuzzy msgid "Could not save local group info." -msgstr "Ðе удаётÑÑ Ñохранить подпиÑку." +msgstr "Ðе удаётÑÑ Ñохранить информацию о локальной группе." #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" @@ -5872,6 +5871,12 @@ msgstr "ДлÑ" msgid "Available characters" msgstr "6 или больше знаков" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "ОК" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "ПоÑлать запиÑÑŒ" @@ -5930,23 +5935,23 @@ msgstr "з. д." msgid "at" msgstr "на" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "в контекÑте" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 msgid "Repeated by" msgstr "Повторено" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "Ответить на Ñту запиÑÑŒ" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "Ответить" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 msgid "Notice repeated" msgstr "ЗапиÑÑŒ повторена" @@ -6224,47 +6229,47 @@ msgstr "Сообщение" msgid "Moderate" msgstr "Модерировать" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "пару Ñекунд назад" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "около минуты назад" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "около %d минут(Ñ‹) назад" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "около чаÑа назад" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "около %d чаÑа(ов) назад" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "около Ð´Ð½Ñ Ð½Ð°Ð·Ð°Ð´" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "около %d днÑ(ей) назад" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "около меÑÑца назад" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "около %d меÑÑца(ев) назад" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "около года назад" diff --git a/locale/statusnet.po b/locale/statusnet.po index dd13ff26c..cd556bd64 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 14:18+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -1885,7 +1885,8 @@ msgstr "" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +msgctxt "Send button for inviting friends" msgid "Send" msgstr "" @@ -5425,6 +5426,11 @@ msgstr "" msgid "Available characters" msgstr "" +#: lib/messageform.php:178 lib/noticeform.php:236 +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index dfef641a6..1848c355c 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:34:35+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:49:36+0000\n" "Language-Team: Swedish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: out-statusnet\n" @@ -749,7 +749,7 @@ msgid "Preview" msgstr "Förhandsgranska" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "Ta bort" @@ -995,7 +995,7 @@ msgstr "Är du säker pÃ¥ att du vill ta bort denna notis?" msgid "Do not delete this notice" msgstr "Ta inte bort denna notis" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "Ta bort denna notis" @@ -1963,7 +1963,9 @@ msgstr "Personligt meddelande" msgid "Optionally add a personal message to the invitation." msgstr "Om du vill, skriv ett personligt meddelande till inbjudan." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "Skicka" @@ -3218,7 +3220,7 @@ msgstr "Du kan inte upprepa din egna notis." msgid "You already repeated that notice." msgstr "Du har redan upprepat denna notis." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 msgid "Repeated" msgstr "Upprepad" @@ -4501,7 +4503,7 @@ msgstr "Problem med att spara notis." msgid "Problem saving group inbox." msgstr "Problem med att spara gruppinkorg." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4541,7 +4543,7 @@ msgstr "Kunde inte skapa grupp." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "Kunde inte ställa in gruppmedlemskap." #: classes/User_group.php:492 @@ -5841,6 +5843,12 @@ msgstr "Till" msgid "Available characters" msgstr "Tillgängliga tecken" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "Skicka" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "Skicka en notis" @@ -5899,23 +5907,23 @@ msgstr "V" msgid "at" msgstr "pÃ¥" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "i sammanhang" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 msgid "Repeated by" msgstr "Upprepad av" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "Svara pÃ¥ denna notis" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "Svara" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 msgid "Notice repeated" msgstr "Notis upprepad" @@ -6193,47 +6201,47 @@ msgstr "Meddelande" msgid "Moderate" msgstr "Moderera" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "ett par sekunder sedan" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "för nÃ¥n minut sedan" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "för %d minuter sedan" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "för en timma sedan" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "för %d timmar sedan" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "för en dag sedan" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "för %d dagar sedan" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "för en mÃ¥nad sedan" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "för %d mÃ¥nader sedan" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "för ett Ã¥r sedan" diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index 738dc1886..b9baffb4a 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:34:38+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:49:39+0000\n" "Language-Team: Telugu\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: out-statusnet\n" @@ -748,7 +748,7 @@ msgid "Preview" msgstr "à°®à±à°¨à±à°œà±‚à°ªà±" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "తొలగించà±" @@ -989,7 +989,7 @@ msgstr "మీరౠనిజంగానే à°ˆ నోటీసà±à°¨à°¿ à°¤ msgid "Do not delete this notice" msgstr "à°ˆ నోటీసà±à°¨à°¿ తొలగించకà±" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "à°ˆ నోటీసà±à°¨à°¿ తొలగించà±" @@ -1927,7 +1927,9 @@ msgstr "à°µà±à°¯à°•à±à°¤à°¿à°—à°¤ సందేశం" msgid "Optionally add a personal message to the invitation." msgstr "à°à°šà±à°›à°¿à°•à°‚à°—à°¾ ఆహà±à°µà°¾à°¨à°¾à°¨à°¿à°•à°¿ à°µà±à°¯à°•à±à°¤à°¿à°—à°¤ సందేశం చేరà±à°šà°‚à°¡à°¿." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "పంపించà±" @@ -2201,9 +2203,8 @@ msgid "You must be logged in to list your applications." msgstr "మీ ఉపకరణాలనౠచూడడానికి మీరౠపà±à°°à°µà±‡à°¶à°¿à°‚à°šà°¿ ఉండాలి." #: actions/oauthappssettings.php:74 -#, fuzzy msgid "OAuth applications" -msgstr "ఇతర ఎంపికలà±" +msgstr "OAuth ఉపకరణాలà±" #: actions/oauthappssettings.php:85 msgid "Applications you have registered" @@ -3133,7 +3134,7 @@ msgstr "à°ˆ లైసెనà±à°¸à±à°•à°¿ అంగీకరించకపో msgid "You already repeated that notice." msgstr "మీరౠఇపà±à°ªà°Ÿà°¿à°•à±‡ à°† వాడà±à°•à°°à°¿à°¨à°¿ నిరోధించారà±." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 #, fuzzy msgid "Repeated" msgstr "సృషà±à°Ÿà°¿à°¤à°‚" @@ -4350,7 +4351,7 @@ msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొ msgid "Problem saving group inbox." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4392,7 +4393,7 @@ msgstr "à°—à±à°‚à°ªà±à°¨à°¿ సృషà±à°Ÿà°¿à°‚చలేకపోయాం." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "à°—à±à°‚పౠసభà±à°¯à°¤à±à°µà°¾à°¨à±à°¨à°¿ అమరà±à°šà°²à±‡à°•à°ªà±‹à°¯à°¾à°‚." #: classes/User_group.php:492 @@ -4746,11 +4747,11 @@ msgstr "" #: lib/applicationeditform.php:297 msgid "Read-only" -msgstr "" +msgstr "చదవడం-మాతà±à°°à°®à±‡" #: lib/applicationeditform.php:315 msgid "Read-write" -msgstr "" +msgstr "చదవడం-à°µà±à°°à°¾à°¯à°¡à°‚" #: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" @@ -5602,6 +5603,12 @@ msgstr "" msgid "Available characters" msgstr "à°…à°‚à°¦à±à°¬à°¾à°Ÿà±à°²à±‹ ఉనà±à°¨ à°…à°•à±à°·à°°à°¾à°²à±" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "పంపించà±" + #: lib/noticeform.php:160 #, fuzzy msgid "Send a notice" @@ -5661,24 +5668,24 @@ msgstr "à°ª" msgid "at" msgstr "" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "సందరà±à°­à°‚లో" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 #, fuzzy msgid "Repeated by" msgstr "సృషà±à°Ÿà°¿à°¤à°‚" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "à°ˆ నోటీసà±à°ªà±ˆ à°¸à±à°ªà°‚దించండి" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "à°¸à±à°ªà°‚దించండి" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 #, fuzzy msgid "Notice repeated" msgstr "నోటీసà±à°¨à°¿ తొలగించాం." @@ -5812,14 +5819,12 @@ msgid "Popular" msgstr "à°ªà±à°°à°¾à°šà±à°°à±à°¯à°‚" #: lib/repeatform.php:107 -#, fuzzy msgid "Repeat this notice?" -msgstr "à°ˆ నోటీసà±à°ªà±ˆ à°¸à±à°ªà°‚దించండి" +msgstr "à°ˆ నోటీసà±à°¨à°¿ à°ªà±à°¨à°°à°¾à°µà±ƒà°¤à°¿à°‚చాలా?" #: lib/repeatform.php:132 -#, fuzzy msgid "Repeat this notice" -msgstr "à°ˆ నోటీసà±à°ªà±ˆ à°¸à±à°ªà°‚దించండి" +msgstr "à°ˆ నోటీసà±à°¨à°¿ à°ªà±à°¨à°°à°¾à°µà±ƒà°¤à°¿à°‚à°šà±" #: lib/router.php:668 msgid "No single user defined for single-user mode." @@ -5968,47 +5973,47 @@ msgstr "సందేశం" msgid "Moderate" msgstr "" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "కొనà±à°¨à°¿ à°•à±à°·à°£à°¾à°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "à°“ నిమిషం à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "%d నిమిషాల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "à°’à°• à°—à°‚à°Ÿ à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "%d à°—à°‚à°Ÿà°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "à°“ రోజౠకà±à°°à°¿à°¤à°‚" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "%d రోజà±à°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "à°“ నెల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "%d నెలల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "à°’à°• సంవతà±à°¸à°°à°‚ à°•à±à°°à°¿à°¤à°‚" diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index e3749c3ab..68586c171 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:34:40+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:49:43+0000\n" "Language-Team: Turkish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: out-statusnet\n" @@ -771,7 +771,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "" @@ -1025,7 +1025,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "Böyle bir durum mesajı yok." -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "" @@ -2008,7 +2008,9 @@ msgstr "" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "Gönder" @@ -3226,7 +3228,7 @@ msgstr "EÄŸer lisansı kabul etmezseniz kayıt olamazsınız." msgid "You already repeated that notice." msgstr "Zaten giriÅŸ yapmış durumdasıznız!" -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 #, fuzzy msgid "Repeated" msgstr "Yarat" @@ -4471,7 +4473,7 @@ msgstr "Durum mesajını kaydederken hata oluÅŸtu." msgid "Problem saving group inbox." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4515,7 +4517,7 @@ msgstr "Avatar bilgisi kaydedilemedi" #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "Abonelik oluÅŸturulamadı." #: classes/User_group.php:492 @@ -5739,6 +5741,12 @@ msgstr "" msgid "Available characters" msgstr "6 veya daha fazla karakter" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "Gönder" + #: lib/noticeform.php:160 #, fuzzy msgid "Send a notice" @@ -5798,26 +5806,26 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 #, fuzzy msgid "in context" msgstr "İçerik yok!" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 #, fuzzy msgid "Repeated by" msgstr "Yarat" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 #, fuzzy msgid "Reply" msgstr "cevapla" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 #, fuzzy msgid "Notice repeated" msgstr "Durum mesajları" @@ -6111,47 +6119,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "birkaç saniye önce" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "yaklaşık bir dakika önce" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "yaklaşık %d dakika önce" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "yaklaşık bir saat önce" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "yaklaşık %d saat önce" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "yaklaşık bir gün önce" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "yaklaşık %d gün önce" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "yaklaşık bir ay önce" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "yaklaşık %d ay önce" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "yaklaşık bir yıl önce" diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index 619a9a848..24e5fe96b 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:34:43+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:49:46+0000\n" "Language-Team: Ukrainian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: out-statusnet\n" @@ -759,7 +759,7 @@ msgid "Preview" msgstr "ПереглÑд" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "Видалити" @@ -1002,7 +1002,7 @@ msgstr "Ви впевненні, що бажаєте видалити цей д msgid "Do not delete this notice" msgstr "Ðе видалÑти цей допиÑ" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "Видалити допиÑ" @@ -1969,7 +1969,9 @@ msgstr "ОÑобиÑÑ‚Ñ– повідомленнÑ" msgid "Optionally add a personal message to the invitation." msgstr "Можна додати перÑональне Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ð´Ð¾ Ð·Ð°Ð¿Ñ€Ð¾ÑˆÐµÐ½Ð½Ñ (опціонально)." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "Так!" @@ -2041,9 +2043,8 @@ msgid "You must be logged in to join a group." msgstr "Ви повинні Ñпочатку увійти на Ñайт, аби приєднатиÑÑ Ð´Ð¾ групи." #: actions/joingroup.php:88 actions/leavegroup.php:88 -#, fuzzy msgid "No nickname or ID." -msgstr "Ðемає імені." +msgstr "Ðемає імені або ІД." #: actions/joingroup.php:141 #, php-format @@ -3225,7 +3226,7 @@ msgstr "Ви не можете вторувати Ñвоїм влаÑним до msgid "You already repeated that notice." msgstr "Ви вже вторували цьому допиÑу." -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 msgid "Repeated" msgstr "ВторуваннÑ" @@ -4447,9 +4448,8 @@ msgid "Group leave failed." msgstr "Ðе вдалоÑÑ Ð·Ð°Ð»Ð¸ÑˆÐ¸Ñ‚Ð¸ групу." #: classes/Local_group.php:41 -#, fuzzy msgid "Could not update local group." -msgstr "Ðе вдалоÑÑ Ð¾Ð½Ð¾Ð²Ð¸Ñ‚Ð¸ групу." +msgstr "Ðе вдаєтьÑÑ Ð¾Ð½Ð¾Ð²Ð¸Ñ‚Ð¸ локальну групу." #: classes/Login_token.php:76 #, php-format @@ -4508,7 +4508,7 @@ msgstr "Проблема при збереженні допиÑу." msgid "Problem saving group inbox." msgstr "Проблема при збереженні вхідних допиÑів Ð´Ð»Ñ Ð³Ñ€ÑƒÐ¿Ð¸." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4548,17 +4548,16 @@ msgstr "Ðе вдалоÑÑ Ñтворити нову групу." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." -msgstr "Ðе вдалоÑÑ Ð²Ñтановити членÑтво." +msgid "Could not set group URI." +msgstr "Ðе вдалоÑÑ Ð²Ñтановити URI групи." #: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Ðе вдалоÑÑ Ð²Ñтановити членÑтво." #: classes/User_group.php:506 -#, fuzzy msgid "Could not save local group info." -msgstr "Ðе вдалоÑÑ Ð·Ð±ÐµÑ€ÐµÐ³Ñ‚Ð¸ підпиÑку." +msgstr "Ðе вдалоÑÑ Ð·Ð±ÐµÑ€ÐµÐ³Ñ‚Ð¸ інформацію про локальну групу." #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" @@ -5849,6 +5848,12 @@ msgstr "До" msgid "Available characters" msgstr "ЛишилоÑÑŒ знаків" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "Так!" + #: lib/noticeform.php:160 msgid "Send a notice" msgstr "ÐадіÑлати допиÑ" @@ -5907,23 +5912,23 @@ msgstr "Зах." msgid "at" msgstr "в" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 msgid "in context" msgstr "в контекÑÑ‚Ñ–" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 msgid "Repeated by" msgstr "Вторуванні" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "ВідповіÑти на цей допиÑ" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "ВідповіÑти" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 msgid "Notice repeated" msgstr "Ð”Ð¾Ð¿Ð¸Ñ Ð²Ñ‚Ð¾Ñ€ÑƒÐ²Ð°Ð»Ð¸" @@ -6201,47 +6206,47 @@ msgstr "ПовідомленнÑ" msgid "Moderate" msgstr "Модерувати" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "мить тому" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "хвилину тому" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "близько %d хвилин тому" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "годину тому" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "близько %d годин тому" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "день тому" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "близько %d днів тому" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "міÑÑць тому" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "близько %d міÑÑців тому" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "рік тому" diff --git a/locale/vi/LC_MESSAGES/statusnet.po b/locale/vi/LC_MESSAGES/statusnet.po index 6a9b605e3..ed080c93e 100644 --- a/locale/vi/LC_MESSAGES/statusnet.po +++ b/locale/vi/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:34:46+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:49:49+0000\n" "Language-Team: Vietnamese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: vi\n" "X-Message-Group: out-statusnet\n" @@ -774,7 +774,7 @@ msgid "Preview" msgstr "Xem trÆ°á»›c" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 #, fuzzy msgid "Delete" msgstr "Xóa tin nhắn" @@ -1031,7 +1031,7 @@ msgstr "Bạn có chắc chắn là muốn xóa tin nhắn này không?" msgid "Do not delete this notice" msgstr "Không thể xóa tin nhắn này." -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 #, fuzzy msgid "Delete this notice" msgstr "Xóa tin nhắn" @@ -2061,7 +2061,9 @@ msgstr "Tin nhắn cá nhân" msgid "Optionally add a personal message to the invitation." msgstr "Không bắt buá»™c phải thêm thông Ä‘iệp vào thÆ° má»i." -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "Gá»­i" @@ -3345,7 +3347,7 @@ msgstr "Bạn không thể đăng ký nếu không đồng ý các Ä‘iá»u kho msgid "You already repeated that notice." msgstr "Bạn đã theo những ngÆ°á»i này:" -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 #, fuzzy msgid "Repeated" msgstr "Tạo" @@ -4623,7 +4625,7 @@ msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." msgid "Problem saving group inbox." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%s (%s)" @@ -4667,7 +4669,7 @@ msgstr "Không thể tạo favorite." #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "Không thể tạo đăng nhận." #: classes/User_group.php:492 @@ -5964,6 +5966,12 @@ msgstr "" msgid "Available characters" msgstr "Nhiá»u hÆ¡n 6 ký tá»±" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "Gá»­i" + #: lib/noticeform.php:160 #, fuzzy msgid "Send a notice" @@ -6024,26 +6032,26 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 #, fuzzy msgid "in context" msgstr "Không có ná»™i dung!" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 #, fuzzy msgid "Repeated by" msgstr "Tạo" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 #, fuzzy msgid "Reply to this notice" msgstr "Trả lá»i tin nhắn này" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "Trả lá»i" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 #, fuzzy msgid "Notice repeated" msgstr "Tin đã gá»­i" @@ -6351,47 +6359,47 @@ msgstr "Tin má»›i nhất" msgid "Moderate" msgstr "" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "vài giây trÆ°á»›c" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "1 phút trÆ°á»›c" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "%d phút trÆ°á»›c" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "1 giá» trÆ°á»›c" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "%d giá» trÆ°á»›c" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "1 ngày trÆ°á»›c" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "%d ngày trÆ°á»›c" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "1 tháng trÆ°á»›c" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "%d tháng trÆ°á»›c" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "1 năm trÆ°á»›c" diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index f0a466f28..4f6a63dee 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:34:49+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:49:52+0000\n" "Language-Team: Simplified Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: out-statusnet\n" @@ -769,7 +769,7 @@ msgid "Preview" msgstr "预览" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 #, fuzzy msgid "Delete" msgstr "删除" @@ -1027,7 +1027,7 @@ msgstr "确定è¦åˆ é™¤è¿™æ¡æ¶ˆæ¯å—?" msgid "Do not delete this notice" msgstr "无法删除通告。" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 #, fuzzy msgid "Delete this notice" msgstr "删除通告" @@ -2025,7 +2025,9 @@ msgstr "个人消æ¯" msgid "Optionally add a personal message to the invitation." msgstr "在邀请中加几å¥è¯(å¯é€‰)。" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +#, fuzzy +msgctxt "Send button for inviting friends" msgid "Send" msgstr "å‘é€" @@ -3279,7 +3281,7 @@ msgstr "您必须åŒæ„此授æƒæ–¹å¯æ³¨å†Œã€‚" msgid "You already repeated that notice." msgstr "您已æˆåŠŸé˜»æ­¢è¯¥ç”¨æˆ·ï¼š" -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 #, fuzzy msgid "Repeated" msgstr "创建" @@ -4549,7 +4551,7 @@ msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" msgid "Problem saving group inbox." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4593,7 +4595,7 @@ msgstr "无法创建组。" #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "无法删除订阅。" #: classes/User_group.php:492 @@ -5831,6 +5833,12 @@ msgstr "到" msgid "Available characters" msgstr "6 个或更多字符" +#: lib/messageform.php:178 lib/noticeform.php:236 +#, fuzzy +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "å‘é€" + #: lib/noticeform.php:160 #, fuzzy msgid "Send a notice" @@ -5891,27 +5899,27 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 #, fuzzy msgid "in context" msgstr "没有内容ï¼" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 #, fuzzy msgid "Repeated by" msgstr "创建" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 #, fuzzy msgid "Reply to this notice" msgstr "无法删除通告。" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 #, fuzzy msgid "Reply" msgstr "回å¤" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 #, fuzzy msgid "Notice repeated" msgstr "消æ¯å·²å‘布。" @@ -6217,47 +6225,47 @@ msgstr "新消æ¯" msgid "Moderate" msgstr "" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "几秒å‰" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "一分钟å‰" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "%d 分钟å‰" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "一å°æ—¶å‰" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "%d å°æ—¶å‰" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "一天å‰" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "%d 天å‰" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "一个月å‰" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "%d 个月å‰" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "一年å‰" diff --git a/locale/zh_TW/LC_MESSAGES/statusnet.po b/locale/zh_TW/LC_MESSAGES/statusnet.po index 31d7cce42..da62cfbb1 100644 --- a/locale/zh_TW/LC_MESSAGES/statusnet.po +++ b/locale/zh_TW/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-02-27 17:32+0000\n" -"PO-Revision-Date: 2010-02-27 17:34:52+0000\n" +"POT-Creation-Date: 2010-03-01 15:47+0000\n" +"PO-Revision-Date: 2010-03-01 15:49:55+0000\n" "Language-Team: Traditional Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63052); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hant\n" "X-Message-Group: out-statusnet\n" @@ -761,7 +761,7 @@ msgid "Preview" msgstr "" #: actions/avatarsettings.php:149 actions/showapplication.php:252 -#: lib/deleteuserform.php:66 lib/noticelist.php:637 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 msgid "Delete" msgstr "" @@ -1015,7 +1015,7 @@ msgstr "" msgid "Do not delete this notice" msgstr "無此通知" -#: actions/deletenotice.php:146 lib/noticelist.php:637 +#: actions/deletenotice.php:146 lib/noticelist.php:655 msgid "Delete this notice" msgstr "" @@ -1978,7 +1978,8 @@ msgstr "" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 lib/messageform.php:178 lib/noticeform.php:236 +#: actions/invite.php:197 +msgctxt "Send button for inviting friends" msgid "Send" msgstr "" @@ -3162,7 +3163,7 @@ msgstr "" msgid "You already repeated that notice." msgstr "無此使用者" -#: actions/repeat.php:114 lib/noticelist.php:656 +#: actions/repeat.php:114 lib/noticelist.php:674 #, fuzzy msgid "Repeated" msgstr "新增" @@ -4392,7 +4393,7 @@ msgstr "" msgid "Problem saving group inbox." msgstr "儲存使用者發生錯誤" -#: classes/Notice.php:1437 +#: classes/Notice.php:1442 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4435,7 +4436,7 @@ msgstr "無法存å–個人圖åƒè³‡æ–™" #: classes/User_group.php:471 #, fuzzy -msgid "Could not set group uri." +msgid "Could not set group URI." msgstr "註冊失敗" #: classes/User_group.php:492 @@ -5637,6 +5638,11 @@ msgstr "" msgid "Available characters" msgstr "6個以上字元" +#: lib/messageform.php:178 lib/noticeform.php:236 +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "" + #: lib/noticeform.php:160 #, fuzzy msgid "Send a notice" @@ -5696,25 +5702,25 @@ msgstr "" msgid "at" msgstr "" -#: lib/noticelist.php:558 +#: lib/noticelist.php:566 #, fuzzy msgid "in context" msgstr "無內容" -#: lib/noticelist.php:583 +#: lib/noticelist.php:601 #, fuzzy msgid "Repeated by" msgstr "新增" -#: lib/noticelist.php:610 +#: lib/noticelist.php:628 msgid "Reply to this notice" msgstr "" -#: lib/noticelist.php:611 +#: lib/noticelist.php:629 msgid "Reply" msgstr "" -#: lib/noticelist.php:655 +#: lib/noticelist.php:673 #, fuzzy msgid "Notice repeated" msgstr "更新個人圖åƒ" @@ -6005,47 +6011,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:952 +#: lib/util.php:993 msgid "a few seconds ago" msgstr "" -#: lib/util.php:954 +#: lib/util.php:995 msgid "about a minute ago" msgstr "" -#: lib/util.php:956 +#: lib/util.php:997 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:958 +#: lib/util.php:999 msgid "about an hour ago" msgstr "" -#: lib/util.php:960 +#: lib/util.php:1001 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:962 +#: lib/util.php:1003 msgid "about a day ago" msgstr "" -#: lib/util.php:964 +#: lib/util.php:1005 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:966 +#: lib/util.php:1007 msgid "about a month ago" msgstr "" -#: lib/util.php:968 +#: lib/util.php:1009 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:970 +#: lib/util.php:1011 msgid "about a year ago" msgstr "" -- cgit v1.2.3-54-g00ecf From 3bfe3345df1c2faf0288f1b18d205d793e740aae Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Mon, 1 Mar 2010 11:48:46 -0500 Subject: Use common_nicknamize() in better places. --- lib/authenticationplugin.php | 8 +++++--- plugins/LdapAuthentication/LdapAuthenticationPlugin.php | 9 ++++----- 2 files changed, 9 insertions(+), 8 deletions(-) diff --git a/lib/authenticationplugin.php b/lib/authenticationplugin.php index 97e9d52de..0a3763e2e 100644 --- a/lib/authenticationplugin.php +++ b/lib/authenticationplugin.php @@ -79,7 +79,7 @@ abstract class AuthenticationPlugin extends Plugin $nickname = $username; } $registration_data = array(); - $registration_data['nickname'] = common_nicknamize($nickname); + $registration_data['nickname'] = $nickname; return User::register($registration_data); } @@ -101,12 +101,14 @@ abstract class AuthenticationPlugin extends Plugin * Used during autoregistration * Useful if your usernames are ugly, and you want to suggest * nice looking nicknames when users initially sign on + * All nicknames returned by this function should be valid + * implementations may want to use common_nicknamize() to ensure validity * @param username * @return string nickname */ function suggestNicknameForUsername($username) { - return $username; + return common_nicknamize($username); } //------------Below are the methods that connect StatusNet to the implementing Auth plugin------------\\ @@ -129,7 +131,7 @@ abstract class AuthenticationPlugin extends Plugin $test_user = User::staticGet('nickname', $suggested_nickname); if($test_user) { //someone already exists with the suggested nickname, so used the passed nickname - $suggested_nickname = $nickname; + $suggested_nickname = common_nicknamize($nickname); } $test_user = User::staticGet('nickname', $suggested_nickname); if($test_user) { diff --git a/plugins/LdapAuthentication/LdapAuthenticationPlugin.php b/plugins/LdapAuthentication/LdapAuthenticationPlugin.php index d6a945f49..e0fd615dd 100644 --- a/plugins/LdapAuthentication/LdapAuthenticationPlugin.php +++ b/plugins/LdapAuthentication/LdapAuthenticationPlugin.php @@ -189,15 +189,14 @@ class LdapAuthenticationPlugin extends AuthenticationPlugin $entry = $this->ldap_get_user($username, $this->attributes); if(!$entry){ //this really shouldn't happen - return $username; + $nickname = $username; }else{ $nickname = $entry->getValue($this->attributes['nickname'],'single'); - if($nickname){ - return $nickname; - }else{ - return $username; + if(!$nickname){ + $nickname = $username; } } + return common_nicknamize($nickname); } //---utility functions---// -- cgit v1.2.3-54-g00ecf From 5a14264f0c75b7475d420cf51f5eaebc96bc1f8a Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Mon, 1 Mar 2010 14:16:44 -0500 Subject: Change 'Home' to 'Personal' in the header. csarven indicated he accepted this change. --- lib/action.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/action.php b/lib/action.php index a7e0eb33b..b7f2c8467 100644 --- a/lib/action.php +++ b/lib/action.php @@ -436,7 +436,7 @@ class Action extends HTMLOutputter // lawsuit if (Event::handle('StartPrimaryNav', array($this))) { if ($user) { $this->menuItem(common_local_url('all', array('nickname' => $user->nickname)), - _('Home'), _('Personal profile and friends timeline'), false, 'nav_home'); + _('Personal'), _('Personal profile and friends timeline'), false, 'nav_home'); $this->menuItem(common_local_url('profilesettings'), _('Account'), _('Change your email, avatar, password, profile'), false, 'nav_account'); if ($connect) { -- cgit v1.2.3-54-g00ecf From 8e102da76cc7466bffb67cb591927f123ed74c12 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Mon, 1 Mar 2010 22:28:38 +0100 Subject: Add contextual documentation to allow better localisation. --- actions/useradminpanel.php | 2 +- lib/action.php | 22 +++++++++++----------- 2 files changed, 12 insertions(+), 12 deletions(-) diff --git a/actions/useradminpanel.php b/actions/useradminpanel.php index 6813222f5..ce87d090a 100644 --- a/actions/useradminpanel.php +++ b/actions/useradminpanel.php @@ -55,7 +55,7 @@ class UseradminpanelAction extends AdminPanelAction function title() { - return _('User'); + return _m('User admin panel title', 'User'); } /** diff --git a/lib/action.php b/lib/action.php index b7f2c8467..c9fb16b8d 100644 --- a/lib/action.php +++ b/lib/action.php @@ -436,40 +436,40 @@ class Action extends HTMLOutputter // lawsuit if (Event::handle('StartPrimaryNav', array($this))) { if ($user) { $this->menuItem(common_local_url('all', array('nickname' => $user->nickname)), - _('Personal'), _('Personal profile and friends timeline'), false, 'nav_home'); + _m('Main menu option when logged in for access to personal profile and friends timeline', 'Personal'), _m('Tooltip for main menu option "Personal"', 'Personal profile and friends timeline'), false, 'nav_home'); $this->menuItem(common_local_url('profilesettings'), - _('Account'), _('Change your email, avatar, password, profile'), false, 'nav_account'); + _m('Main menu option when logged in for access to user settings', 'Account'), _m('Tooltip for main menu option "Account"', 'Change your email, avatar, password, profile'), false, 'nav_account'); if ($connect) { $this->menuItem(common_local_url($connect), - _('Connect'), _('Connect to services'), false, 'nav_connect'); + _m('Main menu option when logged in and connection are possible for access to options to connect to other services', 'Connect'), _('Tooltip for main menu option "Services"', 'Connect to services'), false, 'nav_connect'); } if ($user->hasRight(Right::CONFIGURESITE)) { $this->menuItem(common_local_url('siteadminpanel'), - _('Admin'), _('Change site configuration'), false, 'nav_admin'); + _m('Main menu option when logged in and site admin for access to site configuration', 'Admin'), _m('Tooltip for menu option "Admin"', 'Change site configuration'), false, 'nav_admin'); } if (common_config('invite', 'enabled')) { $this->menuItem(common_local_url('invite'), - _('Invite'), - sprintf(_('Invite friends and colleagues to join you on %s'), + _m('Main menu option when logged in and invitation are allowed for inviting new users', 'Invite'), + sprintf(_m('Tooltip for main menu option "Invite"', 'Invite friends and colleagues to join you on %s'), common_config('site', 'name')), false, 'nav_invitecontact'); } $this->menuItem(common_local_url('logout'), - _('Logout'), _('Logout from the site'), false, 'nav_logout'); + _m('Main menu option when logged in to log out the current user', 'Logout'), _m('Tooltip for main menu option "Logout"', 'Logout from the site'), false, 'nav_logout'); } else { if (!common_config('site', 'closed')) { $this->menuItem(common_local_url('register'), - _('Register'), _('Create an account'), false, 'nav_register'); + _m('Main menu option when not logged in to register a new account', 'Register'), _m('Tooltip for main menu option "Register"', 'Create an account'), false, 'nav_register'); } $this->menuItem(common_local_url('login'), - _('Login'), _('Login to the site'), false, 'nav_login'); + _m('Main menu option when not logged in to log in', 'Login'), _m('Tooltip for main menu option "Login"', 'Login to the site'), false, 'nav_login'); } $this->menuItem(common_local_url('doc', array('title' => 'help')), - _('Help'), _('Help me!'), false, 'nav_help'); + _m('Main menu option for help on the StatusNet site', 'Help'), _m('Tooltip for main menu option "Help"', 'Help me!'), false, 'nav_help'); if ($user || !common_config('site', 'private')) { $this->menuItem(common_local_url('peoplesearch'), - _('Search'), _('Search for people or text'), false, 'nav_search'); + _m('Main menu option when logged in or when the StatusNet instance is not private', 'Search'), _m('Tooltip for main menu option "Search"', 'Search for people or text'), false, 'nav_search'); } Event::handle('EndPrimaryNav', array($this)); } -- cgit v1.2.3-54-g00ecf From bf95fa92b5cd8969c7f695d1e1636aaca6fb77cd Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Mon, 1 Mar 2010 22:35:27 +0100 Subject: Fix forgotten "m" in 8e102da76cc7466bffb67cb591927f123ed74c12 Signed-off-by: Siebrand Mazeland --- lib/action.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/action.php b/lib/action.php index c9fb16b8d..039e56961 100644 --- a/lib/action.php +++ b/lib/action.php @@ -441,7 +441,7 @@ class Action extends HTMLOutputter // lawsuit _m('Main menu option when logged in for access to user settings', 'Account'), _m('Tooltip for main menu option "Account"', 'Change your email, avatar, password, profile'), false, 'nav_account'); if ($connect) { $this->menuItem(common_local_url($connect), - _m('Main menu option when logged in and connection are possible for access to options to connect to other services', 'Connect'), _('Tooltip for main menu option "Services"', 'Connect to services'), false, 'nav_connect'); + _m('Main menu option when logged in and connection are possible for access to options to connect to other services', 'Connect'), _m('Tooltip for main menu option "Services"', 'Connect to services'), false, 'nav_connect'); } if ($user->hasRight(Right::CONFIGURESITE)) { $this->menuItem(common_local_url('siteadminpanel'), -- cgit v1.2.3-54-g00ecf From f9dd83caa72a799916725888a631725d532d780e Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Mon, 1 Mar 2010 19:56:16 -0500 Subject: Modify configuration to have an option to allow uploads regardless of mime type --- config.php.sample | 2 ++ lib/mediafile.php | 2 +- 2 files changed, 3 insertions(+), 1 deletion(-) diff --git a/config.php.sample b/config.php.sample index b8852dc67..5c5fb5b53 100644 --- a/config.php.sample +++ b/config.php.sample @@ -275,6 +275,8 @@ $config['sphinx']['port'] = 3312; // Support for file uploads (attachments), // select supported mimetypes and quotas (in bytes) // $config['attachments']['supported'] = array('image/png', 'application/ogg'); +// $config['attachments']['supported'] = true; //allow all file types to be uploaded + // $config['attachments']['file_quota'] = 5000000; // $config['attachments']['user_quota'] = 50000000; // $config['attachments']['monthly_quota'] = 15000000; diff --git a/lib/mediafile.php b/lib/mediafile.php index e3d5b1dbc..10d90d008 100644 --- a/lib/mediafile.php +++ b/lib/mediafile.php @@ -262,7 +262,7 @@ class MediaFile $filetype = MIME_Type::autoDetect($stream['uri']); } - if (in_array($filetype, common_config('attachments', 'supported'))) { + if (common_config('attachments', 'supported') === true || in_array($filetype, common_config('attachments', 'supported'))) { return $filetype; } $media = MIME_Type::getMedia($filetype); -- cgit v1.2.3-54-g00ecf From d8212977ce7f911d4f9bd6e55f94aea059a86782 Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Mon, 1 Mar 2010 21:40:42 -0500 Subject: Use PHP exceptions for PEAR error handling. Allows for the common try/catch construct, which makes error handling cleaner and easier. --- index.php | 97 ++++++++++++++++++++++++++++++---------------------------- lib/common.php | 12 ++++++++ 2 files changed, 63 insertions(+), 46 deletions(-) diff --git a/index.php b/index.php index 06ff9900f..88658a3ad 100644 --- a/index.php +++ b/index.php @@ -37,8 +37,6 @@ define('INSTALLDIR', dirname(__FILE__)); define('STATUSNET', true); define('LACONICA', true); // compatibility -require_once INSTALLDIR . '/lib/common.php'; - $user = null; $action = null; @@ -68,52 +66,63 @@ function getPath($req) */ function handleError($error) { - if ($error->getCode() == DB_DATAOBJECT_ERROR_NODATA) { - return; - } + try { - $logmsg = "PEAR error: " . $error->getMessage(); - if (common_config('site', 'logdebug')) { - $logmsg .= " : ". $error->getDebugInfo(); - } - // DB queries often end up with a lot of newlines; merge to a single line - // for easier grepability... - $logmsg = str_replace("\n", " ", $logmsg); - common_log(LOG_ERR, $logmsg); - - // @fixme backtrace output should be consistent with exception handling - if (common_config('site', 'logdebug')) { - $bt = $error->getBacktrace(); - foreach ($bt as $n => $line) { - common_log(LOG_ERR, formatBacktraceLine($n, $line)); + if ($error->getCode() == DB_DATAOBJECT_ERROR_NODATA) { + return; } - } - if ($error instanceof DB_DataObject_Error - || $error instanceof DB_Error - ) { - $msg = sprintf( - _( - 'The database for %s isn\'t responding correctly, '. - 'so the site won\'t work properly. '. - 'The site admins probably know about the problem, '. - 'but you can contact them at %s to make sure. '. - 'Otherwise, wait a few minutes and try again.' - ), - common_config('site', 'name'), - common_config('site', 'email') - ); - } else { - $msg = _( - 'An important error occured, probably related to email setup. '. - 'Check logfiles for more info..' - ); - } - $dac = new DBErrorAction($msg, 500); - $dac->showPage(); + $logmsg = "PEAR error: " . $error->getMessage(); + if ($error instanceof PEAR_Exception && common_config('site', 'logdebug')) { + $logmsg .= " : ". $error->toText(); + } + // DB queries often end up with a lot of newlines; merge to a single line + // for easier grepability... + $logmsg = str_replace("\n", " ", $logmsg); + common_log(LOG_ERR, $logmsg); + + // @fixme backtrace output should be consistent with exception handling + if (common_config('site', 'logdebug')) { + $bt = $error->getTrace(); + foreach ($bt as $n => $line) { + common_log(LOG_ERR, formatBacktraceLine($n, $line)); + } + } + if ($error instanceof DB_DataObject_Error + || $error instanceof DB_Error + || ($error instanceof PEAR_Exception && $error->getCode() == -24) + ) { + $msg = sprintf( + _( + 'The database for %s isn\'t responding correctly, '. + 'so the site won\'t work properly. '. + 'The site admins probably know about the problem, '. + 'but you can contact them at %s to make sure. '. + 'Otherwise, wait a few minutes and try again.' + ), + common_config('site', 'name'), + common_config('site', 'email') + ); + } else { + $msg = _( + 'An important error occured, probably related to email setup. '. + 'Check logfiles for more info..' + ); + } + + $dac = new DBErrorAction($msg, 500); + $dac->showPage(); + + } catch (Exception $e) { + echo _('An error occurred.'); + } exit(-1); } +set_exception_handler('handleError'); + +require_once INSTALLDIR . '/lib/common.php'; + /** * Format a backtrace line for debug output roughly like debug_print_backtrace() does. * Exceptions already have this built in, but PEAR error objects just give us the array. @@ -238,10 +247,6 @@ function main() return; } - // For database errors - - PEAR::setErrorHandling(PEAR_ERROR_CALLBACK, 'handleError'); - // Make sure RW database is setup setupRW(); diff --git a/lib/common.php b/lib/common.php index 546f6bbe4..6c01c7db4 100644 --- a/lib/common.php +++ b/lib/common.php @@ -71,6 +71,7 @@ if (!function_exists('dl')) { # global configuration object require_once('PEAR.php'); +require_once('PEAR/Exception.php'); require_once('DB/DataObject.php'); require_once('DB/DataObject/Cast.php'); # for dates @@ -128,6 +129,17 @@ require_once INSTALLDIR.'/lib/activity.php'; require_once INSTALLDIR.'/lib/clientexception.php'; require_once INSTALLDIR.'/lib/serverexception.php'; + +//set PEAR error handling to use regular PHP exceptions +function PEAR_ErrorToPEAR_Exception($err) +{ + if ($err->getCode()) { + throw new PEAR_Exception($err->getMessage(), $err->getCode()); + } + throw new PEAR_Exception($err->getMessage()); +} +PEAR::setErrorHandling(PEAR_ERROR_CALLBACK, 'PEAR_ErrorToPEAR_Exception'); + try { StatusNet::init(@$server, @$path, @$conffile); } catch (NoConfigException $e) { -- cgit v1.2.3-54-g00ecf From a0114f20066fb50b5f8074bb00db0b398ff7899a Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Mon, 1 Mar 2010 21:42:38 -0500 Subject: Correctly handle the case when MIME/Type doesn't know what file extension a mime type maps to --- classes/File.php | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/classes/File.php b/classes/File.php index 189e04ce0..79a7d6681 100644 --- a/classes/File.php +++ b/classes/File.php @@ -169,7 +169,11 @@ class File extends Memcached_DataObject { require_once 'MIME/Type/Extension.php'; $mte = new MIME_Type_Extension(); - $ext = $mte->getExtension($mimetype); + try { + $ext = $mte->getExtension($mimetype); + } catch ( Exception $e) { + $ext = strtolower(preg_replace('/\W/', '', $mimetype)); + } $nickname = $profile->nickname; $datestamp = strftime('%Y%m%dT%H%M%S', time()); $random = strtolower(common_confirmation_code(32)); -- cgit v1.2.3-54-g00ecf From 68347691b0c7fb3f81415abd7fcdc5aec85cc554 Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Mon, 1 Mar 2010 21:53:10 -0500 Subject: Don't attempt to retrieve the current user from the DB while processing a DB error --- index.php | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/index.php b/index.php index 88658a3ad..215d1f676 100644 --- a/index.php +++ b/index.php @@ -92,6 +92,12 @@ function handleError($error) || $error instanceof DB_Error || ($error instanceof PEAR_Exception && $error->getCode() == -24) ) { + //If we run into a DB error, assume we can't connect to the DB at all + //so set the current user to null, so we don't try to access the DB + //while rendering the error page. + global $_cur; + $_cur = null; + $msg = sprintf( _( 'The database for %s isn\'t responding correctly, '. -- cgit v1.2.3-54-g00ecf From 284b1dc0145fe7445132b43e55be6a42213de063 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Tue, 2 Mar 2010 16:38:36 +0100 Subject: * Change translator documentation using _m() as designed together with Brion * Add more translator documentation Signed-off-by: Siebrand Mazeland --- actions/invite.php | 3 ++- actions/useradminpanel.php | 3 ++- lib/action.php | 53 ++++++++++++++++++++++++++++++++++++---------- 3 files changed, 46 insertions(+), 13 deletions(-) diff --git a/actions/invite.php b/actions/invite.php index 848607f96..54b2de62a 100644 --- a/actions/invite.php +++ b/actions/invite.php @@ -194,7 +194,8 @@ class InviteAction extends CurrentUserDesignAction _('Optionally add a personal message to the invitation.')); $this->elementEnd('li'); $this->elementEnd('ul'); - $this->submit('send', _m('Send button for inviting friends', 'Send')); + // TRANS: Send button for inviting friends + $this->submit('send', _m('BUTTON', 'Send')); $this->elementEnd('fieldset'); $this->elementEnd('form'); } diff --git a/actions/useradminpanel.php b/actions/useradminpanel.php index ce87d090a..ee9c23076 100644 --- a/actions/useradminpanel.php +++ b/actions/useradminpanel.php @@ -55,7 +55,8 @@ class UseradminpanelAction extends AdminPanelAction function title() { - return _m('User admin panel title', 'User'); + // TRANS: User admin panel title + return _m('TITLE', 'User'); } /** diff --git a/lib/action.php b/lib/action.php index 039e56961..b26ec8f01 100644 --- a/lib/action.php +++ b/lib/action.php @@ -435,41 +435,71 @@ class Action extends HTMLOutputter // lawsuit $this->elementStart('ul', array('class' => 'nav')); if (Event::handle('StartPrimaryNav', array($this))) { if ($user) { + // TRANS: Tooltip for main menu option "Personal" + $tooltip = _m('TOOLTIP', 'Personal profile and friends timeline'); + // TRANS: Main menu option when logged in for access to personal profile and friends timeline $this->menuItem(common_local_url('all', array('nickname' => $user->nickname)), - _m('Main menu option when logged in for access to personal profile and friends timeline', 'Personal'), _m('Tooltip for main menu option "Personal"', 'Personal profile and friends timeline'), false, 'nav_home'); + _m('MENU', 'Personal'), $tooltip, false, 'nav_home'); + // TRANS: Tooltip for main menu option "Account" + $tooltip = _m('TOOLTIP', 'Change your email, avatar, password, profile'); + // TRANS: Main menu option when logged in for access to user settings $this->menuItem(common_local_url('profilesettings'), - _m('Main menu option when logged in for access to user settings', 'Account'), _m('Tooltip for main menu option "Account"', 'Change your email, avatar, password, profile'), false, 'nav_account'); + _m('MENU', 'Account'), $tooltip, false, 'nav_account'); if ($connect) { + // TRANS: Tooltip for main menu option "Services" + $tooltip = _m('TOOLTIP', 'Connect to services'); + // TRANS: Main menu option when logged in and connection are possible for access to options to connect to other services $this->menuItem(common_local_url($connect), - _m('Main menu option when logged in and connection are possible for access to options to connect to other services', 'Connect'), _m('Tooltip for main menu option "Services"', 'Connect to services'), false, 'nav_connect'); + _m('MENU', 'Connect'), $tooltip, false, 'nav_connect'); } if ($user->hasRight(Right::CONFIGURESITE)) { + // TRANS: Tooltip for menu option "Admin" + $tooltip = _m('TOOLTIP', 'Change site configuration'); + // TRANS: Main menu option when logged in and site admin for access to site configuration $this->menuItem(common_local_url('siteadminpanel'), - _m('Main menu option when logged in and site admin for access to site configuration', 'Admin'), _m('Tooltip for menu option "Admin"', 'Change site configuration'), false, 'nav_admin'); + _m('MENU', 'Admin'), $tooltip, false, 'nav_admin'); } if (common_config('invite', 'enabled')) { + // TRANS: Tooltip for main menu option "Invite" + $tooltip = _m('TOOLTIP', 'Invite friends and colleagues to join you on %s'); + // TRANS: Main menu option when logged in and invitations are allowed for inviting new users $this->menuItem(common_local_url('invite'), - _m('Main menu option when logged in and invitation are allowed for inviting new users', 'Invite'), - sprintf(_m('Tooltip for main menu option "Invite"', 'Invite friends and colleagues to join you on %s'), + _m('MENU', 'Invite'), + sprintf($tooltip, common_config('site', 'name')), false, 'nav_invitecontact'); } + // TRANS: Tooltip for main menu option "Logout" + $tooltip = _m('TOOLTIP', 'Logout from the site'); + // TRANS: Main menu option when logged in to log out the current user $this->menuItem(common_local_url('logout'), - _m('Main menu option when logged in to log out the current user', 'Logout'), _m('Tooltip for main menu option "Logout"', 'Logout from the site'), false, 'nav_logout'); + _m('MENU', 'Logout'), $tooltip, false, 'nav_logout'); } else { if (!common_config('site', 'closed')) { + // TRANS: Tooltip for main menu option "Register" + $tooltip = _m('TOOLTIP', 'Create an account'); + // TRANS: Main menu option when not logged in to register a new account $this->menuItem(common_local_url('register'), - _m('Main menu option when not logged in to register a new account', 'Register'), _m('Tooltip for main menu option "Register"', 'Create an account'), false, 'nav_register'); + _m('MENU', 'Register'), $tooltip, false, 'nav_register'); } + // TRANS: Tooltip for main menu option "Login" + $tooltip = _m('TOOLTIP', 'Login to the site'); + // TRANS: Main menu option when not logged in to log in $this->menuItem(common_local_url('login'), - _m('Main menu option when not logged in to log in', 'Login'), _m('Tooltip for main menu option "Login"', 'Login to the site'), false, 'nav_login'); + _m('MENU', 'Login'), $tooltip, false, 'nav_login'); } + // TRANS: Tooltip for main menu option "Help" + $tooltip = _m('TOOLTIP', 'Help me!'); + // TRANS: Main menu option for help on the StatusNet site $this->menuItem(common_local_url('doc', array('title' => 'help')), - _m('Main menu option for help on the StatusNet site', 'Help'), _m('Tooltip for main menu option "Help"', 'Help me!'), false, 'nav_help'); + _m('MENU', 'Help'), $tooltip, false, 'nav_help'); if ($user || !common_config('site', 'private')) { + // TRANS: Tooltip for main menu option "Search" + $tooltip = _m('TOOLTIP', 'Search for people or text'); + // TRANS: Main menu option when logged in or when the StatusNet instance is not private $this->menuItem(common_local_url('peoplesearch'), - _m('Main menu option when logged in or when the StatusNet instance is not private', 'Search'), _m('Tooltip for main menu option "Search"', 'Search for people or text'), false, 'nav_search'); + _m('MENU', 'Search'), $tooltip, false, 'nav_search'); } Event::handle('EndPrimaryNav', array($this)); } @@ -490,6 +520,7 @@ class Action extends HTMLOutputter // lawsuit if ($text) { $this->elementStart('dl', array('id' => 'site_notice', 'class' => 'system_notice')); + // TRANS: DT element for site notice. String is hidden in default CSS. $this->element('dt', null, _('Site notice')); $this->elementStart('dd', null); $this->raw($text); -- cgit v1.2.3-54-g00ecf From 53ac232f91d675665fa2de1e47429d4d1cdd74fb Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Tue, 2 Mar 2010 17:23:40 +0100 Subject: Documented all but one UI string in actions/accessadminpanel.php to get a feel on what documenting them in code actually means. Signed-off-by: Siebrand Mazeland --- actions/accessadminpanel.php | 24 +++++++++++++++++++----- 1 file changed, 19 insertions(+), 5 deletions(-) diff --git a/actions/accessadminpanel.php b/actions/accessadminpanel.php index 4768e2faf..73354e97a 100644 --- a/actions/accessadminpanel.php +++ b/actions/accessadminpanel.php @@ -51,6 +51,7 @@ class AccessadminpanelAction extends AdminPanelAction function title() { + // TRANS: Page title return _('Access'); } @@ -62,6 +63,7 @@ class AccessadminpanelAction extends AdminPanelAction function getInstructions() { + // TRANS: Page notice return _('Site access settings'); } @@ -155,24 +157,34 @@ class AccessAdminPanelForm extends AdminForm function formData() { $this->out->elementStart('fieldset', array('id' => 'settings_admin_access')); + // TRANS: Form legend for registration form. $this->out->element('legend', null, _('Registration')); $this->out->elementStart('ul', 'form_data'); $this->li(); - $this->out->checkbox('private', _('Private'), + // TRANS: Checkbox instructions for admin setting "Private" + $instructions = _('Prohibit anonymous users (not logged in) from viewing site?'); + // TRANS: Checkbox label for prohibiting anonymous users from viewing site. + $this->out->checkbox('private', _m('LABEL', 'Private'), (bool) $this->value('private'), - _('Prohibit anonymous users (not logged in) from viewing site?')); + $instructions); $this->unli(); $this->li(); + // TRANS: Checkbox instructions for admin setting "Invite only" + $instructions = _('Make registration invitation only.'); + // TRANS: Checkbox label for configuring site as invite only. $this->out->checkbox('inviteonly', _('Invite only'), (bool) $this->value('inviteonly'), - _('Make registration invitation only.')); + $instructions); $this->unli(); $this->li(); + // TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) + $instructions = _('Disable new registrations.'); + // TRANS: Checkbox label for disabling new user registrations. $this->out->checkbox('closed', _('Closed'), (bool) $this->value('closed'), - _('Disable new registrations.')); + $instructions); $this->unli(); $this->out->elementEnd('ul'); $this->out->elementEnd('fieldset'); @@ -186,7 +198,9 @@ class AccessAdminPanelForm extends AdminForm function formActions() { - $this->out->submit('submit', _('Save'), 'submit', null, _('Save access settings')); + // TRANS: Title / tooltip for button to save access settings in site admin panel + $title = _('Save access settings'); + $this->out->submit('submit', _m('BUTTON', 'Save'), 'submit', null, $title); } } -- cgit v1.2.3-54-g00ecf From d08fd8254a9385a1fbb120b0a58e6b6564500bbe Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Tue, 2 Mar 2010 17:30:22 +0100 Subject: Document 404 "Page not found" server error for translators. --- actions/all.php | 1 + actions/public.php | 1 + actions/replies.php | 1 + actions/showfavorites.php | 1 + actions/tag.php | 1 + 5 files changed, 5 insertions(+) diff --git a/actions/all.php b/actions/all.php index 3eb185214..72ba28b4e 100644 --- a/actions/all.php +++ b/actions/all.php @@ -60,6 +60,7 @@ class AllAction extends ProfileAction } if ($this->page > 1 && $this->notice->N == 0) { + // TRANS: Server error when page not found (404) $this->serverError(_('No such page'), $code = 404); } diff --git a/actions/public.php b/actions/public.php index 50278bfce..0b3b5fde8 100644 --- a/actions/public.php +++ b/actions/public.php @@ -94,6 +94,7 @@ class PublicAction extends Action } if($this->page > 1 && $this->notice->N == 0){ + // TRANS: Server error when page not found (404) $this->serverError(_('No such page'),$code=404); } diff --git a/actions/replies.php b/actions/replies.php index 164c328db..4ff1b7a8d 100644 --- a/actions/replies.php +++ b/actions/replies.php @@ -89,6 +89,7 @@ class RepliesAction extends OwnerDesignAction 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); } diff --git a/actions/showfavorites.php b/actions/showfavorites.php index f2d082293..5b85de683 100644 --- a/actions/showfavorites.php +++ b/actions/showfavorites.php @@ -134,6 +134,7 @@ class ShowfavoritesAction extends OwnerDesignAction } if($this->page > 1 && $this->notice->N == 0){ + // TRANS: Server error when page not found (404) $this->serverError(_('No such page'),$code=404); } diff --git a/actions/tag.php b/actions/tag.php index e91df6ea9..ee9617b66 100644 --- a/actions/tag.php +++ b/actions/tag.php @@ -48,6 +48,7 @@ class TagAction extends Action $this->notice = Notice_tag::getStream($this->tag, (($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); } -- cgit v1.2.3-54-g00ecf From 767d49495d900979b9e694eed51e0379c529181c Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Tue, 2 Mar 2010 17:45:15 +0100 Subject: Add translator documentation Signed-off-by: Siebrand Mazeland --- actions/all.php | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/actions/all.php b/actions/all.php index 72ba28b4e..488d00e2b 100644 --- a/actions/all.php +++ b/actions/all.php @@ -82,8 +82,10 @@ class AllAction extends ProfileAction function title() { if ($this->page > 1) { + // TRANS: Page title. %1$s is user nickname, %2$d is page number return sprintf(_('%1$s and friends, page %2$d'), $this->user->nickname, $this->page); } else { + // TRANS: Page title. %1$s is user nickname return sprintf(_("%s and friends"), $this->user->nickname); } } @@ -97,6 +99,7 @@ class AllAction extends ProfileAction 'nickname' => $this->user->nickname) ), + // TRANS: %1$s is user nickname sprintf(_('Feed for friends of %s (RSS 1.0)'), $this->user->nickname)), new Feed(Feed::RSS2, common_local_url( @@ -105,6 +108,7 @@ class AllAction extends ProfileAction 'id' => $this->user->nickname ) ), + // TRANS: %1$s is user nickname sprintf(_('Feed for friends of %s (RSS 2.0)'), $this->user->nickname)), new Feed(Feed::ATOM, common_local_url( @@ -113,6 +117,7 @@ class AllAction extends ProfileAction 'id' => $this->user->nickname ) ), + // TRANS: %1$s is user nickname sprintf(_('Feed for friends of %s (Atom)'), $this->user->nickname)) ); } @@ -125,6 +130,7 @@ class AllAction extends ProfileAction function showEmptyListMessage() { + // TRANS: %1$s is user nickname $message = sprintf(_('This is the timeline for %s and friends but no one has posted anything yet.'), $this->user->nickname) . ' '; if (common_logged_in()) { @@ -132,6 +138,7 @@ class AllAction extends ProfileAction if ($this->user->id === $current_user->id) { $message .= _('Try subscribing to more people, [join a group](%%action.groups%%) or post something yourself.'); } else { + // TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" $message .= sprintf(_('You can try to [nudge %1$s](../%2$s) from his profile or [post something to his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s).'), $this->user->nickname, $this->user->nickname, '@' . $this->user->nickname); } } else { @@ -163,8 +170,10 @@ class AllAction extends ProfileAction { $user = common_current_user(); if ($user && ($user->id == $this->user->id)) { + // TRANS: H1 text $this->element('h1', null, _("You and friends")); } else { + // TRANS: H1 text. %1$s is user nickname $this->element('h1', null, sprintf(_('%s and friends'), $this->user->nickname)); } } -- cgit v1.2.3-54-g00ecf From 380439ba77c305a2e74c2329d7d34f9eba0a957e Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Tue, 2 Mar 2010 15:09:28 -0500 Subject: Redirect to main page when transparent SSO is in place for the CAS plugin (which is what the user expects) --- plugins/CasAuthentication/CasAuthenticationPlugin.php | 1 + plugins/CasAuthentication/caslogin.php | 15 ++++++++++++--- 2 files changed, 13 insertions(+), 3 deletions(-) diff --git a/plugins/CasAuthentication/CasAuthenticationPlugin.php b/plugins/CasAuthentication/CasAuthenticationPlugin.php index 483b060ab..203e5fe42 100644 --- a/plugins/CasAuthentication/CasAuthenticationPlugin.php +++ b/plugins/CasAuthentication/CasAuthenticationPlugin.php @@ -137,6 +137,7 @@ class CasAuthenticationPlugin extends AuthenticationPlugin $casSettings['server']=$this->server; $casSettings['port']=$this->port; $casSettings['path']=$this->path; + $casSettings['takeOverLogin']=$this->takeOverLogin; } function onPluginVersion(&$versions) diff --git a/plugins/CasAuthentication/caslogin.php b/plugins/CasAuthentication/caslogin.php index 390a75d8b..a66774dc1 100644 --- a/plugins/CasAuthentication/caslogin.php +++ b/plugins/CasAuthentication/caslogin.php @@ -54,9 +54,18 @@ class CasloginAction extends Action // We don't have to return to it again common_set_returnto(null); } else { - $url = common_local_url('all', - array('nickname' => - $user->nickname)); + if(common_config('site', 'private') && $casSettings['takeOverLogin']) { + //SSO users expect to just go to the URL they entered + //if we don't have a returnto set, the user entered the + //main StatusNet url, so send them there. + $url = common_local_url('public'); + } else { + //With normal logins (regular form-based username/password), + //the user would expect to go to their home after logging in. + $url = common_local_url('public', + array('nickname' => + $user->nickname)); + } } common_redirect($url, 303); -- cgit v1.2.3-54-g00ecf From 878818d2c0ea7d596978395edfc87eb4ac3aabd8 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Tue, 2 Mar 2010 22:01:18 +0100 Subject: Add translator documentation Signed-off-by: Siebrand Mazeland --- lib/adminpanelaction.php | 49 ++++++++++++++++++++++++++++++++++++------------ 1 file changed, 37 insertions(+), 12 deletions(-) diff --git a/lib/adminpanelaction.php b/lib/adminpanelaction.php index 536d97cdf..a0cdab8a4 100644 --- a/lib/adminpanelaction.php +++ b/lib/adminpanelaction.php @@ -69,6 +69,7 @@ class AdminPanelAction extends Action // User must be logged in. if (!common_logged_in()) { + // TRANS: Client error message $this->clientError(_('Not logged in.')); return false; } @@ -93,6 +94,7 @@ class AdminPanelAction extends Action // User must have the right to change admin settings if (!$user->hasRight(Right::CONFIGURESITE)) { + // TRANS: Client error message $this->clientError(_('You cannot make changes to this site.')); return false; } @@ -104,6 +106,7 @@ class AdminPanelAction extends Action $name = mb_substr($name, 0, -10); if (!self::canAdmin($name)) { + // TRANS: Client error message $this->clientError(_('Changes to that panel are not allowed.'), 403); return false; } @@ -134,6 +137,7 @@ class AdminPanelAction extends Action Config::loadSettings(); $this->success = true; + // TRANS: Message after successful saving of administrative settings. $this->msg = _('Settings saved.'); } catch (Exception $e) { $this->success = false; @@ -203,6 +207,7 @@ class AdminPanelAction extends Action function showForm() { + // TRANS: Client error message $this->clientError(_('showForm() not implemented.')); return; } @@ -232,6 +237,7 @@ class AdminPanelAction extends Action function saveSettings() { + // TRANS: Client error message $this->clientError(_('saveSettings() not implemented.')); return; } @@ -255,6 +261,7 @@ class AdminPanelAction extends Action $result = $config->delete(); if (!$result) { common_log_db_error($config, 'DELETE', __FILE__); + // TRANS: Client error message $this->clientError(_("Unable to delete design setting.")); return null; } @@ -319,33 +326,51 @@ class AdminPanelNav extends Widget if (Event::handle('StartAdminPanelNav', array($this))) { if (AdminPanelAction::canAdmin('site')) { - $this->out->menuItem(common_local_url('siteadminpanel'), _('Site'), - _('Basic site configuration'), $action_name == 'siteadminpanel', 'nav_site_admin_panel'); + // TRANS: Menu item title/tooltip + $menu_title = _('Basic site configuration'); + // TRANS: Menu item for site administration + $this->out->menuItem(common_local_url('siteadminpanel'), _m('MENU', 'Site'), + $menu_title, $action_name == 'siteadminpanel', 'nav_site_admin_panel'); } if (AdminPanelAction::canAdmin('design')) { - $this->out->menuItem(common_local_url('designadminpanel'), _('Design'), - _('Design configuration'), $action_name == 'designadminpanel', 'nav_design_admin_panel'); + // TRANS: Menu item title/tooltip + $menu_title = _('Design configuration'); + // TRANS: Menu item for site administration + $this->out->menuItem(common_local_url('designadminpanel'), _m('MENU', 'Design'), + $menu_title, $action_name == 'designadminpanel', 'nav_design_admin_panel'); } if (AdminPanelAction::canAdmin('user')) { - $this->out->menuItem(common_local_url('useradminpanel'), _('User'), - _('User configuration'), $action_name == 'useradminpanel', 'nav_design_admin_panel'); + // TRANS: Menu item title/tooltip + $menu_title = _('User configuration'); + // TRANS: Menu item for site administration + $this->out->menuItem(common_local_url('useradminpanel'), _m('MENU', 'User'), + $menu_title, $action_name == 'useradminpanel', 'nav_design_admin_panel'); } if (AdminPanelAction::canAdmin('access')) { - $this->out->menuItem(common_local_url('accessadminpanel'), _('Access'), - _('Access configuration'), $action_name == 'accessadminpanel', 'nav_design_admin_panel'); + // TRANS: Menu item title/tooltip + $menu_title = _('Access configuration'); + // TRANS: Menu item for site administration + $this->out->menuItem(common_local_url('accessadminpanel'), _m('MENU', 'Access'), + $menu_title, $action_name == 'accessadminpanel', 'nav_design_admin_panel'); } if (AdminPanelAction::canAdmin('paths')) { - $this->out->menuItem(common_local_url('pathsadminpanel'), _('Paths'), - _('Paths configuration'), $action_name == 'pathsadminpanel', 'nav_design_admin_panel'); + // TRANS: Menu item title/tooltip + $menu_title = _('Paths configuration'); + // TRANS: Menu item for site administration + $this->out->menuItem(common_local_url('pathsadminpanel'), _m('MENU', 'Paths'), + $menu_title, $action_name == 'pathsadminpanel', 'nav_design_admin_panel'); } if (AdminPanelAction::canAdmin('sessions')) { - $this->out->menuItem(common_local_url('sessionsadminpanel'), _('Sessions'), - _('Sessions configuration'), $action_name == 'sessionsadminpanel', 'nav_design_admin_panel'); + // TRANS: Menu item title/tooltip + $menu_title = _('Sessions configuration'); + // TRANS: Menu item for site administration + $this->out->menuItem(common_local_url('sessionsadminpanel'), _m('MENU', 'Sessions'), + $menu_title, $action_name == 'sessionsadminpanel', 'nav_design_admin_panel'); } Event::handle('EndAdminPanelNav', array($this)); -- cgit v1.2.3-54-g00ecf From 8629664ed90ffb496f607d15491821217f6b3126 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Tue, 2 Mar 2010 22:07:47 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans Signed-off-by: Siebrand Mazeland --- locale/ar/LC_MESSAGES/statusnet.po | 552 +++++++++------ locale/arz/LC_MESSAGES/statusnet.po | 548 +++++++++------ locale/bg/LC_MESSAGES/statusnet.po | 544 +++++++++------ locale/ca/LC_MESSAGES/statusnet.po | 545 +++++++++------ locale/cs/LC_MESSAGES/statusnet.po | 532 +++++++++------ locale/de/LC_MESSAGES/statusnet.po | 544 +++++++++------ locale/el/LC_MESSAGES/statusnet.po | 533 +++++++++------ locale/en_GB/LC_MESSAGES/statusnet.po | 1179 +++++++++++++++++---------------- locale/es/LC_MESSAGES/statusnet.po | 546 +++++++++------ locale/fa/LC_MESSAGES/statusnet.po | 545 +++++++++------ locale/fi/LC_MESSAGES/statusnet.po | 543 +++++++++------ locale/fr/LC_MESSAGES/statusnet.po | 546 +++++++++------ locale/ga/LC_MESSAGES/statusnet.po | 534 +++++++++------ locale/he/LC_MESSAGES/statusnet.po | 533 +++++++++------ locale/hsb/LC_MESSAGES/statusnet.po | 557 ++++++++++------ locale/ia/LC_MESSAGES/statusnet.po | 546 +++++++++------ locale/is/LC_MESSAGES/statusnet.po | 542 +++++++++------ locale/it/LC_MESSAGES/statusnet.po | 548 +++++++++------ locale/ja/LC_MESSAGES/statusnet.po | 546 +++++++++------ locale/ko/LC_MESSAGES/statusnet.po | 542 +++++++++------ locale/mk/LC_MESSAGES/statusnet.po | 550 +++++++++------ locale/nb/LC_MESSAGES/statusnet.po | 581 ++++++++++------ locale/nl/LC_MESSAGES/statusnet.po | 550 +++++++++------ locale/nn/LC_MESSAGES/statusnet.po | 542 +++++++++------ locale/pl/LC_MESSAGES/statusnet.po | 548 +++++++++------ locale/pt/LC_MESSAGES/statusnet.po | 546 +++++++++------ locale/pt_BR/LC_MESSAGES/statusnet.po | 546 +++++++++------ locale/ru/LC_MESSAGES/statusnet.po | 554 ++++++++++------ locale/statusnet.po | 516 ++++++++------- locale/sv/LC_MESSAGES/statusnet.po | 559 ++++++++++------ locale/te/LC_MESSAGES/statusnet.po | 551 +++++++++------ locale/tr/LC_MESSAGES/statusnet.po | 531 +++++++++------ locale/uk/LC_MESSAGES/statusnet.po | 550 +++++++++------ locale/vi/LC_MESSAGES/statusnet.po | 532 +++++++++------ locale/zh_CN/LC_MESSAGES/statusnet.po | 537 +++++++++------ locale/zh_TW/LC_MESSAGES/statusnet.po | 532 +++++++++------ 36 files changed, 12947 insertions(+), 7283 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index e4ad84d82..578f0d250 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -9,76 +9,83 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:47:51+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:02:06+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=6; plural= n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 " "&& n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "Ù†Ùاذ" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 msgid "Site access settings" msgstr "إعدادات الوصول إلى الموقع" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 msgid "Registration" msgstr "تسجيل" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "خاص" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "أأمنع المستخدمين المجهولين (غير الوالجين) من عرض الموقع؟" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" -msgstr "بالدعوة Ùقط" +#, fuzzy +msgctxt "LABEL" +msgid "Private" +msgstr "خاص" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "" -#: actions/accessadminpanel.php:173 -msgid "Closed" -msgstr "Ù…Ùغلق" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "بالدعوة Ùقط" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "عطّل التسجيل الجديد." -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "أرسل" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" +msgstr "Ù…Ùغلق" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 msgid "Save access settings" msgstr "Ø­Ùظ إعدادت الوصول" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "أرسل" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "لا صÙحة كهذه" -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -104,61 +111,70 @@ msgstr "لا صÙحة كهذه" msgid "No such user." msgstr "لا مستخدم كهذا." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, php-format msgid "%1$s and friends, page %2$d" msgstr "%1$s والأصدقاء, الصÙحة %2$d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s والأصدقاء" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "" -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " "something yourself." msgstr "" -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " "post a notice to his or her attention." msgstr "" -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "أنت والأصدقاء" @@ -544,7 +560,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "الحساب" @@ -673,7 +689,7 @@ msgstr "كرر إلى %s" msgid "Repeats of %s" msgstr "تكرارات %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "الإشعارات الموسومة ب%s" @@ -922,7 +938,7 @@ msgstr "أنت لست مالك هذا التطبيق." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "" @@ -945,12 +961,13 @@ msgstr "لا تحذ٠هذا التطبيق" msgid "Delete this application" msgstr "احذ٠هذا التطبيق" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "لست والجًا." @@ -1004,7 +1021,7 @@ msgid "Delete this user" msgstr "احذ٠هذا المستخدم" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "التصميم" @@ -1105,6 +1122,17 @@ msgstr "استعد التصميمات المبدئية" msgid "Reset back to default" msgstr "ارجع إلى المبدئي" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "أرسل" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "احÙظ التصميم" @@ -1638,7 +1666,7 @@ msgstr "%1$s أعضاء المجموعة, الصÙحة %2$d" msgid "A list of the users in this group." msgstr "قائمة بمستخدمي هذه المجموعة." -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "إداري" @@ -1894,18 +1922,19 @@ msgstr "رسالة شخصية" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "أرسل" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -1975,8 +2004,7 @@ msgstr "اسم المستخدم أو كلمة السر غير صحيحان." msgid "Error setting user. You are probably not authorized." msgstr "خطأ أثناء ضبط المستخدم. لست Ù…Ùصرحًا على الأرجح." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Ù„Ùج" @@ -2358,7 +2386,7 @@ msgstr "تعذّر Ø­Ùظ كلمة السر الجديدة." msgid "Password saved." msgstr "Ø­ÙÙظت كلمة السر." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "المسارات" @@ -2391,7 +2419,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "الموقع" @@ -2668,7 +2695,8 @@ msgstr "تعذّر Ø­Ùظ المل٠الشخصي." msgid "Couldn't save tags." msgstr "تعذّر Ø­Ùظ الوسوم." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "Ø­ÙÙظت الإعدادات." @@ -2681,45 +2709,45 @@ msgstr "وراء حد الصÙحة (%s)" msgid "Could not retrieve public stream." msgstr "" -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "المسار الزمني العام، صÙحة %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "المسار الزمني العام" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "" -#: actions/public.php:167 +#: actions/public.php:168 msgid "Public Stream Feed (Atom)" msgstr "" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "كن أول من ÙŠÙرسل!" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2732,7 +2760,7 @@ msgstr "" "الآن](%%action.register%%) لتشارك اشعاراتك مع أصدقائك وعائلتك وزملائك! " "([اقرأ المزيد](%%doc.help%%))" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2903,8 +2931,7 @@ msgstr "عذرا، رمز دعوة غير صالح." msgid "Registration successful" msgstr "نجح التسجيل" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "سجّل" @@ -3071,47 +3098,47 @@ msgstr "مكرر" msgid "Repeated!" msgstr "مكرر!" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "الردود على %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, fuzzy, php-format msgid "Replies to %1$s, page %2$d" msgstr "الردود على %s" -#: actions/replies.php:144 +#: actions/replies.php:145 #, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "" -#: actions/replies.php:151 +#: actions/replies.php:152 #, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "" -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3136,7 +3163,6 @@ msgid "User is already sandboxed." msgstr "" #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "الجلسات" @@ -3162,7 +3188,7 @@ msgid "Turn on debugging output for sessions." msgstr "مكّن تنقيح Ù…Ùخرجات الجلسة." #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "اذ٠إعدادت الموقع" @@ -3254,28 +3280,28 @@ msgstr "إشعارات %s المÙÙضلة" msgid "Could not retrieve favorite notices." msgstr "" -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " @@ -3284,7 +3310,7 @@ msgstr "" "%s لم يض٠أي إشعارات إلى Ù…Ùضلته إلى الآن. أرسل شيئًا شيقًا ليضيÙÙ‡ إلى " "Ù…Ùضلته. :)" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3294,7 +3320,7 @@ msgstr "" "%s لم يض٠أي إشعارات إلى Ù…Ùضلته إلى الآن. لمّ لا [تسجل حسابًا](%%%%action." "register%%%%) وترسل شيئًا شيقًا ليضيÙÙ‡ إلى Ù…Ùضلته. :)" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "إنها إحدى وسائل مشاركة ما تحب." @@ -3833,22 +3859,22 @@ msgstr "جابر" msgid "SMS" msgstr "رسائل قصيرة" -#: actions/tag.php:68 +#: actions/tag.php:69 #, fuzzy, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "الإشعارات الموسومة ب%s" -#: actions/tag.php:86 +#: actions/tag.php:87 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "" -#: actions/tag.php:92 +#: actions/tag.php:93 #, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "" -#: actions/tag.php:98 +#: actions/tag.php:99 #, php-format msgid "Notice feed for tag %s (Atom)" msgstr "" @@ -3928,70 +3954,72 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "المستخدم" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "رسالة ترحيب غير صالحة. أقصى طول هو 255 حرÙ." -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "المل٠الشخصي" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "حد السيرة" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "مستخدمون جدد" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "ترحيب المستخدمين الجدد" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "نص الترحيب بالمستخدمين الجدد (255 حرÙًا كحد أقصى)." -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 msgid "Default subscription" msgstr "الاشتراك المبدئي" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 msgid "Automatically subscribe new users to this user." msgstr "أشرك المستخدمين الجدد بهذا المستخدم تلقائيًا." -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 msgid "Invitations" msgstr "الدعوات" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "الدعوات Ù…ÙÙعلة" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "" @@ -4166,7 +4194,7 @@ msgstr "" msgid "Plugins" msgstr "الملحقات" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 msgid "Version" msgstr "النسخة" @@ -4354,120 +4382,190 @@ msgstr "صÙحة غير Ù…Ùعنونة" msgid "Primary site navigation" msgstr "" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "الرئيسية" - -#: lib/action.php:439 +#, fuzzy +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "المل٠الشخصي ومسار الأصدقاء الزمني" -#: lib/action.php:441 -msgid "Change your email, avatar, password, profile" -msgstr "" +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "شخصية" +#. TRANS: Tooltip for main menu option "Account" #: lib/action.php:444 -msgid "Connect" -msgstr "اتصل" +#, fuzzy +msgctxt "TOOLTIP" +msgid "Change your email, avatar, password, profile" +msgstr "غير كلمة سرّك" -#: lib/action.php:444 +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "الحساب" + +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" -msgstr "" +msgstr "اتصالات" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "اتصل" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "غيّر ضبط الموقع" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "ادعÙ" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "إداري" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" -msgstr "" +msgstr "استخدم هذا النموذج لدعوة أصدقائك وزملائك لاستخدام هذه الخدمة." -#: lib/action.php:458 -msgid "Logout" -msgstr "اخرج" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "ادعÙ" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "اخرج من الموقع" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "اخرج" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "أنشئ حسابًا" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "سجّل" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Ù„Ùج إلى الموقع" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "مساعدة" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Ù„Ùج" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "ساعدني!" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "ابحث" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "مساعدة" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "ابحث عن أشخاص أو نص" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "ابحث" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "إشعار الموقع" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "المشاهدات المحلية" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "إشعار الصÙحة" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "مساعدة" + +#: lib/action.php:765 msgid "About" msgstr "عن" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "الأسئلة المكررة" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "الشروط" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "خصوصية" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "المصدر" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "اتصل" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "الجسر" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "رخصة برنامج StatusNet" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4476,12 +4574,12 @@ msgstr "" "**%%site.name%%** خدمة تدوين مصغر يقدمها لك [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4492,41 +4590,41 @@ msgstr "" "المتوÙر تحت [رخصة غنو Ø£Ùيرو العمومية](http://www.fsf.org/licensing/licenses/" "agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "رخصة محتوى الموقع" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "" -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "الرخصة." -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "بعد" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "قبل" @@ -4542,51 +4640,104 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "" -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." msgstr "التغييرات لهذه اللوحة غير مسموح بها." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "" -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "" -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "تعذّر حذ٠إعدادات التصميم." -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 msgid "Basic site configuration" msgstr "ضبط الموقع الأساسي" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "الموقع" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "ضبط التصميم" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "التصميم" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 #, fuzzy msgid "User configuration" msgstr "ضبط المسارات" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "المستخدم" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 msgid "Access configuration" msgstr "ضبط الحساب" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "Ù†Ùاذ" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 msgid "Paths configuration" msgstr "ضبط المسارات" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +#, fuzzy +msgctxt "MENU" +msgid "Paths" +msgstr "المسارات" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 msgid "Sessions configuration" msgstr "ضبط الجلسات" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "الجلسات" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4681,11 +4832,11 @@ msgstr "" msgid "Tags for this attachment" msgstr "وسوم هذا المرÙÙ‚" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 msgid "Password changing failed" msgstr "تغيير كلمة السر Ùشل" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 msgid "Password changing is not allowed" msgstr "تغيير كلمة السر غير مسموح به" @@ -4973,19 +5124,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 msgid "No configuration file found. " msgstr "" -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "اذهب إلى المÙثبّت." @@ -5616,6 +5767,10 @@ msgstr "الردود" msgid "Favorites" msgstr "المÙضلات" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "المستخدم" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "صندوق الوارد" @@ -5725,6 +5880,10 @@ msgstr "ابحث ÙÙŠ الموقع" msgid "Keyword(s)" msgstr "الكلمات المÙتاحية" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "ابحث" + #: lib/searchaction.php:162 msgid "Search help" msgstr "ابحث ÙÙŠ المساعدة" @@ -5776,6 +5935,15 @@ msgstr "الأشخاص المشتركون ب%s" msgid "Groups %s is a member of" msgstr "المجموعات التي %s عضو Ùيها" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "ادعÙ" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -5846,47 +6014,47 @@ msgstr "رسالة" msgid "Moderate" msgstr "" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "قبل لحظات قليلة" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "قبل دقيقة تقريبًا" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "قبل ساعة تقريبًا" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "قبل يوم تقريبا" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "قبل شهر تقريبًا" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "قبل سنة تقريبًا" diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index 5edd6b442..3ce1fbc4e 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -10,79 +10,86 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:47:54+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:02:09+0000\n" "Language-Team: Egyptian Spoken Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=6; plural= n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 " "&& n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "Ù†Ùاذ" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 #, fuzzy msgid "Site access settings" msgstr "اذ٠إعدادت الموقع" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 #, fuzzy msgid "Registration" msgstr "سجّل" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "خاص" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "أأمنع المستخدمين المجهولين (غير الوالجين) من عرض الموقع؟" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" -msgstr "بالدعوه Ùقط" +#, fuzzy +msgctxt "LABEL" +msgid "Private" +msgstr "خاص" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "" -#: actions/accessadminpanel.php:173 -msgid "Closed" -msgstr "Ù…Ùغلق" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "بالدعوه Ùقط" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "عطّل التسجيل الجديد." -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "أرسل" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" +msgstr "Ù…Ùغلق" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 #, fuzzy msgid "Save access settings" msgstr "اذ٠إعدادت الموقع" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "أرسل" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "لا صÙحه كهذه" -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -108,61 +115,70 @@ msgstr "لا صÙحه كهذه" msgid "No such user." msgstr "لا مستخدم كهذا." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, php-format msgid "%1$s and friends, page %2$d" msgstr "%1$s Ùˆ الصحاب, صÙحه %2$d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s والأصدقاء" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "" -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " "something yourself." msgstr "" -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " "post a notice to his or her attention." msgstr "" -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "أنت والأصدقاء" @@ -548,7 +564,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "الحساب" @@ -677,7 +693,7 @@ msgstr "كرر إلى %s" msgid "Repeats of %s" msgstr "تكرارات %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "الإشعارات الموسومه ب%s" @@ -926,7 +942,7 @@ msgstr "انت مش بتملك الapplication دى." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "" @@ -952,12 +968,13 @@ msgstr "لا تحذ٠هذا الإشعار" msgid "Delete this application" msgstr "احذ٠هذا الإشعار" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "لست والجًا." @@ -1011,7 +1028,7 @@ msgid "Delete this user" msgstr "احذ٠هذا المستخدم" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "التصميم" @@ -1112,6 +1129,17 @@ msgstr "استعد التصميمات المبدئية" msgid "Reset back to default" msgstr "ارجع إلى المبدئي" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "أرسل" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "احÙظ التصميم" @@ -1646,7 +1674,7 @@ msgstr "%1$s اعضاء الجروپ, صÙحه %2$d" msgid "A list of the users in this group." msgstr "قائمه بمستخدمى هذه المجموعه." -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "إداري" @@ -1902,18 +1930,19 @@ msgstr "رساله شخصية" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "أرسل" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -1983,8 +2012,7 @@ msgstr "اسم المستخدم أو كلمه السر غير صحيحان." msgid "Error setting user. You are probably not authorized." msgstr "خطأ أثناء ضبط المستخدم. لست Ù…Ùصرحًا على الأرجح." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Ù„Ùج" @@ -2364,7 +2392,7 @@ msgstr "تعذّر Ø­Ùظ كلمه السر الجديده." msgid "Password saved." msgstr "Ø­ÙÙظت كلمه السر." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "المسارات" @@ -2397,7 +2425,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "الموقع" @@ -2673,7 +2700,8 @@ msgstr "تعذّر Ø­Ùظ المل٠الشخصى." msgid "Couldn't save tags." msgstr "تعذّر Ø­Ùظ الوسوم." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "Ø­ÙÙظت الإعدادات." @@ -2686,45 +2714,45 @@ msgstr "وراء حد الصÙحه (%s)" msgid "Could not retrieve public stream." msgstr "" -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "المسار الزمنى العام، صÙحه %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "المسار الزمنى العام" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "" -#: actions/public.php:167 +#: actions/public.php:168 msgid "Public Stream Feed (Atom)" msgstr "" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "كن أول من ÙŠÙرسل!" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2737,7 +2765,7 @@ msgstr "" "الآن](%%action.register%%) لتشارك اشعاراتك مع أصدقائك وعائلتك وزملائك! " "([اقرأ المزيد](%%doc.help%%))" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2908,8 +2936,7 @@ msgstr "عذرا، رمز دعوه غير صالح." msgid "Registration successful" msgstr "نجح التسجيل" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "سجّل" @@ -3076,47 +3103,47 @@ msgstr "مكرر" msgid "Repeated!" msgstr "مكرر!" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "الردود على %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, fuzzy, php-format msgid "Replies to %1$s, page %2$d" msgstr "الردود على %s" -#: actions/replies.php:144 +#: actions/replies.php:145 #, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "" -#: actions/replies.php:151 +#: actions/replies.php:152 #, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "" -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3141,7 +3168,6 @@ msgid "User is already sandboxed." msgstr "" #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "الجلسات" @@ -3167,7 +3193,7 @@ msgid "Turn on debugging output for sessions." msgstr "مكّن تنقيح Ù…Ùخرجات الجلسه." #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "اذ٠إعدادت الموقع" @@ -3259,28 +3285,28 @@ msgstr "إشعارات %s المÙÙضلة" msgid "Could not retrieve favorite notices." msgstr "" -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " @@ -3289,7 +3315,7 @@ msgstr "" "%s لم يض٠أى إشعارات إلى Ù…Ùضلته إلى الآن. أرسل شيئًا شيقًا ليضيÙÙ‡ إلى " "Ù…Ùضلته. :)" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3299,7 +3325,7 @@ msgstr "" "%s لم يض٠أى إشعارات إلى Ù…Ùضلته إلى الآن. لمّ لا [تسجل حسابًا](%%%%action." "register%%%%) وترسل شيئًا شيقًا ليضيÙÙ‡ إلى Ù…Ùضلته. :)" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "إنها إحدى وسائل مشاركه ما تحب." @@ -3839,22 +3865,22 @@ msgstr "جابر" msgid "SMS" msgstr "رسائل قصيرة" -#: actions/tag.php:68 +#: actions/tag.php:69 #, fuzzy, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "الإشعارات الموسومه ب%s" -#: actions/tag.php:86 +#: actions/tag.php:87 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "" -#: actions/tag.php:92 +#: actions/tag.php:93 #, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "" -#: actions/tag.php:98 +#: actions/tag.php:99 #, php-format msgid "Notice feed for tag %s (Atom)" msgstr "" @@ -3934,70 +3960,72 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "المستخدم" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "رساله ترحيب غير صالحه. أقصى طول هو 255 حرÙ." -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "المل٠الشخصي" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "حد السيرة" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "مستخدمون جدد" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "ترحيب المستخدمين الجدد" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "نص الترحيب بالمستخدمين الجدد (255 حرÙًا كحد أقصى)." -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 msgid "Default subscription" msgstr "الاشتراك المبدئي" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 msgid "Automatically subscribe new users to this user." msgstr "أشرك المستخدمين الجدد بهذا المستخدم تلقائيًا." -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 msgid "Invitations" msgstr "الدعوات" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "الدعوات Ù…ÙÙعلة" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "" @@ -4170,7 +4198,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 msgid "Version" msgstr "النسخه" @@ -4359,120 +4387,190 @@ msgstr "صÙحه غير Ù…Ùعنونة" msgid "Primary site navigation" msgstr "" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "الرئيسية" - -#: lib/action.php:439 +#, fuzzy +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "المل٠الشخصى ومسار الأصدقاء الزمني" -#: lib/action.php:441 -msgid "Change your email, avatar, password, profile" -msgstr "" +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "شخصية" +#. TRANS: Tooltip for main menu option "Account" #: lib/action.php:444 -msgid "Connect" -msgstr "اتصل" +#, fuzzy +msgctxt "TOOLTIP" +msgid "Change your email, avatar, password, profile" +msgstr "غير كلمه سرّك" -#: lib/action.php:444 +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "الحساب" + +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" -msgstr "" +msgstr "كونيكشونات (Connections)" + +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "اتصل" -#: lib/action.php:448 +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "غيّر ضبط الموقع" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "ادعÙ" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "إداري" -#: lib/action.php:453 lib/subgroupnav.php:106 +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 #, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:458 -msgid "Logout" -msgstr "اخرج" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "ادعÙ" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "اخرج من الموقع" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "اخرج" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "أنشئ حسابًا" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "سجّل" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Ù„Ùج إلى الموقع" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "مساعدة" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Ù„Ùج" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "ساعدني!" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "ابحث" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "مساعدة" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "ابحث عن أشخاص أو نص" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "ابحث" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "إشعار الموقع" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "المشاهدات المحلية" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "إشعار الصÙحة" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "مساعدة" + +#: lib/action.php:765 msgid "About" msgstr "عن" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "الأسئله المكررة" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "الشروط" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "خصوصية" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "المصدر" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "اتصل" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4481,12 +4579,12 @@ msgstr "" "**%%site.name%%** خدمه تدوين مصغر يقدمها لك [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4497,41 +4595,41 @@ msgstr "" "المتوÙر تحت [رخصه غنو Ø£Ùيرو العمومية](http://www.fsf.org/licensing/licenses/" "agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "رخصه محتوى الموقع" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "" -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "الرخصه." -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "بعد" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "قبل" @@ -4547,53 +4645,106 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "" -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." msgstr "التغييرات مش مسموحه للـ لوحه دى." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "" -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "" -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "تعذّر حذ٠إعدادات التصميم." -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 msgid "Basic site configuration" msgstr "ضبط الموقع الأساسي" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "الموقع" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "ضبط التصميم" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "التصميم" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 #, fuzzy msgid "User configuration" msgstr "ضبط المسارات" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "المستخدم" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 #, fuzzy msgid "Access configuration" msgstr "ضبط التصميم" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "Ù†Ùاذ" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 msgid "Paths configuration" msgstr "ضبط المسارات" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +#, fuzzy +msgctxt "MENU" +msgid "Paths" +msgstr "المسارات" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 #, fuzzy msgid "Sessions configuration" msgstr "ضبط التصميم" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "الجلسات" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4688,11 +4839,11 @@ msgstr "" msgid "Tags for this attachment" msgstr "وسوم هذا المرÙÙ‚" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 msgid "Password changing failed" msgstr "تغيير الپاسوورد Ùشل" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 msgid "Password changing is not allowed" msgstr "تغيير الپاسوورد مش مسموح" @@ -4980,19 +5131,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 msgid "No configuration file found. " msgstr "" -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "اذهب إلى المÙثبّت." @@ -5613,6 +5764,10 @@ msgstr "الردود" msgid "Favorites" msgstr "المÙضلات" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "المستخدم" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "صندوق الوارد" @@ -5722,6 +5877,10 @@ msgstr "ابحث ÙÙ‰ الموقع" msgid "Keyword(s)" msgstr "الكلمات المÙتاحية" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "ابحث" + #: lib/searchaction.php:162 msgid "Search help" msgstr "ابحث ÙÙ‰ المساعدة" @@ -5773,6 +5932,15 @@ msgstr "الأشخاص المشتركون ب%s" msgid "Groups %s is a member of" msgstr "المجموعات التى %s عضو Ùيها" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "ادعÙ" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -5843,47 +6011,47 @@ msgstr "رسالة" msgid "Moderate" msgstr "" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "قبل لحظات قليلة" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "قبل دقيقه تقريبًا" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "قبل ساعه تقريبًا" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "قبل يوم تقريبا" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "قبل شهر تقريبًا" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "قبل سنه تقريبًا" diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index 9d18c0e11..abf1998d8 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -9,75 +9,82 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:47:57+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:02:12+0000\n" "Language-Team: Bulgarian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "ДоÑтъп" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 msgid "Site access settings" msgstr "ÐаÑтройки за доÑтъп до Ñайта" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 msgid "Registration" msgstr "РегиÑтриране" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "ЧаÑтен" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" -msgstr "Само Ñ Ð¿Ð¾ÐºÐ°Ð½Ð¸" +#, fuzzy +msgctxt "LABEL" +msgid "Private" +msgstr "ЧаÑтен" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "Ðовите региÑтрации да Ñа Ñамо Ñ Ð¿Ð¾ÐºÐ°Ð½Ð¸." -#: actions/accessadminpanel.php:173 -msgid "Closed" -msgstr "Затворен" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "Само Ñ Ð¿Ð¾ÐºÐ°Ð½Ð¸" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "Изключване на новите региÑтрации." -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Запазване" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" +msgstr "Затворен" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 msgid "Save access settings" msgstr "Запазване наÑтройките за доÑтъп" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "Запазване" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "ÐÑма такака Ñтраница." -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -103,61 +110,70 @@ msgstr "ÐÑма такака Ñтраница." msgid "No such user." msgstr "ÐÑма такъв потребител" -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, php-format msgid "%1$s and friends, page %2$d" msgstr "%1$s и приÑтели, Ñтраница %2$d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s и приÑтели" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "ЕмиÑÐ¸Ñ Ñ Ð¿Ñ€Ð¸Ñтелите на %s (RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "ЕмиÑÐ¸Ñ Ñ Ð¿Ñ€Ð¸Ñтелите на %s (RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "ЕмиÑÐ¸Ñ Ñ Ð¿Ñ€Ð¸Ñтелите на %s (Atom)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "" -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " "something yourself." msgstr "" -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " "post a notice to his or her attention." msgstr "" -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "Вие и приÑтелите" @@ -554,7 +570,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "Сметка" @@ -684,7 +700,7 @@ msgstr "Повторено за %s" msgid "Repeats of %s" msgstr "ÐŸÐ¾Ð²Ñ‚Ð¾Ñ€ÐµÐ½Ð¸Ñ Ð½Ð° %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "Бележки Ñ ÐµÑ‚Ð¸ÐºÐµÑ‚ %s" @@ -938,7 +954,7 @@ msgstr "Ðе членувате в тази група." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "Имаше проблем ÑÑŠÑ ÑеÑиÑта ви в Ñайта." @@ -964,12 +980,13 @@ msgstr "Да не Ñе изтрива бележката" msgid "Delete this application" msgstr "Изтриване на бележката" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "Ðе Ñте влезли в ÑиÑтемата." @@ -1023,7 +1040,7 @@ msgid "Delete this user" msgstr "Изтриване на този потребител" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1129,6 +1146,17 @@ msgstr "" msgid "Reset back to default" msgstr "" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Запазване" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1695,7 +1723,7 @@ msgstr "Членове на групата %s, Ñтраница %d" msgid "A list of the users in this group." msgstr "СпиÑък Ñ Ð¿Ð¾Ñ‚Ñ€ÐµÐ±Ð¸Ñ‚ÐµÐ»Ð¸Ñ‚Ðµ в тази група." -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "ÐаÑтройки" @@ -1971,18 +1999,19 @@ msgstr "Лично Ñъобщение" msgid "Optionally add a personal message to the invitation." msgstr "Може да добавите и лично Ñъобщение към поканата." -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "Прати" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s ви кани да ползвате заедно %2$s" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2079,8 +2108,7 @@ msgstr "Грешно име или парола." msgid "Error setting user. You are probably not authorized." msgstr "Забранено." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Вход" @@ -2481,7 +2509,7 @@ msgstr "Грешка при запазване на новата парола." msgid "Password saved." msgstr "Паролата е запиÑана." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "Пътища" @@ -2514,7 +2542,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Сайт" @@ -2795,7 +2822,8 @@ msgstr "Грешка при запазване на профила." msgid "Couldn't save tags." msgstr "Грешка при запазване етикетите." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "ÐаÑтройките Ñа запазени." @@ -2808,45 +2836,45 @@ msgstr "" msgid "Could not retrieve public stream." msgstr "Грешка при изтеглÑне на Ð¾Ð±Ñ‰Ð¸Ñ Ð¿Ð¾Ñ‚Ð¾Ðº" -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "Общ поток, Ñтраница %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "Общ поток" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "ЕмиÑÐ¸Ñ Ð½Ð° Ð¾Ð±Ñ‰Ð¸Ñ Ð¿Ð¾Ñ‚Ð¾Ðº (RSS 1.0)" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "ЕмиÑÐ¸Ñ Ð½Ð° Ð¾Ð±Ñ‰Ð¸Ñ Ð¿Ð¾Ñ‚Ð¾Ðº (RSS 2.0)" -#: actions/public.php:167 +#: actions/public.php:168 msgid "Public Stream Feed (Atom)" msgstr "ЕмиÑÐ¸Ñ Ð½Ð° Ð¾Ð±Ñ‰Ð¸Ñ Ð¿Ð¾Ñ‚Ð¾Ðº (Atom)" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2855,7 +2883,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3028,8 +3056,7 @@ msgstr "Грешка в кода за потвърждение." msgid "Registration successful" msgstr "ЗапиÑването е уÑпешно." -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "РегиÑтриране" @@ -3221,47 +3248,47 @@ msgstr "Повторено" msgid "Repeated!" msgstr "Повторено!" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "Отговори на %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, fuzzy, php-format msgid "Replies to %1$s, page %2$d" msgstr "Отговори до %1$s в %2$s!" -#: actions/replies.php:144 +#: actions/replies.php:145 #, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "ЕмиÑÐ¸Ñ Ñ Ð¾Ñ‚Ð³Ð¾Ð²Ð¾Ñ€Ð¸ на %s (RSS 1.0)" -#: actions/replies.php:151 +#: actions/replies.php:152 #, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "ЕмиÑÐ¸Ñ Ñ Ð¾Ñ‚Ð³Ð¾Ð²Ð¾Ñ€Ð¸ на %s (RSS 2.0)" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "ЕмиÑÐ¸Ñ Ñ Ð¾Ñ‚Ð³Ð¾Ð²Ð¾Ñ€Ð¸ на %s (Atom)" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "" -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3288,7 +3315,6 @@ msgid "User is already sandboxed." msgstr "ПотребителÑÑ‚ ви е блокирал." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "СеÑии" @@ -3314,7 +3340,7 @@ msgid "Turn on debugging output for sessions." msgstr "" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Запазване наÑтройките на Ñайта" @@ -3409,35 +3435,35 @@ msgstr "Любими бележки на %1$s, Ñтраница %2$d" msgid "Could not retrieve favorite notices." msgstr "Грешка при изтеглÑне на любимите бележки" -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "ЕмиÑÐ¸Ñ Ñ Ð¿Ñ€Ð¸Ñтелите на %s" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "ЕмиÑÐ¸Ñ Ñ Ð¿Ñ€Ð¸Ñтелите на %s" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "ЕмиÑÐ¸Ñ Ñ Ð¿Ñ€Ð¸Ñтелите на %s" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " "they would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3445,7 +3471,7 @@ msgid "" "would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "Така можете да Ñподелите какво хареÑвате." @@ -3999,22 +4025,22 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" -#: actions/tag.php:68 +#: actions/tag.php:69 #, fuzzy, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "Бележки Ñ ÐµÑ‚Ð¸ÐºÐµÑ‚ %s, Ñтраница %d" -#: actions/tag.php:86 +#: actions/tag.php:87 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "ЕмиÑÐ¸Ñ Ñ Ð±ÐµÐ»ÐµÐ¶ÐºÐ¸ на %s" -#: actions/tag.php:92 +#: actions/tag.php:93 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "ЕмиÑÐ¸Ñ Ñ Ð±ÐµÐ»ÐµÐ¶ÐºÐ¸ на %s" -#: actions/tag.php:98 +#: actions/tag.php:99 #, fuzzy, php-format msgid "Notice feed for tag %s (Atom)" msgstr "ЕмиÑÐ¸Ñ Ñ Ð±ÐµÐ»ÐµÐ¶ÐºÐ¸ на %s" @@ -4099,74 +4125,76 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "Потребител" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Профил" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Ðови потребители" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Default subscription" msgstr "Ð’Ñички абонаменти" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "" "Ðвтоматично абониране за вÑеки, който Ñе абонира за мен (подходÑщо за " "ботове)." -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 msgid "Invitations" msgstr "Покани" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "Поканите Ñа включени" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "" @@ -4350,7 +4378,7 @@ msgstr "" msgid "Plugins" msgstr "ПриÑтавки" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 msgid "Version" msgstr "ВерÑиÑ" @@ -4554,124 +4582,192 @@ msgstr "Ðеозаглавена Ñтраница" msgid "Primary site navigation" msgstr "" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "Ðачало" - -#: lib/action.php:439 +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "Лично" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "ПромÑна на поща, аватар, парола, профил" -#: lib/action.php:444 -msgid "Connect" -msgstr "Свързване" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "Сметка" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Свързване към уÑлуги" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "Свързване" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "ПромÑна наÑтройките на Ñайта" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "Покани" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "ÐаÑтройки" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Поканете приÑтели и колеги да Ñе приÑъединÑÑ‚ към Ð²Ð°Ñ Ð² %s" -#: lib/action.php:458 -msgid "Logout" -msgstr "Изход" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "Покани" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Излизане от Ñайта" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Изход" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Създаване на нова Ñметка" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "РегиÑтриране" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Влизане в Ñайта" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Помощ" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Вход" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 #, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Помощ" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "ТърÑене" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Помощ" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "ТърÑене за хора или бележки" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "ТърÑене" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 #, fuzzy msgid "Site notice" msgstr "Ðова бележка" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "" -#: lib/action.php:625 +#: lib/action.php:656 #, fuzzy msgid "Page notice" msgstr "Ðова бележка" -#: lib/action.php:727 +#: lib/action.php:758 #, fuzzy msgid "Secondary site navigation" msgstr "Ðбонаменти" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Помощ" + +#: lib/action.php:765 msgid "About" msgstr "ОтноÑно" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "ВъпроÑи" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "УÑловиÑ" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "ПоверителноÑÑ‚" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "Изходен код" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Контакт" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "Табелка" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "Лиценз на програмата StatusNet" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4680,12 +4776,12 @@ msgstr "" "**%%site.name%%** е уÑлуга за микроблогване, предоÑтавена ви от [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** е уÑлуга за микроблогване. " -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4696,41 +4792,41 @@ msgstr "" "доÑтъпна под [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "Лиценз на Ñъдържанието" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "Ð’Ñички " -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "лиценз." -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "Страниране" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "След" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "Преди" @@ -4746,57 +4842,110 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "Ðе можете да променÑте този Ñайт." -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 #, fuzzy msgid "Changes to that panel are not allowed." msgstr "ЗапиÑването не е позволено." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 #, fuzzy msgid "showForm() not implemented." msgstr "Командата вÑе още не Ñе поддържа." -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 #, fuzzy msgid "saveSettings() not implemented." msgstr "Командата вÑе още не Ñе поддържа." -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 #, fuzzy msgid "Unable to delete design setting." msgstr "Грешка при запиÑване наÑтройките за Twitter" -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 msgid "Basic site configuration" msgstr "ОÑновна наÑтройка на Ñайта" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "Сайт" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "ÐаÑтройка на оформлението" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "ВерÑиÑ" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 #, fuzzy msgid "User configuration" msgstr "ÐаÑтройка на пътищата" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "Потребител" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 #, fuzzy msgid "Access configuration" msgstr "ÐаÑтройка на оформлението" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "ДоÑтъп" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 msgid "Paths configuration" msgstr "ÐаÑтройка на пътищата" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +#, fuzzy +msgctxt "MENU" +msgid "Paths" +msgstr "Пътища" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 #, fuzzy msgid "Sessions configuration" msgstr "ÐаÑтройка на оформлението" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "СеÑии" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4896,12 +5045,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 #, fuzzy msgid "Password changing failed" msgstr "Паролата е запиÑана." -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 #, fuzzy msgid "Password changing is not allowed" msgstr "Паролата е запиÑана." @@ -5180,19 +5329,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 msgid "No configuration file found. " msgstr "Ðе е открит файл Ñ Ð½Ð°Ñтройки. " -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:140 +#: lib/common.php:152 #, fuzzy msgid "Go to the installer." msgstr "Влизане в Ñайта" @@ -5834,6 +5983,10 @@ msgstr "Отговори" msgid "Favorites" msgstr "Любими" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "Потребител" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "ВходÑщи" @@ -5949,6 +6102,10 @@ msgstr "ТърÑене" msgid "Keyword(s)" msgstr "Ключови думи" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "ТърÑене" + #: lib/searchaction.php:162 #, fuzzy msgid "Search help" @@ -6001,6 +6158,15 @@ msgstr "Ðбонирани за %s" msgid "Groups %s is a member of" msgstr "Групи, в които учаÑтва %s" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "Покани" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "Поканете приÑтели и колеги да Ñе приÑъединÑÑ‚ към Ð²Ð°Ñ Ð² %s" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6073,47 +6239,47 @@ msgstr "Съобщение" msgid "Moderate" msgstr "" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "преди нÑколко Ñекунди" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "преди около минута" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "преди около %d минути" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "преди около чаÑ" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "преди около %d чаÑа" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "преди около ден" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "преди около %d дни" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "преди около меÑец" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "преди около %d меÑеца" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "преди около година" diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index 7417d060f..8b12f44a9 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -10,80 +10,87 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:48:00+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:02:15+0000\n" "Language-Team: Catalan\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "Accés" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 #, fuzzy msgid "Site access settings" msgstr "Desa els paràmetres del lloc" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 #, fuzzy msgid "Registration" msgstr "Registre" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "Privat" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "" "Voleu prohibir als usuaris anònims (que no han iniciat cap sessió) " "visualitzar el lloc?" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" -msgstr "Només invitació" +#, fuzzy +msgctxt "LABEL" +msgid "Private" +msgstr "Privat" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "Fes que el registre sigui només amb invitacions." -#: actions/accessadminpanel.php:173 -msgid "Closed" -msgstr "Tancat" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "Només invitació" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "Inhabilita els nous registres." -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Guardar" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" +msgstr "Tancat" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 #, fuzzy msgid "Save access settings" msgstr "Desa els paràmetres del lloc" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "Guardar" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "No existeix la pàgina." -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -109,34 +116,41 @@ msgstr "No existeix la pàgina." msgid "No such user." msgstr "No existeix aquest usuari." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, fuzzy, php-format msgid "%1$s and friends, page %2$d" msgstr "%s perfils blocats, pàgina %d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s i amics" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "Canal dels amics de %s (RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "Canal dels amics de %s (RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "Canal dels amics de %s (Atom)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." @@ -144,28 +158,30 @@ msgstr "" "Aquesta és la línia temporal de %s i amics, però ningú hi ha enviat res " "encara." -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " "something yourself." msgstr "" -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " "post a notice to his or her attention." msgstr "" -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "Un mateix i amics" @@ -570,7 +586,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "Compte" @@ -703,7 +719,7 @@ msgstr "Respostes a %s" msgid "Repeats of %s" msgstr "Repeticions de %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "Aviso etiquetats amb %s" @@ -958,7 +974,7 @@ msgstr "No sou un membre del grup." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "Ha ocorregut algun problema amb la teva sessió." @@ -984,12 +1000,13 @@ msgstr "No es pot esborrar la notificació." msgid "Delete this application" msgstr "Eliminar aquesta nota" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "No heu iniciat una sessió." @@ -1048,7 +1065,7 @@ msgid "Delete this user" msgstr "Suprimeix l'usuari" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "Disseny" @@ -1149,6 +1166,17 @@ msgstr "" msgid "Reset back to default" msgstr "" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Guardar" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Desa el disseny" @@ -1715,7 +1743,7 @@ msgstr "%s membre/s en el grup, pàgina %d" msgid "A list of the users in this group." msgstr "La llista dels usuaris d'aquest grup." -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" @@ -1994,18 +2022,19 @@ msgstr "Missatge personal" msgid "Optionally add a personal message to the invitation." msgstr "Opcionalment pots afegir un missatge a la invitació." -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "Envia" -#: actions/invite.php:226 +#: actions/invite.php:227 #, fuzzy, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s t'ha convidat us ha convidat a unir-te al grup %2$s" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2102,8 +2131,7 @@ msgstr "Nom d'usuari o contrasenya incorrectes." msgid "Error setting user. You are probably not authorized." msgstr "No autoritzat." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Inici de sessió" @@ -2506,7 +2534,7 @@ msgstr "No es pot guardar la nova contrasenya." msgid "Password saved." msgstr "Contrasenya guardada." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "Camins" @@ -2539,7 +2567,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Lloc" @@ -2827,7 +2854,8 @@ msgstr "No s'ha pogut guardar el perfil." msgid "Couldn't save tags." msgstr "No s'han pogut guardar les etiquetes." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "Configuració guardada." @@ -2840,28 +2868,28 @@ msgstr "Més enllà del límit de la pàgina (%s)" msgid "Could not retrieve public stream." msgstr "No s'ha pogut recuperar la conversa pública." -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "Línia temporal pública, pàgina %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "Línia temporal pública" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "Flux de canal públic (RSS 1.0)" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "Flux de canal públic (RSS 2.0)" -#: actions/public.php:167 +#: actions/public.php:168 msgid "Public Stream Feed (Atom)" msgstr "Flux de canal públic (Atom)" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2870,11 +2898,11 @@ msgstr "" "Aquesta és la línia temporal pública de %%site.name%%, però ningú no hi ha " "enviat res encara." -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "Sigueu el primer en escriure-hi!" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2882,7 +2910,7 @@ msgstr "" "Per què no [registreu un compte](%%action.register%%) i sou el primer en " "escriure-hi!" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2891,7 +2919,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:246 +#: actions/public.php:247 #, fuzzy, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3068,8 +3096,7 @@ msgstr "El codi d'invitació no és vàlid." msgid "Registration successful" msgstr "Registre satisfactori" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "Registre" @@ -3268,33 +3295,33 @@ msgstr "Repetit" msgid "Repeated!" msgstr "Repetit!" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "Respostes a %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, fuzzy, php-format msgid "Replies to %1$s, page %2$d" msgstr "Respostes a %1$s el %2$s!" -#: actions/replies.php:144 +#: actions/replies.php:145 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "Feed d'avisos de %s" -#: actions/replies.php:151 +#: actions/replies.php:152 #, fuzzy, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "Feed d'avisos de %s" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "Feed d'avisos de %s" -#: actions/replies.php:198 +#: actions/replies.php:199 #, fuzzy, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " @@ -3303,14 +3330,14 @@ msgstr "" "Aquesta és la línia temporal de %s i amics, però ningú hi ha enviat res " "encara." -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3338,7 +3365,6 @@ msgid "User is already sandboxed." msgstr "Un usuari t'ha bloquejat." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "Sessions" @@ -3364,7 +3390,7 @@ msgid "Turn on debugging output for sessions." msgstr "Activa la sortida de depuració per a les sessions." #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Desa els paràmetres del lloc" @@ -3460,35 +3486,35 @@ msgstr "%s's notes favorites" msgid "Could not retrieve favorite notices." msgstr "No s'han pogut recuperar els avisos preferits." -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "Feed per a amics de %s" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "Feed per a amics de %s" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "Feed per a amics de %s" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " "they would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3496,7 +3522,7 @@ msgid "" "would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "És una forma de compartir allò que us agrada." @@ -4062,22 +4088,22 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" -#: actions/tag.php:68 +#: actions/tag.php:69 #, fuzzy, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "Usuaris que s'han etiquetat %s - pàgina %d" -#: actions/tag.php:86 +#: actions/tag.php:87 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "Feed d'avisos de %s" -#: actions/tag.php:92 +#: actions/tag.php:93 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "Feed d'avisos de %s" -#: actions/tag.php:98 +#: actions/tag.php:99 #, fuzzy, php-format msgid "Notice feed for tag %s (Atom)" msgstr "Feed d'avisos de %s" @@ -4165,70 +4191,72 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "Usuari" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Perfil" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "Límit de la biografia" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "Límit màxim de la biografia d'un perfil (en caràcters)." -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Usuaris nous" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "Benvinguda als usuaris nous" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 msgid "Default subscription" msgstr "Subscripció per defecte" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 msgid "Automatically subscribe new users to this user." msgstr "Subscriviu automàticament els usuaris nous a aquest usuari." -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 msgid "Invitations" msgstr "Invitacions" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "S'han habilitat les invitacions" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "" @@ -4414,7 +4442,7 @@ msgstr "" msgid "Plugins" msgstr "Connectors" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 #, fuzzy msgid "Version" msgstr "Sessions" @@ -4617,121 +4645,190 @@ msgstr "Pàgina sense titol" msgid "Primary site navigation" msgstr "Navegació primària del lloc" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "Inici" - -#: lib/action.php:439 +#, fuzzy +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Perfil personal i línia temporal dels amics" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "Personal" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Canviar correu electrònic, avatar, contrasenya, perfil" -#: lib/action.php:444 -msgid "Connect" -msgstr "Connexió" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "Compte" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 #, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "No s'ha pogut redirigir al servidor: %s" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "Connexió" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Canvia la configuració del lloc" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "Convida" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "Admin" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Convidar amics i companys perquè participin a %s" -#: lib/action.php:458 -msgid "Logout" -msgstr "Finalitza la sessió" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "Convida" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Finalitza la sessió del lloc" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Finalitza la sessió" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Crea un compte" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "Registre" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Inicia una sessió al lloc" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Ajuda" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Inici de sessió" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Ajuda'm" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "Cerca" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Ajuda" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Cerca gent o text" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "Cerca" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "Avís del lloc" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "Vistes locals" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "Notificació pàgina" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "Navegació del lloc secundària" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Ajuda" + +#: lib/action.php:765 msgid "About" msgstr "Quant a" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "Preguntes més freqüents" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "Privadesa" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "Font" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Contacte" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "Insígnia" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "Llicència del programari StatusNet" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4740,12 +4837,12 @@ msgstr "" "**%%site.name%%** és un servei de microblogging de [%%site.broughtby%%**](%%" "site.broughtbyurl%%)." -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** és un servei de microblogging." -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4756,41 +4853,41 @@ msgstr "" "%s, disponible sota la [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "Llicència de contingut del lloc" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "Tot " -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "llicència." -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "Paginació" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "Posteriors" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "Anteriors" @@ -4806,57 +4903,110 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "No podeu fer canvis al lloc." -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 #, fuzzy msgid "Changes to that panel are not allowed." msgstr "Registre no permès." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 #, fuzzy msgid "showForm() not implemented." msgstr "Comanda encara no implementada." -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 #, fuzzy msgid "saveSettings() not implemented." msgstr "Comanda encara no implementada." -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 #, fuzzy msgid "Unable to delete design setting." msgstr "No s'ha pogut guardar la teva configuració de Twitter!" -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 msgid "Basic site configuration" msgstr "Configuració bàsica del lloc" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "Lloc" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "Configuració del disseny" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "Disseny" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 #, fuzzy msgid "User configuration" msgstr "Configuració dels camins" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "Usuari" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 #, fuzzy msgid "Access configuration" msgstr "Configuració del disseny" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "Accés" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 msgid "Paths configuration" msgstr "Configuració dels camins" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +#, fuzzy +msgctxt "MENU" +msgid "Paths" +msgstr "Camins" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 #, fuzzy msgid "Sessions configuration" msgstr "Configuració del disseny" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "Sessions" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4956,11 +5106,11 @@ msgstr "" msgid "Tags for this attachment" msgstr "Etiquetes de l'adjunció" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 msgid "Password changing failed" msgstr "El canvi de contrasenya ha fallat" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 #, fuzzy msgid "Password changing is not allowed" msgstr "Contrasenya canviada." @@ -5240,19 +5390,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 msgid "No configuration file found. " msgstr "No s'ha trobat cap fitxer de configuració. " -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "Podeu voler executar l'instal·lador per a corregir-ho." -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "Vés a l'instal·lador." @@ -5897,6 +6047,10 @@ msgstr "Respostes" msgid "Favorites" msgstr "Preferits" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "Usuari" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Safata d'entrada" @@ -6011,6 +6165,10 @@ msgstr "Cerca al lloc" msgid "Keyword(s)" msgstr "Paraules clau" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Cerca" + #: lib/searchaction.php:162 msgid "Search help" msgstr "Ajuda de la cerca" @@ -6062,6 +6220,15 @@ msgstr "Persones subscrites a %s" msgid "Groups %s is a member of" msgstr "%s grups són membres de" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "Convida" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "Convidar amics i companys perquè participin a %s" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6133,47 +6300,47 @@ msgstr "Missatge" msgid "Moderate" msgstr "Modera" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "fa pocs segons" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "fa un minut" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "fa %d minuts" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "fa una hora" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "fa %d hores" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "fa un dia" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "fa %d dies" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "fa un mes" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "fa %d mesos" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "fa un any" diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index 48eef07aa..9137d3708 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -9,82 +9,88 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:48:03+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:02:27+0000\n" "Language-Team: Czech\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n< =4) ? 1 : 2 ;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 #, fuzzy msgid "Access" msgstr "PÅ™ijmout" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 #, fuzzy msgid "Site access settings" msgstr "Nastavení" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 #, fuzzy msgid "Registration" msgstr "Registrovat" -#: actions/accessadminpanel.php:161 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. +#: actions/accessadminpanel.php:167 #, fuzzy +msgctxt "LABEL" msgid "Private" msgstr "Soukromí" -#: actions/accessadminpanel.php:163 -msgid "Prohibit anonymous users (not logged in) from viewing site?" +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 +msgid "Make registration invitation only." msgstr "" -#: actions/accessadminpanel.php:167 +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 msgid "Invite only" msgstr "" -#: actions/accessadminpanel.php:169 -msgid "Make registration invitation only." +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 +msgid "Disable new registrations." msgstr "" -#: actions/accessadminpanel.php:173 +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 #, fuzzy msgid "Closed" msgstr "Žádný takový uživatel." -#: actions/accessadminpanel.php:175 -msgid "Disable new registrations." -msgstr "" - -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Uložit" - -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 #, fuzzy msgid "Save access settings" msgstr "Nastavení" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "Uložit" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 #, fuzzy msgid "No such page" msgstr "Žádné takové oznámení." -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -110,61 +116,70 @@ msgstr "Žádné takové oznámení." msgid "No such user." msgstr "Žádný takový uživatel." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, fuzzy, php-format msgid "%1$s and friends, page %2$d" msgstr "%s a přátelé" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s a přátelé" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, fuzzy, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "Feed přítel uživatele: %s" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, fuzzy, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "Feed přítel uživatele: %s" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, fuzzy, php-format msgid "Feed for friends of %s (Atom)" msgstr "Feed přítel uživatele: %s" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "" -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " "something yourself." msgstr "" -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " "post a notice to his or her attention." msgstr "" -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 #, fuzzy msgid "You and friends" msgstr "%s a přátelé" @@ -565,7 +580,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 #, fuzzy msgid "Account" msgstr "O nás" @@ -700,7 +715,7 @@ msgstr "OdpovÄ›di na %s" msgid "Repeats of %s" msgstr "OdpovÄ›di na %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "" @@ -961,7 +976,7 @@ msgstr "Neodeslal jste nám profil" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "" @@ -987,12 +1002,13 @@ msgstr "Žádné takové oznámení." msgid "Delete this application" msgstr "Odstranit toto oznámení" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "NepÅ™ihlášen" @@ -1049,7 +1065,7 @@ msgid "Delete this user" msgstr "Odstranit tohoto uživatele" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "Vzhled" @@ -1156,6 +1172,17 @@ msgstr "" msgid "Reset back to default" msgstr "" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Uložit" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1723,7 +1750,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -1997,18 +2024,19 @@ msgstr "" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "Odeslat" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2080,8 +2108,7 @@ msgstr "Neplatné jméno nebo heslo" msgid "Error setting user. You are probably not authorized." msgstr "Neautorizován." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "PÅ™ihlásit" @@ -2479,7 +2506,7 @@ msgstr "Nelze uložit nové heslo" msgid "Password saved." msgstr "Heslo uloženo" -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "" @@ -2512,7 +2539,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "" @@ -2805,7 +2831,8 @@ msgstr "Nelze uložit profil" msgid "Couldn't save tags." msgstr "Nelze uložit profil" -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "Nastavení uloženo" @@ -2818,48 +2845,48 @@ msgstr "" msgid "Could not retrieve public stream." msgstr "" -#: actions/public.php:129 +#: actions/public.php:130 #, fuzzy, php-format msgid "Public timeline, page %d" msgstr "VeÅ™ejné zprávy" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "VeÅ™ejné zprávy" -#: actions/public.php:159 +#: actions/public.php:160 #, fuzzy msgid "Public Stream Feed (RSS 1.0)" msgstr "VeÅ™ejný Stream Feed" -#: actions/public.php:163 +#: actions/public.php:164 #, fuzzy msgid "Public Stream Feed (RSS 2.0)" msgstr "VeÅ™ejný Stream Feed" -#: actions/public.php:167 +#: actions/public.php:168 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "VeÅ™ejný Stream Feed" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2868,7 +2895,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3041,8 +3068,7 @@ msgstr "Chyba v ověřovacím kódu" msgid "Registration successful" msgstr "Registrace úspěšná" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "Registrovat" @@ -3223,47 +3249,47 @@ msgstr "VytvoÅ™it" msgid "Repeated!" msgstr "VytvoÅ™it" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "OdpovÄ›di na %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, fuzzy, php-format msgid "Replies to %1$s, page %2$d" msgstr "OdpovÄ›di na %s" -#: actions/replies.php:144 +#: actions/replies.php:145 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "Feed sdÄ›lení pro %s" -#: actions/replies.php:151 +#: actions/replies.php:152 #, fuzzy, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "Feed sdÄ›lení pro %s" -#: actions/replies.php:158 +#: actions/replies.php:159 #, fuzzy, php-format msgid "Replies feed for %s (Atom)" msgstr "Feed sdÄ›lení pro %s" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "" -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3291,7 +3317,6 @@ msgid "User is already sandboxed." msgstr "Uživatel nemá profil." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3316,7 +3341,7 @@ msgid "Turn on debugging output for sessions." msgstr "" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" msgstr "Nastavení" @@ -3412,35 +3437,35 @@ msgstr "%s a přátelé" msgid "Could not retrieve favorite notices." msgstr "" -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, fuzzy, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "Feed přítel uživatele: %s" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, fuzzy, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "Feed přítel uživatele: %s" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, fuzzy, php-format msgid "Feed for favorites of %s (Atom)" msgstr "Feed přítel uživatele: %s" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " "they would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3448,7 +3473,7 @@ msgid "" "would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "" @@ -4006,22 +4031,22 @@ msgstr "Žádné Jabber ID." msgid "SMS" msgstr "" -#: actions/tag.php:68 +#: actions/tag.php:69 #, fuzzy, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "Mikroblog od %s" -#: actions/tag.php:86 +#: actions/tag.php:87 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "Feed sdÄ›lení pro %s" -#: actions/tag.php:92 +#: actions/tag.php:93 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "Feed sdÄ›lení pro %s" -#: actions/tag.php:98 +#: actions/tag.php:99 #, fuzzy, php-format msgid "Notice feed for tag %s (Atom)" msgstr "Feed sdÄ›lení pro %s" @@ -4110,73 +4135,74 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +msgctxt "TITLE" msgid "User" msgstr "" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Default subscription" msgstr "VÅ¡echny odbÄ›ry" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "OdbÄ›r autorizován" -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 #, fuzzy msgid "Invitations" msgstr "UmístÄ›ní" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "" @@ -4363,7 +4389,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 #, fuzzy msgid "Version" msgstr "Osobní" @@ -4565,126 +4591,188 @@ msgstr "" msgid "Primary site navigation" msgstr "" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "Domů" - -#: lib/action.php:439 +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 -msgid "Change your email, avatar, password, profile" -msgstr "" +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "Osobní" +#. TRANS: Tooltip for main menu option "Account" #: lib/action.php:444 -msgid "Connect" -msgstr "PÅ™ipojit" +#, fuzzy +msgctxt "TOOLTIP" +msgid "Change your email, avatar, password, profile" +msgstr "ZmÄ›nit heslo" -#: lib/action.php:444 +#: lib/action.php:447 #, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "O nás" + +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Nelze pÅ™esmÄ›rovat na server: %s" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "PÅ™ipojit" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 #, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "OdbÄ›ry" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" +#: lib/action.php:460 +msgctxt "MENU" +msgid "Admin" msgstr "" -#: lib/action.php:453 lib/subgroupnav.php:106 +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 #, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:458 -msgid "Logout" -msgstr "Odhlásit" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "Neplatná velikost" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Odhlásit" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 #, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "VytvoÅ™it nový úÄet" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "Registrovat" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "NápovÄ›da" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "PÅ™ihlásit" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Pomoci mi!" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "Hledat" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "NápovÄ›da" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "Hledat" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 #, fuzzy msgid "Site notice" msgstr "Nové sdÄ›lení" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "" -#: lib/action.php:625 +#: lib/action.php:656 #, fuzzy msgid "Page notice" msgstr "Nové sdÄ›lení" -#: lib/action.php:727 +#: lib/action.php:758 #, fuzzy msgid "Secondary site navigation" msgstr "OdbÄ›ry" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "NápovÄ›da" + +#: lib/action.php:765 msgid "About" msgstr "O nás" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "Soukromí" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "Zdroj" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4693,12 +4781,12 @@ msgstr "" "**%%site.name%%** je služba microblogů, kterou pro vás poskytuje [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** je služba mikroblogů." -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4709,43 +4797,43 @@ msgstr "" "dostupná pod [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:832 #, fuzzy msgid "Site content license" msgstr "Nové sdÄ›lení" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "" -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "" -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "" -#: lib/action.php:1141 +#: lib/action.php:1172 #, fuzzy msgid "After" msgstr "« NovÄ›jší" -#: lib/action.php:1149 +#: lib/action.php:1180 #, fuzzy msgid "Before" msgstr "Starší »" @@ -4762,56 +4850,107 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "" -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." msgstr "" -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "" -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "" -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "" -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 #, fuzzy msgid "Basic site configuration" msgstr "Potvrzení emailové adresy" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "Nové sdÄ›lení" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Design configuration" msgstr "Potvrzení emailové adresy" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "Vzhled" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 #, fuzzy msgid "User configuration" msgstr "Potvrzení emailové adresy" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +msgctxt "MENU" +msgid "User" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 #, fuzzy msgid "Access configuration" msgstr "Potvrzení emailové adresy" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "PÅ™ijmout" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 #, fuzzy msgid "Paths configuration" msgstr "Potvrzení emailové adresy" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +msgctxt "MENU" +msgid "Paths" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 #, fuzzy msgid "Sessions configuration" msgstr "Potvrzení emailové adresy" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "Osobní" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4911,12 +5050,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 #, fuzzy msgid "Password changing failed" msgstr "Heslo uloženo" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 #, fuzzy msgid "Password changing is not allowed" msgstr "Heslo uloženo" @@ -5203,20 +5342,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 #, fuzzy msgid "No configuration file found. " msgstr "Žádný potvrzující kód." -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "" @@ -5866,6 +6005,10 @@ msgstr "OdpovÄ›di" msgid "Favorites" msgstr "Oblíbené" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" @@ -5981,6 +6124,10 @@ msgstr "Hledat" msgid "Keyword(s)" msgstr "" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Hledat" + #: lib/searchaction.php:162 #, fuzzy msgid "Search help" @@ -6035,6 +6182,15 @@ msgstr "Vzdálený odbÄ›r" msgid "Groups %s is a member of" msgstr "" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6108,47 +6264,47 @@ msgstr "Zpráva" msgid "Moderate" msgstr "" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "pÅ™ed pár sekundami" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "asi pÅ™ed minutou" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "asi pÅ™ed %d minutami" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "asi pÅ™ed hodinou" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "asi pÅ™ed %d hodinami" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "asi pÅ™ede dnem" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "pÅ™ed %d dny" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "asi pÅ™ed mÄ›sícem" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "asi pÅ™ed %d mesíci" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "asi pÅ™ed rokem" diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index 15e42940d..a00ec2611 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -14,76 +14,83 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:48:06+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:02:31+0000\n" "Language-Team: German\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "Zugang" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 msgid "Site access settings" msgstr "Zugangseinstellungen speichern" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 msgid "Registration" msgstr "Registrieren" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "Privat" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "" "Anonymen (nicht eingeloggten) Nutzern das Betrachten der Seite verbieten?" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" -msgstr "Nur auf Einladung" +#, fuzzy +msgctxt "LABEL" +msgid "Private" +msgstr "Privat" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "Registrierung nur bei vorheriger Einladung erlauben." -#: actions/accessadminpanel.php:173 -msgid "Closed" -msgstr "Geschlossen" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "Nur auf Einladung" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "Neuregistrierungen deaktivieren." -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Speichern" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" +msgstr "Geschlossen" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 msgid "Save access settings" msgstr "Zugangs-Einstellungen speichern" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "Speichern" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "Seite nicht vorhanden" -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -109,34 +116,41 @@ msgstr "Seite nicht vorhanden" msgid "No such user." msgstr "Unbekannter Benutzer." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, php-format msgid "%1$s and friends, page %2$d" msgstr "%1$s und Freunde, Seite% 2$d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s und Freunde" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "Feed der Freunde von %s (RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "Feed der Freunde von %s (RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "Feed der Freunde von %s (Atom)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." @@ -144,7 +158,7 @@ msgstr "" "Dies ist die Zeitleiste für %s und Freunde aber bisher hat niemand etwas " "gepostet." -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " @@ -153,7 +167,8 @@ msgstr "" "Abonniere doch mehr Leute, [tritt einer Gruppe bei](%%action.groups%%) oder " "poste selber etwas." -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, fuzzy, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " @@ -163,7 +178,7 @@ msgstr "" "posten](%%%%action.newnotice%%%%?status_textarea=%s) um seine Aufmerksamkeit " "zu erregen." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -173,7 +188,8 @@ msgstr "" "gibst %s dann einen Stups oder postest ihm etwas, um seine Aufmerksamkeit zu " "erregen?" -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "Du und Freunde" @@ -565,7 +581,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "Konto" @@ -698,7 +714,7 @@ msgstr "Antworten an %s" msgid "Repeats of %s" msgstr "Antworten an %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "Nachrichten, die mit %s getagt sind" @@ -951,7 +967,7 @@ msgstr "Du bist kein Mitglied dieser Gruppe." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "Es gab ein Problem mit deinem Sessiontoken." @@ -977,12 +993,13 @@ msgstr "Diese Nachricht nicht löschen" msgid "Delete this application" msgstr "Nachricht löschen" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "Nicht angemeldet." @@ -1038,7 +1055,7 @@ msgid "Delete this user" msgstr "Diesen Benutzer löschen" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1141,6 +1158,17 @@ msgstr "Standard-Design wiederherstellen" msgid "Reset back to default" msgstr "Standard wiederherstellen" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Speichern" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Design speichern" @@ -1690,7 +1718,7 @@ msgstr "%s Gruppen-Mitglieder, Seite %d" msgid "A list of the users in this group." msgstr "Liste der Benutzer in dieser Gruppe." -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" @@ -1978,18 +2006,19 @@ msgstr "" "Wenn du möchtest kannst du zu der Einladung eine persönliche Nachricht " "anfügen." -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "Senden" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s hat Dich eingeladen, auch bei %2$s mitzumachen." -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2085,8 +2114,7 @@ msgid "Error setting user. You are probably not authorized." msgstr "" "Fehler beim setzen des Benutzers. Du bist vermutlich nicht autorisiert." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Anmelden" @@ -2486,7 +2514,7 @@ msgstr "Konnte neues Passwort nicht speichern" msgid "Password saved." msgstr "Passwort gespeichert." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "" @@ -2519,7 +2547,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Ungültiger SSL-Server. Die maximale Länge ist 255 Zeichen." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Seite" @@ -2807,7 +2834,8 @@ msgstr "Konnte Profil nicht speichern." msgid "Couldn't save tags." msgstr "Konnte Tags nicht speichern." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "Einstellungen gespeichert." @@ -2820,28 +2848,28 @@ msgstr "Jenseits des Seitenlimits (%s)" msgid "Could not retrieve public stream." msgstr "Konnte öffentlichen Stream nicht abrufen." -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "Öffentliche Zeitleiste, Seite %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "Öffentliche Zeitleiste" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "Feed des öffentlichen Streams (RSS 1.0)" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "Feed des öffentlichen Streams (RSS 2.0)" -#: actions/public.php:167 +#: actions/public.php:168 msgid "Public Stream Feed (Atom)" msgstr "Feed des öffentlichen Streams (Atom)" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2850,17 +2878,17 @@ msgstr "" "Dies ist die öffentliche Zeitlinie von %%site.name%% es wurde allerdings " "noch nichts gepostet." -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "Sei der erste der etwas schreibt!" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2869,7 +2897,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3045,8 +3073,7 @@ msgstr "Entschuldigung, ungültiger Bestätigungscode." msgid "Registration successful" msgstr "Registrierung erfolgreich" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "Registrieren" @@ -3245,33 +3272,33 @@ msgstr "Erstellt" msgid "Repeated!" msgstr "Erstellt" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "Antworten an %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, php-format msgid "Replies to %1$s, page %2$d" msgstr "Antworten an %1$s, Seite %2$d" -#: actions/replies.php:144 +#: actions/replies.php:145 #, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "Feed der Antworten an %s (RSS 1.0)" -#: actions/replies.php:151 +#: actions/replies.php:152 #, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "Feed der Antworten an %s (RSS 2.0)" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "Feed der Nachrichten von %s (Atom)" -#: actions/replies.php:198 +#: actions/replies.php:199 #, fuzzy, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " @@ -3280,14 +3307,14 @@ msgstr "" "Dies ist die Zeitleiste für %s und Freunde aber bisher hat niemand etwas " "gepostet." -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" -#: actions/replies.php:205 +#: actions/replies.php:206 #, fuzzy, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3317,7 +3344,6 @@ msgid "User is already sandboxed." msgstr "Dieser Benutzer hat dich blockiert." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3343,7 +3369,7 @@ msgid "Turn on debugging output for sessions." msgstr "" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Site-Einstellungen speichern" @@ -3439,35 +3465,35 @@ msgstr "%ss favorisierte Nachrichten" msgid "Could not retrieve favorite notices." msgstr "Konnte Favoriten nicht abrufen." -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "Feed der Freunde von %s (RSS 1.0)" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "Feed der Freunde von %s (RSS 2.0)" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "Feed der Freunde von %s (Atom)" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " "they would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3475,7 +3501,7 @@ msgid "" "would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "Dies ist ein Weg Dinge zu teilen die dir gefallen." @@ -4045,22 +4071,22 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" -#: actions/tag.php:68 +#: actions/tag.php:69 #, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "Mit %1$s gekennzeichnete Nachrichten, Seite %2$d" -#: actions/tag.php:86 +#: actions/tag.php:87 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "Nachrichten Feed für Tag %s (RSS 1.0)" -#: actions/tag.php:92 +#: actions/tag.php:93 #, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "Nachrichten Feed für Tag %s (RSS 2.0)" -#: actions/tag.php:98 +#: actions/tag.php:99 #, php-format msgid "Notice feed for tag %s (Atom)" msgstr "Nachrichten Feed für Tag %s (Atom)" @@ -4150,70 +4176,72 @@ msgstr "" "Die Nachrichtenlizenz '%s' ist nicht kompatibel mit der Lizenz der Seite '%" "s'." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "Benutzer" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "Nutzer Einstellungen dieser StatusNet Seite." -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "Das Zeichenlimit der Biografie muss numerisch sein!" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "Willkommens-Nachricht ungültig. Maximale Länge sind 255 Zeichen." -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Neue Nutzer" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "Willkommens-Nachricht für neue Nutzer (maximal 255 Zeichen)." -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 msgid "Default subscription" msgstr "Standard Abonnement" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 msgid "Automatically subscribe new users to this user." msgstr "Neue Nutzer abonnieren automatisch diesen Nutzer" -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 msgid "Invitations" msgstr "Einladungen" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "Einladungen aktivieren" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "Ist es Nutzern erlaubt neue Nutzer einzuladen." @@ -4398,7 +4426,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 #, fuzzy msgid "Version" msgstr "Eigene" @@ -4602,123 +4630,191 @@ msgstr "Seite ohne Titel" msgid "Primary site navigation" msgstr "Hauptnavigation" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "Startseite" - -#: lib/action.php:439 +#, fuzzy +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Persönliches Profil und Freundes-Zeitleiste" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "Eigene" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Ändere deine E-Mail, dein Avatar, Passwort, Profil" -#: lib/action.php:444 -msgid "Connect" -msgstr "Verbinden" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "Konto" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 #, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Konnte nicht zum Server umleiten: %s" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "Verbinden" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 #, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Hauptnavigation" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "Einladen" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "Admin" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Lade Freunde und Kollegen ein dir auf %s zu folgen" -#: lib/action.php:458 -msgid "Logout" -msgstr "Abmelden" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "Einladen" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Von der Seite abmelden" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Abmelden" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Neues Konto erstellen" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "Registrieren" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Auf der Seite anmelden" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Hilfe" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Anmelden" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Hilf mir!" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "Suchen" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Hilfe" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Suche nach Leuten oder Text" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "Suchen" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "Seitennachricht" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "Lokale Ansichten" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "Neue Nachricht" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "Unternavigation" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Hilfe" + +#: lib/action.php:765 msgid "About" msgstr "Ãœber" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "AGB" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "Privatsphäre" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "Quellcode" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:751 +#: lib/action.php:782 #, fuzzy msgid "Badge" msgstr "Stups" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "StatusNet-Software-Lizenz" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4727,12 +4823,12 @@ msgstr "" "**%%site.name%%** ist ein Microbloggingdienst von [%%site.broughtby%%](%%" "site.broughtbyurl%%)." -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** ist ein Microbloggingdienst." -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4743,42 +4839,42 @@ msgstr "" "(Version %s) betrieben, die unter der [GNU Affero General Public License]" "(http://www.fsf.org/licensing/licenses/agpl-3.0.html) erhältlich ist." -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "StatusNet-Software-Lizenz" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 #, fuzzy msgid "All " msgstr "Alle " -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "Lizenz." -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "Seitenerstellung" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "Später" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "Vorher" @@ -4794,58 +4890,111 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 #, fuzzy msgid "You cannot make changes to this site." msgstr "Du kannst diesem Benutzer keine Nachricht schicken." -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 #, fuzzy msgid "Changes to that panel are not allowed." msgstr "Registrierung nicht gestattet" -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "showForm() noch nicht implementiert." -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "saveSettings() noch nicht implementiert." -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "Konnte die Design Einstellungen nicht löschen." -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 #, fuzzy msgid "Basic site configuration" msgstr "Bestätigung der E-Mail-Adresse" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "Seite" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Design configuration" msgstr "SMS-Konfiguration" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "Eigene" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 #, fuzzy msgid "User configuration" msgstr "SMS-Konfiguration" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "Benutzer" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 #, fuzzy msgid "Access configuration" msgstr "SMS-Konfiguration" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "Zugang" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 #, fuzzy msgid "Paths configuration" msgstr "SMS-Konfiguration" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +#, fuzzy +msgctxt "MENU" +msgid "Paths" +msgstr "Pfad" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 #, fuzzy msgid "Sessions configuration" msgstr "SMS-Konfiguration" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "Eigene" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4945,12 +5094,12 @@ msgstr "Nachrichten in denen dieser Anhang erscheint" msgid "Tags for this attachment" msgstr "Tags für diesen Anhang" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 #, fuzzy msgid "Password changing failed" msgstr "Passwort geändert" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 #, fuzzy msgid "Password changing is not allowed" msgstr "Passwort geändert" @@ -5225,19 +5374,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 msgid "No configuration file found. " msgstr "Keine Konfigurationsdatei gefunden." -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "Ich habe an folgenden Stellen nach Konfigurationsdateien gesucht: " -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:140 +#: lib/common.php:152 #, fuzzy msgid "Go to the installer." msgstr "Auf der Seite anmelden" @@ -5937,6 +6086,10 @@ msgstr "Antworten" msgid "Favorites" msgstr "Favoriten" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "Benutzer" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Posteingang" @@ -6048,6 +6201,10 @@ msgstr "Site durchsuchen" msgid "Keyword(s)" msgstr "" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Suchen" + #: lib/searchaction.php:162 #, fuzzy msgid "Search help" @@ -6100,6 +6257,15 @@ msgstr "Leute, die %s abonniert haben" msgid "Groups %s is a member of" msgstr "Gruppen in denen %s Mitglied ist" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "Einladen" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "Lade Freunde und Kollegen ein dir auf %s zu folgen" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6170,47 +6336,47 @@ msgstr "Nachricht" msgid "Moderate" msgstr "Moderieren" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "vor wenigen Sekunden" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "vor einer Minute" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "vor %d Minuten" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "vor einer Stunde" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "vor %d Stunden" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "vor einem Tag" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "vor %d Tagen" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "vor einem Monat" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "vor %d Monaten" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "vor einem Jahr" diff --git a/locale/el/LC_MESSAGES/statusnet.po b/locale/el/LC_MESSAGES/statusnet.po index dd3fd374a..ed9ab7803 100644 --- a/locale/el/LC_MESSAGES/statusnet.po +++ b/locale/el/LC_MESSAGES/statusnet.po @@ -9,78 +9,84 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:48:09+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:02:33+0000\n" "Language-Team: Greek\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: el\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "ΠÏόσβαση" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 #, fuzzy msgid "Site access settings" msgstr "Ρυθμίσεις OpenID" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 #, fuzzy msgid "Registration" msgstr "ΠεÏιγÏαφή" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" +msgctxt "LABEL" +msgid "Private" msgstr "" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "" -#: actions/accessadminpanel.php:173 -msgid "Closed" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" msgstr "" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "" -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" msgstr "" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 #, fuzzy msgid "Save access settings" msgstr "Ρυθμίσεις OpenID" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "ΑποχώÏηση" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "Δεν υπάÏχει τέτοια σελίδα" -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -106,61 +112,70 @@ msgstr "Δεν υπάÏχει τέτοια σελίδα" msgid "No such user." msgstr "Κανένας τέτοιος χÏήστης." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, fuzzy, php-format msgid "%1$s and friends, page %2$d" msgstr "%s και οι φίλοι του/της" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s και οι φίλοι του/της" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "Ροή φίλων του/της %s (RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "Ροή φίλων του/της %s (RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "Ροή φίλων του/της %s (Atom)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "" -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " "something yourself." msgstr "" -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " "post a notice to his or her attention." msgstr "" -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "Εσείς και οι φίλοι σας" @@ -555,7 +570,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "ΛογαÏιασμός" @@ -686,7 +701,7 @@ msgstr "" msgid "Repeats of %s" msgstr "" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "" @@ -941,7 +956,7 @@ msgstr "Ομάδες με τα πεÏισσότεÏα μέλη" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "" @@ -967,12 +982,13 @@ msgstr "Αδυναμία διαγÏαφής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… μηνÏματος msgid "Delete this application" msgstr "ΠεÏιγÏάψτε την ομάδα ή το θέμα" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "" @@ -1029,7 +1045,7 @@ msgid "Delete this user" msgstr "ΔιαγÏάψτε αυτόν τον χÏήστη" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1133,6 +1149,17 @@ msgstr "" msgid "Reset back to default" msgstr "" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1692,7 +1719,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "ΔιαχειÏιστής" @@ -1958,17 +1985,18 @@ msgstr "" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 -msgctxt "Send button for inviting friends" +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 +msgctxt "BUTTON" msgid "Send" msgstr "" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2038,8 +2066,7 @@ msgstr "Λάθος όνομα χÏήστη ή κωδικός" msgid "Error setting user. You are probably not authorized." msgstr "" -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "ΣÏνδεση" @@ -2434,7 +2461,7 @@ msgstr "ΑδÏνατη η αποθήκευση του νέου κωδικοÏ" msgid "Password saved." msgstr "Ο κωδικός αποθηκεÏτηκε." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "" @@ -2467,7 +2494,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "" @@ -2756,7 +2782,8 @@ msgstr "Απέτυχε η αποθήκευση του Ï€Ïοφίλ." msgid "Couldn't save tags." msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "" @@ -2769,46 +2796,46 @@ msgstr "" msgid "Could not retrieve public stream." msgstr "" -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "" -#: actions/public.php:167 +#: actions/public.php:168 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "Δημόσια Ïοή %s" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2817,7 +2844,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2988,8 +3015,7 @@ msgstr "" msgid "Registration successful" msgstr "" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "" @@ -3182,47 +3208,47 @@ msgstr "ΔημιουÏγία" msgid "Repeated!" msgstr "ΔημιουÏγία" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "" -#: actions/replies.php:127 +#: actions/replies.php:128 #, php-format msgid "Replies to %1$s, page %2$d" msgstr "" -#: actions/replies.php:144 +#: actions/replies.php:145 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "Ροή φίλων του/της %s" -#: actions/replies.php:151 +#: actions/replies.php:152 #, fuzzy, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "Ροή φίλων του/της %s" -#: actions/replies.php:158 +#: actions/replies.php:159 #, fuzzy, php-format msgid "Replies feed for %s (Atom)" msgstr "Ροή φίλων του/της %s" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "" -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3248,7 +3274,6 @@ msgid "User is already sandboxed." msgstr "" #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3273,7 +3298,7 @@ msgid "Turn on debugging output for sessions." msgstr "" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" msgstr "Ρυθμίσεις OpenID" @@ -3368,35 +3393,35 @@ msgstr "%s και οι φίλοι του/της" msgid "Could not retrieve favorite notices." msgstr "" -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, fuzzy, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "Ροή φίλων του/της %s" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, fuzzy, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "Ροή φίλων του/της %s" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, fuzzy, php-format msgid "Feed for favorites of %s (Atom)" msgstr "Ροή φίλων του/της %s" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " "they would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3404,7 +3429,7 @@ msgid "" "would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "" @@ -3955,22 +3980,22 @@ msgstr "" msgid "SMS" msgstr "" -#: actions/tag.php:68 +#: actions/tag.php:69 #, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "" -#: actions/tag.php:86 +#: actions/tag.php:87 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "" -#: actions/tag.php:92 +#: actions/tag.php:93 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "Ροή φίλων του/της %s" -#: actions/tag.php:98 +#: actions/tag.php:99 #, php-format msgid "Notice feed for tag %s (Atom)" msgstr "" @@ -4052,74 +4077,75 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +msgctxt "TITLE" msgid "User" msgstr "" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Îέοι χÏήστες" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Default subscription" msgstr "Όλες οι συνδÏομές" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "" "Αυτόματα γίνε συνδÏομητής σε όσους γίνονται συνδÏομητές σε μένα (χÏήση " "κυÏίως από λογισμικό και όχι ανθÏώπους)" -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 msgid "Invitations" msgstr "ΠÏοσκλήσεις" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "" @@ -4293,7 +4319,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 #, fuzzy msgid "Version" msgstr "ΠÏοσωπικά" @@ -4488,121 +4514,185 @@ msgstr "" msgid "Primary site navigation" msgstr "" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "ΑÏχή" - -#: lib/action.php:439 +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 -msgid "Change your email, avatar, password, profile" -msgstr "" +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "ΠÏοσωπικά" +#. TRANS: Tooltip for main menu option "Account" #: lib/action.php:444 -msgid "Connect" -msgstr "ΣÏνδεση" +#, fuzzy +msgctxt "TOOLTIP" +msgid "Change your email, avatar, password, profile" +msgstr "Αλλάξτε τον κωδικό σας" -#: lib/action.php:444 +#: lib/action.php:447 #, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "ΛογαÏιασμός" + +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Αδυναμία ανακατεÏθηνσης στο διακομιστή: %s" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "ΣÏνδεση" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" -msgstr "" +msgstr "Επιβεβαίωση διεÏθυνσης email" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "ΔιαχειÏιστής" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "ΠÏοσκάλεσε φίλους και συναδέλφους σου να γίνουν μέλη στο %s" -#: lib/action.php:458 -msgid "Logout" -msgstr "ΑποσÏνδεση" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "Μήνυμα" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "ΑποσÏνδεση" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "ΔημιουÏγία ενός λογαÏιασμοÏ" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "ΠεÏιγÏαφή" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Βοήθεια" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "ΣÏνδεση" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Βοηθήστε με!" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Βοήθεια" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "" -#: lib/action.php:493 +#: lib/action.php:502 +msgctxt "MENU" +msgid "Search" +msgstr "" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Βοήθεια" + +#: lib/action.php:765 msgid "About" msgstr "ΠεÏί" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "Συχνές εÏωτήσεις" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Επικοινωνία" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "" -#: lib/action.php:782 +#: lib/action.php:813 #, fuzzy, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4611,13 +4701,13 @@ msgstr "" "To **%%site.name%%** είναι μία υπηÏεσία microblogging (μικÏο-ιστολογίου) που " "έφεÏε κοντά σας το [%%site.broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:815 #, fuzzy, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" "Το **%%site.name%%** είναι μία υπηÏεσία microblogging (μικÏο-ιστολογίου). " -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4625,41 +4715,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "" -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "" -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "" @@ -4675,56 +4765,106 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "" -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." msgstr "" -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "" -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "" -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "" -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 #, fuzzy msgid "Basic site configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +msgctxt "MENU" +msgid "Site" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Design configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "ΠÏοσωπικά" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 #, fuzzy msgid "User configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +msgctxt "MENU" +msgid "User" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 #, fuzzy msgid "Access configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "ΠÏόσβαση" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 #, fuzzy msgid "Paths configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +msgctxt "MENU" +msgid "Paths" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 #, fuzzy msgid "Sessions configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "ΠÏοσωπικά" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4820,12 +4960,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 #, fuzzy msgid "Password changing failed" msgstr "Ο κωδικός αποθηκεÏτηκε." -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 #, fuzzy msgid "Password changing is not allowed" msgstr "Ο κωδικός αποθηκεÏτηκε." @@ -5104,20 +5244,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 #, fuzzy msgid "No configuration file found. " msgstr "Ο κωδικός επιβεβαίωσης δεν βÏέθηκε." -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "" @@ -5747,6 +5887,10 @@ msgstr "" msgid "Favorites" msgstr "" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" @@ -5859,6 +6003,10 @@ msgstr "" msgid "Keyword(s)" msgstr "" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "" + #: lib/searchaction.php:162 msgid "Search help" msgstr "" @@ -5911,6 +6059,15 @@ msgstr "" msgid "Groups %s is a member of" msgstr "" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "ΠÏοσκάλεσε φίλους και συναδέλφους σου να γίνουν μέλη στο %s" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -5983,47 +6140,47 @@ msgstr "Μήνυμα" msgid "Moderate" msgstr "" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "" diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index 0f0fd3b65..d0ba439ba 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -2,7 +2,6 @@ # # Author@translatewiki.net: Bruce89 # Author@translatewiki.net: CiaranG -# Author@translatewiki.net: Lockal # -- # This file is distributed under the same license as the StatusNet package. # @@ -10,75 +9,82 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:48:12+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:02:36+0000\n" "Language-Team: British English\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "Access" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 msgid "Site access settings" msgstr "Site access settings" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 msgid "Registration" msgstr "Registration" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "Private" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "Prohibit anonymous users (not logged in) from viewing site?" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" -msgstr "Invite only" +#, fuzzy +msgctxt "LABEL" +msgid "Private" +msgstr "Private" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "Make registration invitation only." -#: actions/accessadminpanel.php:173 -msgid "Closed" -msgstr "Closed" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "Invite only" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "Disable new registrations." -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Save" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" +msgstr "Closed" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 msgid "Save access settings" msgstr "Save access settings" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "Save" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "No such page" -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -104,41 +110,48 @@ msgstr "No such page" msgid "No such user." msgstr "No such user." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, php-format msgid "%1$s and friends, page %2$d" msgstr "%1$s and friends, page %2$d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s and friends" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "Feed for friends of %s (RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "Feed for friends of %s (RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "Feed for friends of %s (Atom)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "" "This is the timeline for %s and friends but no one has posted anything yet." -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " @@ -147,7 +160,8 @@ msgstr "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " "something yourself." -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " @@ -156,7 +170,7 @@ msgstr "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -165,7 +179,8 @@ msgstr "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " "post a notice to his or her attention." -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "You and friends" @@ -559,7 +574,7 @@ msgstr "" "the ability to %3$s your %4$s account data. You should only " "give access to your %4$s account to third parties you trust." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "Account" @@ -688,7 +703,7 @@ msgstr "Repeated to %s" msgid "Repeats of %s" msgstr "Repeats of %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "Notices tagged with %s" @@ -938,7 +953,7 @@ msgstr "You are not the owner of this application." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "There was a problem with your session token." @@ -964,12 +979,13 @@ msgstr "Do not delete this application" msgid "Delete this application" msgstr "Delete this application" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "Not logged in." @@ -1027,7 +1043,7 @@ msgid "Delete this user" msgstr "Delete this user" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "Design" @@ -1130,6 +1146,17 @@ msgstr "Restore default designs" msgid "Reset back to default" msgstr "Reset back to default" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Save" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Save design" @@ -1537,23 +1564,20 @@ msgid "Could not convert request token to access token." msgstr "Couldn't convert request tokens to access tokens." #: actions/finishremotesubscribe.php:118 -#, fuzzy msgid "Remote service uses unknown version of OMB protocol." -msgstr "Unknown version of OMB protocol." +msgstr "Remote service uses unknown version of OMB protocol." #: actions/finishremotesubscribe.php:138 lib/oauthstore.php:306 msgid "Error updating remote profile" msgstr "Error updating remote profile." #: actions/getfile.php:79 -#, fuzzy msgid "No such file." -msgstr "No such notice." +msgstr "No such file." #: actions/getfile.php:83 -#, fuzzy msgid "Cannot read file." -msgstr "Lost our file." +msgstr "Cannot read file." #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 @@ -1569,9 +1593,8 @@ msgstr "No profile with that ID." #: actions/groupblock.php:81 actions/groupunblock.php:81 #: actions/makeadmin.php:81 -#, fuzzy msgid "No group specified." -msgstr "No profile specified." +msgstr "No group specified." #: actions/groupblock.php:91 msgid "Only an admin can block group members." @@ -1586,9 +1609,8 @@ msgid "User is not a member of group." msgstr "User is not a member of group." #: actions/groupblock.php:136 actions/groupmembers.php:323 -#, fuzzy msgid "Block user from group" -msgstr "Block user" +msgstr "Block user from group" #: actions/groupblock.php:162 #, php-format @@ -1614,19 +1636,16 @@ msgid "Database error blocking user from group." msgstr "Database error blocking user from group." #: actions/groupbyid.php:74 actions/userbyid.php:70 -#, fuzzy msgid "No ID." -msgstr "No ID" +msgstr "No ID." #: actions/groupdesignsettings.php:68 -#, fuzzy msgid "You must be logged in to edit a group." -msgstr "You must be logged in to create a group." +msgstr "You must be logged in to edit a group." #: actions/groupdesignsettings.php:144 -#, fuzzy msgid "Group design" -msgstr "Groups" +msgstr "Group design" #: actions/groupdesignsettings.php:155 msgid "" @@ -1638,34 +1657,31 @@ msgstr "" #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 -#, fuzzy msgid "Couldn't update your design." -msgstr "Couldn't update user." +msgstr "Couldn't update your design." #: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 -#, fuzzy msgid "Design preferences saved." -msgstr "Sync preferences saved." +msgstr "Design preferences saved." #: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" msgstr "Group logo" #: actions/grouplogo.php:153 -#, fuzzy, php-format +#, php-format msgid "" "You can upload a logo image for your group. The maximum file size is %s." -msgstr "You can upload a logo image for your group." +msgstr "" +"You can upload a logo image for your group. The maximum file size is %s." #: actions/grouplogo.php:181 -#, fuzzy msgid "User without matching profile." -msgstr "User without matching profile" +msgstr "User without matching profile." #: actions/grouplogo.php:365 -#, fuzzy msgid "Pick a square area of the image to be the logo." -msgstr "Pick a square area of the image to be your avatar" +msgstr "Pick a square area of the image to be the logo." #: actions/grouplogo.php:399 msgid "Logo updated." @@ -1681,15 +1697,15 @@ msgid "%s group members" msgstr "%s group members" #: actions/groupmembers.php:103 -#, fuzzy, php-format +#, php-format msgid "%1$s group members, page %2$d" -msgstr "%s group members, page %d" +msgstr "%1$s group members, page %2$d" #: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "A list of the users in this group." -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" @@ -1698,23 +1714,21 @@ msgid "Block" msgstr "Block" #: actions/groupmembers.php:450 -#, fuzzy msgid "Make user an admin of the group" -msgstr "You must be an admin to edit the group" +msgstr "Make user an admin of the group" #: actions/groupmembers.php:482 -#, fuzzy msgid "Make Admin" -msgstr "Admin" +msgstr "Make admin" #: actions/groupmembers.php:482 msgid "Make this user an admin" -msgstr "" +msgstr "Make this user an admin" #: actions/grouprss.php:140 -#, fuzzy, php-format +#, php-format msgid "Updates from members of %1$s on %2$s!" -msgstr "Updates from %1$s on %2$s!" +msgstr "Updates from members of %1$s on %2$s!" #: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 @@ -1746,12 +1760,12 @@ msgid "Create a new group" msgstr "Create a new group" #: actions/groupsearch.php:52 -#, fuzzy, php-format +#, php-format msgid "" "Search for groups on %%site.name%% by their name, location, or description. " "Separate the terms by spaces; they must be 3 characters or more." msgstr "" -"Search for people on %%site.name%% by their name, location, or interests. " +"Search for groups on %%site.name%% by their name, location, or description. " "Separate the terms by spaces; they must be 3 characters or more." #: actions/groupsearch.php:58 @@ -1760,9 +1774,8 @@ msgstr "Group search" #: actions/groupsearch.php:79 actions/noticesearch.php:117 #: actions/peoplesearch.php:83 -#, fuzzy msgid "No results." -msgstr "No results" +msgstr "No results." #: actions/groupsearch.php:82 #, php-format @@ -1791,9 +1804,8 @@ msgid "Error removing the block." msgstr "Error removing the block." #: actions/imsettings.php:59 -#, fuzzy msgid "IM settings" -msgstr "I.M. Settings" +msgstr "IM settings" #: actions/imsettings.php:70 #, php-format @@ -1885,9 +1897,9 @@ msgid "That is not your Jabber ID." msgstr "That is not your Jabber ID." #: actions/inbox.php:59 -#, fuzzy, php-format +#, php-format msgid "Inbox for %1$s - page %2$d" -msgstr "Inbox for %s" +msgstr "Inbox for %1$s - page %2$d" #: actions/inbox.php:62 #, php-format @@ -1969,18 +1981,19 @@ msgstr "Personal message" msgid "Optionally add a personal message to the invitation." msgstr "Optionally add a personal message to the invitation." -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "Send" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s has invited you to join them on %2$s" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2042,14 +2055,13 @@ msgid "You must be logged in to join a group." msgstr "You must be logged in to join a group." #: actions/joingroup.php:88 actions/leavegroup.php:88 -#, fuzzy msgid "No nickname or ID." -msgstr "No nickname." +msgstr "No nickname or ID." #: actions/joingroup.php:141 -#, fuzzy, php-format +#, php-format msgid "%1$s joined group %2$s" -msgstr "%s joined group %s" +msgstr "%1$s joined group %2$s" #: actions/leavegroup.php:60 msgid "You must be logged in to leave a group." @@ -2060,9 +2072,9 @@ msgid "You are not a member of that group." msgstr "You are not a member of that group." #: actions/leavegroup.php:137 -#, fuzzy, php-format +#, php-format msgid "%1$s left group %2$s" -msgstr "%s left group %s" +msgstr "%1$s left group %2$s" #: actions/login.php:80 actions/otp.php:62 actions/register.php:137 msgid "Already logged in." @@ -2076,8 +2088,7 @@ msgstr "Incorrect username or password." msgid "Error setting user. You are probably not authorized." msgstr "Error setting user. You are probably not authorised." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Login" @@ -2119,47 +2130,43 @@ msgid "Only an admin can make another user an admin." msgstr "" #: actions/makeadmin.php:96 -#, fuzzy, php-format +#, php-format msgid "%1$s is already an admin for group \"%2$s\"." -msgstr "User is already blocked from group." +msgstr "%1$s is already an admin for group \"%2$s\"." #: actions/makeadmin.php:133 -#, fuzzy, php-format +#, php-format msgid "Can't get membership record for %1$s in group %2$s." -msgstr "Could not remove user %s to group %s" +msgstr "Can't get membership record for %1$s in group %2$s." #: actions/makeadmin.php:146 -#, fuzzy, php-format +#, php-format msgid "Can't make %1$s an admin for group %2$s." -msgstr "You must be an admin to edit the group" +msgstr "Can't make %1$s an admin for group %2$s." #: actions/microsummary.php:69 msgid "No current status" msgstr "No current status" #: actions/newapplication.php:52 -#, fuzzy msgid "New Application" -msgstr "No such notice." +msgstr "New Application" #: actions/newapplication.php:64 -#, fuzzy msgid "You must be logged in to register an application." -msgstr "You must be logged in to create a group." +msgstr "You must be logged in to register an application." #: actions/newapplication.php:143 -#, fuzzy msgid "Use this form to register a new application." -msgstr "Use this form to create a new group." +msgstr "Use this form to register a new application." #: actions/newapplication.php:176 msgid "Source URL is required." -msgstr "" +msgstr "Source URL is required." #: actions/newapplication.php:258 actions/newapplication.php:267 -#, fuzzy msgid "Could not create application." -msgstr "Could not create aliases" +msgstr "Could not create application." #: actions/newgroup.php:53 msgid "New group" @@ -2197,9 +2204,9 @@ msgid "Message sent" msgstr "Message sent" #: actions/newmessage.php:185 -#, fuzzy, php-format +#, php-format msgid "Direct message to %s sent." -msgstr "Direct message to %s sent" +msgstr "Could not create application." #: actions/newmessage.php:210 actions/newnotice.php:245 lib/channel.php:170 msgid "Ajax Error" @@ -2227,9 +2234,9 @@ msgid "Text search" msgstr "Text search" #: actions/noticesearch.php:91 -#, fuzzy, php-format +#, php-format msgid "Search results for \"%1$s\" on %2$s" -msgstr "Search results for \"%s\" on %s" +msgstr "Search results for \"%1$s\" on %2$s" #: actions/noticesearch.php:121 #, php-format @@ -2237,6 +2244,8 @@ msgid "" "Be the first to [post on this topic](%%%%action.newnotice%%%%?" "status_textarea=%s)!" msgstr "" +"Be the first to [post on this topic](%%%%action.newnotice%%%%?" +"status_textarea=%s)!" #: actions/noticesearch.php:124 #, php-format @@ -2272,14 +2281,12 @@ msgid "Nudge sent!" msgstr "Nudge sent!" #: actions/oauthappssettings.php:59 -#, fuzzy msgid "You must be logged in to list your applications." -msgstr "You must be logged in to create a group." +msgstr "You must be logged in to list your applications." #: actions/oauthappssettings.php:74 -#, fuzzy msgid "OAuth applications" -msgstr "Other options" +msgstr "OAuth applications" #: actions/oauthappssettings.php:85 msgid "Applications you have registered" @@ -2299,9 +2306,8 @@ msgid "You have allowed the following applications to access you account." msgstr "" #: actions/oauthconnectionssettings.php:175 -#, fuzzy msgid "You are not a user of that application." -msgstr "You are not a member of that group." +msgstr "You are not a user of that application." #: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " @@ -2326,9 +2332,8 @@ msgid "%1$s's status on %2$s" msgstr "%1$s's status on %2$s" #: actions/oembed.php:157 -#, fuzzy msgid "content type " -msgstr "Connect" +msgstr "content type " #: actions/oembed.php:160 msgid "Only " @@ -2348,9 +2353,8 @@ msgid "Notice Search" msgstr "Notice Search" #: actions/othersettings.php:60 -#, fuzzy msgid "Other settings" -msgstr "Other Settings" +msgstr "Other settings" #: actions/othersettings.php:71 msgid "Manage various other options." @@ -2369,9 +2373,8 @@ msgid "Automatic shortening service to use." msgstr "Automatic shortening service to use." #: actions/othersettings.php:122 -#, fuzzy msgid "View profile designs" -msgstr "Profile settings" +msgstr "View profile designs" #: actions/othersettings.php:123 msgid "Show or hide profile designs." @@ -2382,34 +2385,29 @@ msgid "URL shortening service is too long (max 50 chars)." msgstr "URL shortening service is too long (max 50 chars)." #: actions/otp.php:69 -#, fuzzy msgid "No user ID specified." -msgstr "No profile specified." +msgstr "No user ID specified." #: actions/otp.php:83 -#, fuzzy msgid "No login token specified." -msgstr "No profile specified." +msgstr "No login token specified." #: actions/otp.php:90 -#, fuzzy msgid "No login token requested." -msgstr "No profile id in request." +msgstr "No login token requested." #: actions/otp.php:95 -#, fuzzy msgid "Invalid login token specified." -msgstr "Invalid notice content" +msgstr "Invalid login token specified." #: actions/otp.php:104 -#, fuzzy msgid "Login token expired." -msgstr "Login to site" +msgstr "Login token expired." #: actions/outbox.php:58 -#, fuzzy, php-format +#, php-format msgid "Outbox for %1$s - page %2$d" -msgstr "Outbox for %s" +msgstr "Outbox for %1$s - page %2$d" #: actions/outbox.php:61 #, php-format @@ -2481,7 +2479,7 @@ msgstr "Can't save new password." msgid "Password saved." msgstr "Password saved." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "" @@ -2514,10 +2512,8 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 -#, fuzzy msgid "Site" -msgstr "Invite" +msgstr "Site" #: actions/pathsadminpanel.php:238 msgid "Server" @@ -2568,24 +2564,20 @@ msgid "Theme directory" msgstr "" #: actions/pathsadminpanel.php:279 -#, fuzzy msgid "Avatars" -msgstr "Avatar" +msgstr "Avatars" #: actions/pathsadminpanel.php:284 -#, fuzzy msgid "Avatar server" -msgstr "Avatar settings" +msgstr "Avatar server" #: actions/pathsadminpanel.php:288 -#, fuzzy msgid "Avatar path" -msgstr "Avatar updated." +msgstr "Avatar path" #: actions/pathsadminpanel.php:292 -#, fuzzy msgid "Avatar directory" -msgstr "Avatar updated." +msgstr "Avatar directory" #: actions/pathsadminpanel.php:301 msgid "Backgrounds" @@ -2628,9 +2620,8 @@ msgid "When to use SSL" msgstr "" #: actions/pathsadminpanel.php:335 -#, fuzzy msgid "SSL server" -msgstr "Server" +msgstr "SSL server" #: actions/pathsadminpanel.php:336 msgid "Server to direct SSL requests to" @@ -2659,9 +2650,9 @@ msgid "Not a valid people tag: %s" msgstr "Not a valid people tag: %s" #: actions/peopletag.php:144 -#, fuzzy, php-format +#, php-format msgid "Users self-tagged with %1$s - page %2$d" -msgstr "Users self-tagged with %s - page %d" +msgstr "Users self-tagged with %1$s - page %2$d" #: actions/postnotice.php:84 msgid "Invalid notice content" @@ -2790,9 +2781,8 @@ msgid "Couldn't update user for autosubscribe." msgstr "Couldn't update user for autosubscribe." #: actions/profilesettings.php:363 -#, fuzzy msgid "Couldn't save location prefs." -msgstr "Couldn't save tags." +msgstr "Couldn't save location prefs." #: actions/profilesettings.php:375 msgid "Couldn't save profile." @@ -2802,7 +2792,8 @@ msgstr "Couldn't save profile." msgid "Couldn't save tags." msgstr "Couldn't save tags." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "Settings saved." @@ -2815,48 +2806,45 @@ msgstr "" msgid "Could not retrieve public stream." msgstr "Could not retrieve public stream." -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "Public timeline, page %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "Public timeline" -#: actions/public.php:159 -#, fuzzy +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" -msgstr "Public Stream Feed" +msgstr "Public Stream Feed (RSS 1.0)" -#: actions/public.php:163 -#, fuzzy +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" -msgstr "Public Stream Feed" +msgstr "Public Stream Feed (RSS 2.0)" -#: actions/public.php:167 -#, fuzzy +#: actions/public.php:168 msgid "Public Stream Feed (Atom)" -msgstr "Public Stream Feed" +msgstr "Public Stream Feed (Atom)" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2869,7 +2857,7 @@ msgstr "" "tool. [Join now](%%action.register%%) to share notices about yourself with " "friends, family, and colleagues! ([Read more](%%doc.help%%))" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3038,16 +3026,14 @@ msgid "Sorry, only invited people can register." msgstr "Sorry, only invited people can register." #: actions/register.php:92 -#, fuzzy msgid "Sorry, invalid invitation code." -msgstr "Error with confirmation code." +msgstr "Sorry, invalid invitation code." #: actions/register.php:112 msgid "Registration successful" msgstr "Registration successful" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "Register" @@ -3107,12 +3093,11 @@ msgid "Creative Commons Attribution 3.0" msgstr "" #: actions/register.php:497 -#, fuzzy msgid "" " except this private data: password, email address, IM address, and phone " "number." msgstr "" -" except this private data: password, e-mail address, IM address, phone " +" except this private data: password, email address, IM address, and phone " "number." #: actions/register.php:538 @@ -3172,9 +3157,8 @@ msgid "Remote subscribe" msgstr "Remote subscribe" #: actions/remotesubscribe.php:124 -#, fuzzy msgid "Subscribe to a remote user" -msgstr "Subscribe to this user" +msgstr "Subscribe to a remote user" #: actions/remotesubscribe.php:129 msgid "User nickname" @@ -3202,98 +3186,91 @@ msgid "Invalid profile URL (bad format)" msgstr "Invalid profile URL (bad format)" #: actions/remotesubscribe.php:168 -#, fuzzy msgid "Not a valid profile URL (no YADIS document or invalid XRDS defined)." -msgstr "Not a valid profile URL (no YADIS document)." +msgstr "Not a valid profile URL (no YADIS document or invalid XRDS defined)." #: actions/remotesubscribe.php:176 -#, fuzzy msgid "That’s a local profile! Login to subscribe." -msgstr "That's a local profile! Login to subscribe." +msgstr "That’s a local profile! Login to subscribe." #: actions/remotesubscribe.php:183 -#, fuzzy msgid "Couldn’t get a request token." -msgstr "Couldn't get a request token." +msgstr "Couldn’t get a request token." #: actions/repeat.php:57 -#, fuzzy msgid "Only logged-in users can repeat notices." -msgstr "Only the user can read their own mailboxes." +msgstr "Only logged-in users can repeat notices." #: actions/repeat.php:64 actions/repeat.php:71 -#, fuzzy msgid "No notice specified." -msgstr "No profile specified." +msgstr "No notice specified." #: actions/repeat.php:76 msgid "You can't repeat your own notice." msgstr "You can't repeat your own notice." #: actions/repeat.php:90 -#, fuzzy msgid "You already repeated that notice." -msgstr "You have already blocked this user." +msgstr "You already repeated that notice." #: actions/repeat.php:114 lib/noticelist.php:674 -#, fuzzy msgid "Repeated" -msgstr "Created" +msgstr "Repeated" #: actions/repeat.php:119 -#, fuzzy msgid "Repeated!" -msgstr "Created" +msgstr "Repeated!" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "Replies to %s" -#: actions/replies.php:127 -#, fuzzy, php-format +#: actions/replies.php:128 +#, php-format msgid "Replies to %1$s, page %2$d" -msgstr "Replies to %1$s on %2$s!" +msgstr "Replies to %1$s, page %2$d" -#: actions/replies.php:144 +#: actions/replies.php:145 #, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "Replies feed for %s (RSS 1.0)" -#: actions/replies.php:151 +#: actions/replies.php:152 #, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "Replies feed for %s (RSS 2.0)" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "Notice feed for %s" -#: actions/replies.php:198 -#, fuzzy, php-format +#: actions/replies.php:199 +#, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "" -"This is the timeline for %s and friends but no one has posted anything yet." +"This is the timeline showing replies to %1$s but %2$s hasn't received a " +"notice to his attention yet." -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" -#: actions/replies.php:205 -#, fuzzy, php-format +#: actions/replies.php:206 +#, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " "attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -"You can try to [nudge %s](../%s) from his profile or [post something to his " -"or her attention](%%%%action.newnotice%%%%?status_textarea=%s)." +"You can try to [nudge %1$s](../%2$s) or [post something to his or her " +"attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." #: actions/repliesrss.php:72 #, php-format @@ -3301,9 +3278,8 @@ msgid "Replies to %1$s on %2$s!" msgstr "Replies to %1$s on %2$s!" #: actions/rsd.php:146 actions/version.php:157 -#, fuzzy msgid "StatusNet" -msgstr "Status deleted." +msgstr "StatusNet" #: actions/sandbox.php:65 actions/unsandbox.php:65 msgid "You cannot sandbox users on this site." @@ -3314,14 +3290,12 @@ msgid "User is already sandboxed." msgstr "User is already sandboxed." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" #: actions/sessionsadminpanel.php:65 -#, fuzzy msgid "Session settings for this StatusNet site." -msgstr "Design settings for this StausNet site." +msgstr "Session settings for this StatusNet site." #: actions/sessionsadminpanel.php:175 msgid "Handle sessions" @@ -3340,19 +3314,17 @@ msgid "Turn on debugging output for sessions." msgstr "" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Save site settings" #: actions/showapplication.php:82 -#, fuzzy msgid "You must be logged in to view an application." -msgstr "You must be logged in to leave a group." +msgstr "You must be logged in to view an application." #: actions/showapplication.php:157 -#, fuzzy msgid "Application profile" -msgstr "Notice has no profile" +msgstr "Application profile" #: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" @@ -3360,14 +3332,12 @@ msgstr "" #: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 -#, fuzzy msgid "Name" -msgstr "Nickname" +msgstr "Name" #: actions/showapplication.php:178 lib/applicationeditform.php:222 -#, fuzzy msgid "Organization" -msgstr "Pagination" +msgstr "Organization" #: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 @@ -3423,35 +3393,34 @@ msgid "" msgstr "" #: actions/showapplication.php:309 -#, fuzzy msgid "Are you sure you want to reset your consumer key and secret?" -msgstr "Are you sure you want to delete this notice?" +msgstr "Are you sure you want to reset your consumer key and secret?" #: actions/showfavorites.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s's favorite notices, page %2$d" -msgstr "%s's favourite notices" +msgstr "%1$s's favorite notices, page %2$d" #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." msgstr "Could not retrieve favourite notices." -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "Feed for friends of %s" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "Feed for friends of %s" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "Feed for friends of %s" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." @@ -3459,7 +3428,7 @@ msgstr "" "You haven't chosen any favourite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " @@ -3468,7 +3437,7 @@ msgstr "" "%s hasn't added any notices to his favourites yet. Post something " "interesting they would add to their favourites :)" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3479,7 +3448,7 @@ msgstr "" "account](%%%%action.register%%%%) and then post something interesting they " "would add to their favourites :)" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "" @@ -3489,9 +3458,9 @@ msgid "%s group" msgstr "%s group" #: actions/showgroup.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s group, page %2$d" -msgstr "%s group members, page %d" +msgstr "%1$s group, page %2$d" #: actions/showgroup.php:226 msgid "Group profile" @@ -3516,19 +3485,19 @@ msgid "Group actions" msgstr "Group actions" #: actions/showgroup.php:336 -#, fuzzy, php-format +#, php-format msgid "Notice feed for %s group (RSS 1.0)" -msgstr "Notice feed for %s group" +msgstr "Notice feed for %s group (RSS 1.0)" #: actions/showgroup.php:342 -#, fuzzy, php-format +#, php-format msgid "Notice feed for %s group (RSS 2.0)" -msgstr "Notice feed for %s group" +msgstr "Notice feed for %s group (RSS 2.0)" #: actions/showgroup.php:348 -#, fuzzy, php-format +#, php-format msgid "Notice feed for %s group (Atom)" -msgstr "Notice feed for %s group" +msgstr "Notice feed for %s group (Atom)" #: actions/showgroup.php:353 #, php-format @@ -3569,7 +3538,7 @@ msgstr "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" #: actions/showgroup.php:462 -#, fuzzy, php-format +#, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." "wikipedia.org/wiki/Micro-blogging) service based on the Free Software " @@ -3577,12 +3546,13 @@ msgid "" "their life and interests. " msgstr "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." -"wikipedia.org/wiki/Micro-blogging) service " +"wikipedia.org/wiki/Micro-blogging) service based on the Free Software " +"[StatusNet](http://status.net/) tool. Its members share short messages about " +"their life and interests. " #: actions/showgroup.php:490 -#, fuzzy msgid "Admins" -msgstr "Admin" +msgstr "Admins" #: actions/showmessage.php:81 msgid "No such message." @@ -3612,29 +3582,29 @@ msgid " tagged %s" msgstr " tagged %s" #: actions/showstream.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s, page %2$d" -msgstr "%1$s and friends, page %2$d" +msgstr "%1$s, page %2$d" #: actions/showstream.php:122 -#, fuzzy, php-format +#, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" -msgstr "Notice feed for %s tagged %s (RSS 1.0)" +msgstr "Notice feed for %1$s tagged %2$s (RSS 1.0)" #: actions/showstream.php:129 -#, fuzzy, php-format +#, php-format msgid "Notice feed for %s (RSS 1.0)" -msgstr "Notice feed for %s" +msgstr "Notice feed for %s (RSS 1.0)" #: actions/showstream.php:136 -#, fuzzy, php-format +#, php-format msgid "Notice feed for %s (RSS 2.0)" -msgstr "Notice feed for %s" +msgstr "Notice feed for %s (RSS 2.0)" #: actions/showstream.php:143 -#, fuzzy, php-format +#, php-format msgid "Notice feed for %s (Atom)" -msgstr "Notice feed for %s" +msgstr "Notice feed for %s (Atom)" #: actions/showstream.php:148 #, php-format @@ -3642,10 +3612,9 @@ msgid "FOAF for %s" msgstr "FOAF for %s" #: actions/showstream.php:200 -#, fuzzy, php-format +#, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." -msgstr "" -"This is the timeline for %s and friends but no one has posted anything yet." +msgstr "This is the timeline for %1$s but %2$s hasn't posted anything yet." #: actions/showstream.php:205 msgid "" @@ -3654,13 +3623,13 @@ msgid "" msgstr "" #: actions/showstream.php:207 -#, fuzzy, php-format +#, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -"You can try to [nudge %s](../%s) from his profile or [post something to his " -"or her attention](%%%%action.newnotice%%%%?status_textarea=%s)." +"You can try to nudge %1$s or [post something to his or her attention](%%%%" +"action.newnotice%%%%?status_textarea=%2$s)." #: actions/showstream.php:243 #, php-format @@ -3683,19 +3652,17 @@ msgstr "" "[StatusNet](http://status.net/) tool. " #: actions/showstream.php:305 -#, fuzzy, php-format +#, php-format msgid "Repeat of %s" -msgstr "Replies to %s" +msgstr "Repeat of %s" #: actions/silence.php:65 actions/unsilence.php:65 -#, fuzzy msgid "You cannot silence users on this site." -msgstr "You can't send a message to this user." +msgstr "You cannot silence users on this site." #: actions/silence.php:72 -#, fuzzy msgid "User is already silenced." -msgstr "User is already blocked from group." +msgstr "User is already silenced." #: actions/siteadminpanel.php:69 msgid "Basic settings for this StatusNet site." @@ -3706,9 +3673,8 @@ msgid "Site name must have non-zero length." msgstr "" #: actions/siteadminpanel.php:140 -#, fuzzy msgid "You must have a valid contact email address." -msgstr "Not a valid e-mail address." +msgstr "You must have a valid contact email address." #: actions/siteadminpanel.php:158 #, php-format @@ -3768,9 +3734,8 @@ msgid "Contact email address for your site" msgstr "Contact e-mail address for your site" #: actions/siteadminpanel.php:263 -#, fuzzy msgid "Local" -msgstr "Local views" +msgstr "Local" #: actions/siteadminpanel.php:274 msgid "Default timezone" @@ -3841,9 +3806,8 @@ msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" #: actions/smssettings.php:58 -#, fuzzy msgid "SMS settings" -msgstr "SMS Settings" +msgstr "SMS settings" #: actions/smssettings.php:69 #, php-format @@ -3872,16 +3836,14 @@ msgid "Enter the code you received on your phone." msgstr "Enter the code you received on your phone." #: actions/smssettings.php:138 -#, fuzzy msgid "SMS phone number" -msgstr "SMS Phone number" +msgstr "SMS phone number" #: actions/smssettings.php:140 msgid "Phone number, no punctuation or spaces, with area code" msgstr "Phone number, no punctuation or spaces, with area code" #: actions/smssettings.php:174 -#, fuzzy msgid "" "Send me notices through SMS; I understand I may incur exorbitant charges " "from my carrier." @@ -3894,7 +3856,6 @@ msgid "No phone number." msgstr "No phone number." #: actions/smssettings.php:311 -#, fuzzy msgid "No carrier selected." msgstr "No carrier selected." @@ -3907,13 +3868,12 @@ msgid "That phone number already belongs to another user." msgstr "That phone number already belongs to another user." #: actions/smssettings.php:347 -#, fuzzy msgid "" "A confirmation code was sent to the phone number you added. Check your phone " "for the code and instructions on how to use it." msgstr "" -"A confirmation code was sent to the phone number you added. Check your inbox " -"(and spam box!) for the code and instructions on how to use it." +"A confirmation code was sent to the phone number you added. Check your phone " +"for the code and instructions on how to use it." #: actions/smssettings.php:374 msgid "That is the wrong confirmation number." @@ -3924,23 +3884,21 @@ msgid "That is not your phone number." msgstr "That is not your phone number." #: actions/smssettings.php:465 -#, fuzzy msgid "Mobile carrier" msgstr "Mobile carrier" #: actions/smssettings.php:469 -#, fuzzy msgid "Select a carrier" msgstr "Select a carrier" #: actions/smssettings.php:476 -#, fuzzy, php-format +#, php-format msgid "" "Mobile carrier for your phone. If you know a carrier that accepts SMS over " "email but isn't listed here, send email to let us know at %s." msgstr "" -"Mobile carrier for your phone. If you know a carrier that accepts SMS over e-" -"mail but isn't listed here, send e-mail to let us know at %s." +"Mobile carrier for your phone. If you know a carrier that accepts SMS over " +"email but isn't listed here, send email to let us know at %s." #: actions/smssettings.php:498 msgid "No code entered" @@ -3960,14 +3918,12 @@ msgid "This action only accepts POST requests." msgstr "" #: actions/subscribe.php:107 -#, fuzzy msgid "No such profile." -msgstr "No such notice." +msgstr "No such profile." #: actions/subscribe.php:117 -#, fuzzy msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." -msgstr "You are not subscribed to that profile." +msgstr "You cannot subscribe to an OMB 0.1 remote profile with this action." #: actions/subscribe.php:145 msgid "Subscribed" @@ -3979,9 +3935,9 @@ msgid "%s subscribers" msgstr "%s subscribers" #: actions/subscribers.php:52 -#, fuzzy, php-format +#, php-format msgid "%1$s subscribers, page %2$d" -msgstr "%s subscribers, page %d" +msgstr "%1$s subscribers, page %2$d" #: actions/subscribers.php:63 msgid "These are the people who listen to your notices." @@ -4016,9 +3972,9 @@ msgid "%s subscriptions" msgstr "%s subscriptions" #: actions/subscriptions.php:54 -#, fuzzy, php-format +#, php-format msgid "%1$s subscriptions, page %2$d" -msgstr "%s subscriptions, page %d" +msgstr "%1$s subscriptions, page %2$d" #: actions/subscriptions.php:65 msgid "These are the people whose notices you listen to." @@ -4052,30 +4008,29 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" -#: actions/tag.php:68 -#, fuzzy, php-format +#: actions/tag.php:69 +#, php-format msgid "Notices tagged with %1$s, page %2$d" -msgstr "Users self-tagged with %s - page %d" +msgstr "Notices tagged with %1$s, page %2$d" -#: actions/tag.php:86 -#, fuzzy, php-format +#: actions/tag.php:87 +#, php-format msgid "Notice feed for tag %s (RSS 1.0)" -msgstr "Notice feed for %s" +msgstr "Notice feed for tag %s (RSS 1.0)" -#: actions/tag.php:92 -#, fuzzy, php-format +#: actions/tag.php:93 +#, php-format msgid "Notice feed for tag %s (RSS 2.0)" -msgstr "Notice feed for %s" +msgstr "Notice feed for tag %s (RSS 2.0)" -#: actions/tag.php:98 -#, fuzzy, php-format +#: actions/tag.php:99 +#, php-format msgid "Notice feed for tag %s (Atom)" -msgstr "Notice feed for %s" +msgstr "Notice feed for tag %s (Atom)" #: actions/tagother.php:39 -#, fuzzy msgid "No ID argument." -msgstr "No id argument." +msgstr "No ID argument." #: actions/tagother.php:65 #, php-format @@ -4126,19 +4081,16 @@ msgid "API method under construction." msgstr "API method under construction." #: actions/unblock.php:59 -#, fuzzy msgid "You haven't blocked that user." -msgstr "You have already blocked this user." +msgstr "You haven't blocked that user." #: actions/unsandbox.php:72 -#, fuzzy msgid "User is not sandboxed." -msgstr "User has blocked you." +msgstr "User is not sandboxed." #: actions/unsilence.php:72 -#, fuzzy msgid "User is not silenced." -msgstr "User has no profile." +msgstr "User is not silenced." #: actions/unsubscribe.php:77 msgid "No profile id in request." @@ -4149,79 +4101,78 @@ msgid "Unsubscribed" msgstr "Unsubscribed" #: actions/updateprofile.php:62 actions/userauthorization.php:337 -#, fuzzy, php-format +#, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." -msgstr "Notice licence ‘%s’ is not compatible with site licence ‘%s’." +msgstr "" +"Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "User" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profile" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "New users" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 msgid "Default subscription" msgstr "Default subscription" -#: actions/useradminpanel.php:241 -#, fuzzy +#: actions/useradminpanel.php:242 msgid "Automatically subscribe new users to this user." -msgstr "" -"Automatically subscribe to whoever subscribes to me (best for non-humans)" +msgstr "Automatically subscribe new users to this user." -#: actions/useradminpanel.php:250 -#, fuzzy +#: actions/useradminpanel.php:251 msgid "Invitations" -msgstr "Invitation(s) sent" +msgstr "Invitations" -#: actions/useradminpanel.php:255 -#, fuzzy +#: actions/useradminpanel.php:256 msgid "Invitations enabled" -msgstr "Invitation(s) sent" +msgstr "Invitations enabled" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "" @@ -4230,15 +4181,14 @@ msgid "Authorize subscription" msgstr "Authorise subscription" #: actions/userauthorization.php:110 -#, fuzzy msgid "" "Please check these details to make sure that you want to subscribe to this " "user’s notices. If you didn’t just ask to subscribe to someone’s notices, " "click “Rejectâ€." msgstr "" "Please check these details to make sure that you want to subscribe to this " -"user's notices. If you didn't just ask to subscribe to someone's notices, " -"click \"Cancel\"." +"user’s notices. If you didn’t just ask to subscribe to someone’s notices, " +"click “Rejectâ€." #: actions/userauthorization.php:196 actions/version.php:165 msgid "License" @@ -4270,14 +4220,13 @@ msgid "Subscription authorized" msgstr "Subscription authorised" #: actions/userauthorization.php:256 -#, fuzzy msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " "subscription. Your subscription token is:" msgstr "" -"The subscription has been authorised, but no callback URL was passed. Check " -"with the site's instructions for details on how to authorise the " +"The subscription has been authorized, but no callback URL was passed. Check " +"with the site’s instructions for details on how to authorize the " "subscription. Your subscription token is:" #: actions/userauthorization.php:266 @@ -4285,14 +4234,13 @@ msgid "Subscription rejected" msgstr "Subscription rejected" #: actions/userauthorization.php:268 -#, fuzzy msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " "subscription." msgstr "" "The subscription has been rejected, but no callback URL was passed. Check " -"with the site's instructions for details on how to fully reject the " +"with the site’s instructions for details on how to fully reject the " "subscription." #: actions/userauthorization.php:303 @@ -4321,19 +4269,18 @@ msgid "Avatar URL ‘%s’ is not valid." msgstr "" #: actions/userauthorization.php:350 -#, fuzzy, php-format +#, php-format msgid "Can’t read avatar URL ‘%s’." -msgstr "Can't read avatar URL '%s'" +msgstr "Can’t read avatar URL ‘%s’." #: actions/userauthorization.php:355 -#, fuzzy, php-format +#, php-format msgid "Wrong image type for avatar URL ‘%s’." -msgstr "Wrong image type for '%s'" +msgstr "Wrong image type for avatar URL ‘%s’." #: actions/userdesignsettings.php:76 lib/designsettings.php:65 -#, fuzzy msgid "Profile design" -msgstr "Profile settings" +msgstr "Profile design" #: actions/userdesignsettings.php:87 lib/designsettings.php:76 msgid "" @@ -4346,19 +4293,18 @@ msgid "Enjoy your hotdog!" msgstr "" #: actions/usergroups.php:64 -#, fuzzy, php-format +#, php-format msgid "%1$s groups, page %2$d" -msgstr "%s group members, page %d" +msgstr "%1$s groups, page %2$d" #: actions/usergroups.php:130 -#, fuzzy msgid "Search for more groups" -msgstr "Search for people or text" +msgstr "Search for more groups" #: actions/usergroups.php:153 -#, fuzzy, php-format +#, php-format msgid "%s is not a member of any group." -msgstr "You are not a member of that group." +msgstr "%s is not a member of any group." #: actions/usergroups.php:158 #, php-format @@ -4366,9 +4312,9 @@ msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" #: actions/version.php:73 -#, fuzzy, php-format +#, php-format msgid "StatusNet %s" -msgstr "Statistics" +msgstr "StatusNet %s" #: actions/version.php:153 #, php-format @@ -4418,10 +4364,9 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 -#, fuzzy +#: actions/version.php:196 lib/action.php:778 msgid "Version" -msgstr "Personal" +msgstr "Version" #: actions/version.php:197 msgid "Author(s)" @@ -4445,34 +4390,29 @@ msgid "A file this large would exceed your monthly quota of %d bytes." msgstr "" #: classes/Group_member.php:41 -#, fuzzy msgid "Group join failed." -msgstr "Group profile" +msgstr "Group join failed." #: classes/Group_member.php:53 -#, fuzzy msgid "Not part of group." -msgstr "Could not update group." +msgstr "Not part of group." #: classes/Group_member.php:60 -#, fuzzy msgid "Group leave failed." -msgstr "Group profile" +msgstr "Group leave failed." #: classes/Local_group.php:41 -#, fuzzy msgid "Could not update local group." -msgstr "Could not update group." +msgstr "Could not update local group." #: classes/Login_token.php:76 -#, fuzzy, php-format +#, php-format msgid "Could not create login token for %s" -msgstr "Could not create aliases" +msgstr "Could not create login token for %s" #: classes/Message.php:45 -#, fuzzy msgid "You are banned from sending direct messages." -msgstr "Error sending direct message." +msgstr "You are banned from sending direct messages." #: classes/Message.php:61 msgid "Could not insert message." @@ -4488,9 +4428,8 @@ msgid "DB error inserting hashtag: %s" msgstr "DB error inserting hashtag: %s" #: classes/Notice.php:239 -#, fuzzy msgid "Problem saving notice. Too long." -msgstr "Problem saving notice." +msgstr "Problem saving notice. Too long." #: classes/Notice.php:243 msgid "Problem saving notice. Unknown user." @@ -4503,12 +4442,12 @@ msgstr "" "Too many notices too fast; take a breather and post again in a few minutes." #: classes/Notice.php:254 -#, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -"Too many notices too fast; take a breather and post again in a few minutes." +"Too many duplicate messages too quickly; take a breather and post again in a " +"few minutes." #: classes/Notice.php:260 msgid "You are banned from posting notices on this site." @@ -4519,14 +4458,13 @@ msgid "Problem saving notice." msgstr "Problem saving notice." #: classes/Notice.php:911 -#, fuzzy msgid "Problem saving group inbox." -msgstr "Problem saving notice." +msgstr "Problem saving group inbox." #: classes/Notice.php:1442 -#, fuzzy, php-format +#, php-format msgid "RT @%1$s %2$s" -msgstr "%1$s (%2$s)" +msgstr "RT @%1$s %2$s" #: classes/Subscription.php:66 lib/oauthstore.php:465 msgid "You have been banned from subscribing." @@ -4546,9 +4484,8 @@ msgid "Not subscribed!" msgstr "Not subscribed!" #: classes/Subscription.php:163 -#, fuzzy msgid "Couldn't delete self-subscription." -msgstr "Couldn't delete subscription." +msgstr "Couldn't delete self-subscription." #: classes/Subscription.php:179 lib/subs.php:69 msgid "Couldn't delete subscription." @@ -4564,18 +4501,16 @@ msgid "Could not create group." msgstr "Could not create group." #: classes/User_group.php:471 -#, fuzzy msgid "Could not set group URI." -msgstr "Could not set group membership." +msgstr "Could not set group URI." #: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Could not set group membership." #: classes/User_group.php:506 -#, fuzzy msgid "Could not save local group info." -msgstr "Could not save subscription." +msgstr "Could not save local group info." #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" @@ -4606,9 +4541,9 @@ msgid "Other options" msgstr "Other options" #: lib/action.php:144 -#, fuzzy, php-format +#, php-format msgid "%1$s - %2$s" -msgstr "%1$s (%2$s)" +msgstr "%1$s - %2$s" #: lib/action.php:159 msgid "Untitled page" @@ -4618,122 +4553,190 @@ msgstr "Untitled page" msgid "Primary site navigation" msgstr "Primary site navigation" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "Home" - -#: lib/action.php:439 +#, fuzzy +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Personal profile and friends timeline" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "Personal" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Change your e-mail, avatar, password, profile" -#: lib/action.php:444 -msgid "Connect" -msgstr "Connect" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "Account" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 #, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" -msgstr "Could not redirect to server: %s" +msgstr "Connect to services" + +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "Connect" -#: lib/action.php:448 +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 #, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" -msgstr "Primary site navigation" +msgstr "Change site configuration" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "Invite" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "Admin" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Invite friends and colleagues to join you on %s" -#: lib/action.php:458 -msgid "Logout" -msgstr "Logout" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "Invite" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Logout from the site" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Logout" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Create an account" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "Register" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Login to the site" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Help" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Login" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Help me!" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "Search" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Help" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Search for people or text" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "Search" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "Site notice" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "Local views" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "Page notice" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "Secondary site navigation" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Help" + +#: lib/action.php:765 msgid "About" msgstr "About" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "F.A.Q." -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "Privacy" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "Source" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Contact" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "Badge" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "StatusNet software licence" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4742,12 +4745,12 @@ msgstr "" "**%%site.name%%** is a microblogging service brought to you by [%%site." "broughtby%%](%%site.broughtbyurl%%)." -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** is a microblogging service." -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4758,41 +4761,41 @@ msgstr "" "s, available under the [GNU Affero General Public Licence](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "Site content license" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "All " -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "licence." -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "Pagination" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "After" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "Before" @@ -4808,59 +4811,101 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 -#, fuzzy +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." -msgstr "You can't send a message to this user." +msgstr "You cannot make changes to this site." -#: lib/adminpanelaction.php:107 -#, fuzzy +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." -msgstr "Registration not allowed." +msgstr "Changes to that panel are not allowed." -#: lib/adminpanelaction.php:206 -#, fuzzy +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." -msgstr "Command not yet implemented." +msgstr "showForm() not implemented." -#: lib/adminpanelaction.php:235 -#, fuzzy +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." -msgstr "Command not yet implemented." +msgstr "saveSettings() not implemented." -#: lib/adminpanelaction.php:258 -#, fuzzy +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." -msgstr "Unable to save your design settings!" +msgstr "Unable to delete design setting." -#: lib/adminpanelaction.php:323 -#, fuzzy +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 msgid "Basic site configuration" -msgstr "E-mail address confirmation" +msgstr "Basic site configuration" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "Site" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "Design configuration" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 #, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "Design" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 msgid "User configuration" -msgstr "SMS confirmation" +msgstr "User configuration" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 #, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "User" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 msgid "Access configuration" -msgstr "Design configuration" +msgstr "Access configuration" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 #, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "Access" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 msgid "Paths configuration" -msgstr "SMS confirmation" +msgstr "Paths configuration" -#: lib/adminpanelaction.php:348 -#, fuzzy +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +msgctxt "MENU" +msgid "Paths" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 msgid "Sessions configuration" -msgstr "Design configuration" +msgstr "Sessions configuration" + +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "Version" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -4880,24 +4925,21 @@ msgid "Icon for this application" msgstr "" #: lib/applicationeditform.php:204 -#, fuzzy, php-format +#, php-format msgid "Describe your application in %d characters" -msgstr "Describe the group or topic in %d characters" +msgstr "Describe your application in %d characters" #: lib/applicationeditform.php:207 -#, fuzzy msgid "Describe your application" -msgstr "Describe the group or topic" +msgstr "Describe your application" #: lib/applicationeditform.php:216 -#, fuzzy msgid "Source URL" -msgstr "Source" +msgstr "Source URL" #: lib/applicationeditform.php:218 -#, fuzzy msgid "URL of the homepage of this application" -msgstr "URL of the homepage or blog of the group or topic" +msgstr "URL of the homepage of this application" #: lib/applicationeditform.php:224 msgid "Organization responsible for this application" @@ -4936,9 +4978,8 @@ msgid "Default access for this application: read-only, or read-write" msgstr "" #: lib/applicationlist.php:154 -#, fuzzy msgid "Revoke" -msgstr "Remove" +msgstr "Revoke" #: lib/attachmentlist.php:87 msgid "Attachments" @@ -4949,9 +4990,8 @@ msgid "Author" msgstr "" #: lib/attachmentlist.php:278 -#, fuzzy msgid "Provider" -msgstr "Profile" +msgstr "Provider" #: lib/attachmentnoticesection.php:67 msgid "Notices where this attachment appears" @@ -4961,15 +5001,13 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 -#, fuzzy +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 msgid "Password changing failed" -msgstr "Password change" +msgstr "Password changing failed" -#: lib/authenticationplugin.php:233 -#, fuzzy +#: lib/authenticationplugin.php:235 msgid "Password changing is not allowed" -msgstr "Password change" +msgstr "Password changing is not allowed" #: lib/channel.php:138 lib/channel.php:158 msgid "Command results" @@ -5010,9 +5048,8 @@ msgid "" msgstr "" #: lib/command.php:152 lib/command.php:390 lib/command.php:451 -#, fuzzy msgid "Notice with that id does not exist" -msgstr "No profile with that id." +msgstr "Notice with that id does not exist" #: lib/command.php:168 lib/command.php:406 lib/command.php:467 #: lib/command.php:523 @@ -5090,14 +5127,13 @@ msgid "Already repeated that notice" msgstr "Already repeated that notice." #: lib/command.php:426 -#, fuzzy, php-format +#, php-format msgid "Notice from %s repeated" -msgstr "Notice posted" +msgstr "Notice from %s repeated" #: lib/command.php:428 -#, fuzzy msgid "Error repeating notice." -msgstr "Error saving notice." +msgstr "Error repeating notice." #: lib/command.php:482 #, php-format @@ -5165,14 +5201,13 @@ msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" #: lib/command.php:692 -#, fuzzy, php-format +#, php-format msgid "Unsubscribed %s" -msgstr "Unsubscribed from %s" +msgstr "Unsubscribed %s" #: lib/command.php:709 -#, fuzzy msgid "You are not subscribed to anyone." -msgstr "You are not subscribed to that profile." +msgstr "You are not subscribed to anyone." #: lib/command.php:711 msgid "You are subscribed to this person:" @@ -5181,9 +5216,8 @@ msgstr[0] "You are already subscribed to these users:" msgstr[1] "You are already subscribed to these users:" #: lib/command.php:731 -#, fuzzy msgid "No one is subscribed to you." -msgstr "Could not subscribe other to you." +msgstr "No one is subscribed to you." #: lib/command.php:733 msgid "This person is subscribed to you:" @@ -5192,9 +5226,8 @@ msgstr[0] "Could not subscribe other to you." msgstr[1] "Could not subscribe other to you." #: lib/command.php:753 -#, fuzzy msgid "You are not a member of any groups." -msgstr "You are not a member of that group." +msgstr "You are not a member of any groups." #: lib/command.php:755 msgid "You are a member of this group:" @@ -5244,19 +5277,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 msgid "No configuration file found. " msgstr "No configuration file found" -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "Go to the installer." @@ -5273,9 +5306,8 @@ msgid "Updates by SMS" msgstr "Updates by SMS" #: lib/connectsettingsaction.php:120 -#, fuzzy msgid "Connections" -msgstr "Connect" +msgstr "Connections" #: lib/connectsettingsaction.php:121 msgid "Authorized connected applications" @@ -5286,15 +5318,14 @@ msgid "Database error" msgstr "" #: lib/designsettings.php:105 -#, fuzzy msgid "Upload file" -msgstr "Upload" +msgstr "Upload file" #: lib/designsettings.php:109 -#, fuzzy msgid "" "You can upload your personal background image. The maximum file size is 2MB." -msgstr "You can upload your personal avatar. The maximum file size is %s." +msgstr "" +"You can upload your personal background image. The maximum file size is 2MB." #: lib/designsettings.php:418 msgid "Design defaults restored." @@ -5544,11 +5575,9 @@ msgstr "" "Change your email address or notification options at %8$s\n" #: lib/mail.php:258 -#, fuzzy, php-format +#, php-format msgid "Bio: %s" -msgstr "" -"Bio: %s\n" -"\n" +msgstr "Bio: %s" #: lib/mail.php:286 #, php-format @@ -5687,7 +5716,6 @@ msgid "" msgstr "" #: lib/mailbox.php:227 lib/noticelist.php:482 -#, fuzzy msgid "from" msgstr "from" @@ -5708,9 +5736,9 @@ msgid "Sorry, no incoming email allowed." msgstr "Sorry, no incoming e-mail allowed." #: lib/mailhandler.php:228 -#, fuzzy, php-format +#, php-format msgid "Unsupported message type: %s" -msgstr "Unsupported image file format." +msgstr "Unsupported message type: %s" #: lib/mediafile.php:98 lib/mediafile.php:123 msgid "There was a database error while saving your file. Please try again." @@ -5751,9 +5779,8 @@ msgid "File could not be moved to destination directory." msgstr "" #: lib/mediafile.php:201 lib/mediafile.php:237 -#, fuzzy msgid "Could not determine file's MIME type." -msgstr "Could not retrieve public stream." +msgstr "Could not determine file's MIME type." #: lib/mediafile.php:270 #, php-format @@ -5778,7 +5805,6 @@ msgid "Available characters" msgstr "Available characters" #: lib/messageform.php:178 lib/noticeform.php:236 -#, fuzzy msgctxt "Send button for sending notice" msgid "Send" msgstr "Send" @@ -5801,14 +5827,12 @@ msgid "Attach a file" msgstr "" #: lib/noticeform.php:212 -#, fuzzy msgid "Share my location" -msgstr "Couldn't save tags." +msgstr "Share my location" #: lib/noticeform.php:215 -#, fuzzy msgid "Do not share my location" -msgstr "Couldn't save tags." +msgstr "Do not share my location" #: lib/noticeform.php:216 msgid "" @@ -5822,9 +5846,8 @@ msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" msgstr "" #: lib/noticelist.php:430 -#, fuzzy msgid "N" -msgstr "No" +msgstr "N" #: lib/noticelist.php:430 msgid "S" @@ -5847,9 +5870,8 @@ msgid "in context" msgstr "in context" #: lib/noticelist.php:601 -#, fuzzy msgid "Repeated by" -msgstr "Created" +msgstr "Repeated by" #: lib/noticelist.php:628 msgid "Reply to this notice" @@ -5860,9 +5882,8 @@ msgid "Reply" msgstr "Reply" #: lib/noticelist.php:673 -#, fuzzy msgid "Notice repeated" -msgstr "Notice deleted." +msgstr "Notice repeated" #: lib/nudgeform.php:116 msgid "Nudge this user" @@ -5908,6 +5929,10 @@ msgstr "Replies" msgid "Favorites" msgstr "Favourites" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "User" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Inbox" @@ -5930,9 +5955,8 @@ msgid "Tags in %s's notices" msgstr "Tags in %s's notices" #: lib/plugin.php:114 -#, fuzzy msgid "Unknown" -msgstr "Unknown action" +msgstr "Unknown" #: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 msgid "Subscriptions" @@ -5963,9 +5987,8 @@ msgid "All groups" msgstr "All groups" #: lib/profileformaction.php:123 -#, fuzzy msgid "No return-to arguments." -msgstr "No id argument." +msgstr "No return-to arguments." #: lib/profileformaction.php:137 msgid "Unimplemented method." @@ -5992,14 +6015,12 @@ msgid "Popular" msgstr "Popular" #: lib/repeatform.php:107 -#, fuzzy msgid "Repeat this notice?" -msgstr "Reply to this notice" +msgstr "Repeat this notice?" #: lib/repeatform.php:132 -#, fuzzy msgid "Repeat this notice" -msgstr "Reply to this notice" +msgstr "Repeat this notice" #: lib/router.php:668 msgid "No single user defined for single-user mode." @@ -6014,14 +6035,17 @@ msgid "Sandbox this user" msgstr "Sandbox this user" #: lib/searchaction.php:120 -#, fuzzy msgid "Search site" -msgstr "Search" +msgstr "Search site" #: lib/searchaction.php:126 msgid "Keyword(s)" msgstr "" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Search" + #: lib/searchaction.php:162 msgid "Search help" msgstr "Search help" @@ -6073,6 +6097,15 @@ msgstr "People subscribed to %s" msgid "Groups %s is a member of" msgstr "Groups %s is a member of" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "Invite" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "Invite friends and colleagues to join you on %s" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6143,47 +6176,47 @@ msgstr "Message" msgid "Moderate" msgstr "" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "a few seconds ago" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "about a minute ago" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "about %d minutes ago" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "about an hour ago" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "about %d hours ago" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "about a day ago" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "about %d days ago" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "about a month ago" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "about %d months ago" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "about a year ago" @@ -6198,6 +6231,6 @@ msgid "%s is not a valid color! Use 3 or 6 hex chars." msgstr "%s is not a valid colour! Use 3 or 6 hex chars." #: lib/xmppmanager.php:402 -#, fuzzy, php-format +#, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "Message too long - maximum is %d characters, you sent %d" +msgstr "Message too long - maximum is %1$d characters, you sent %2$d." diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index c4ef03523..fe861905d 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -13,75 +13,82 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:48:15+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:02:39+0000\n" "Language-Team: Spanish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "Acceder" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 msgid "Site access settings" msgstr "Configuración de acceso de la web" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 msgid "Registration" msgstr "Registro" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "Privado" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "¿Prohibir a los usuarios anónimos (no conectados) ver el sitio?" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" -msgstr "Invitar sólo" +#, fuzzy +msgctxt "LABEL" +msgid "Private" +msgstr "Privado" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "Haz que el registro sea sólo con invitaciones." -#: actions/accessadminpanel.php:173 -msgid "Closed" -msgstr "Cerrado" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "Invitar sólo" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "Inhabilitar nuevos registros." -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Guardar" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" +msgstr "Cerrado" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 msgid "Save access settings" msgstr "Guardar la configuración de acceso" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "Guardar" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "No existe tal página" -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -107,34 +114,41 @@ msgstr "No existe tal página" msgid "No such user." msgstr "No existe ese usuario." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, php-format msgid "%1$s and friends, page %2$d" msgstr "%1$s y amigos, página %2$d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s y amigos" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "Feed de los amigos de %s (RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "Feed de los amigos de %s (RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "Feed de los amigos de %s (Atom)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." @@ -142,7 +156,7 @@ msgstr "" "Esta es la línea temporal de %s y amistades, pero nadie ha publicado nada " "todavía." -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " @@ -151,7 +165,8 @@ msgstr "" "Esta es la línea temporal de %s y amistades, pero nadie ha publicado nada " "todavía." -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " @@ -160,7 +175,7 @@ msgstr "" "Trata de suscribirte a más personas, [unirte a un grupo] (%%action.groups%%) " "o publicar algo." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -169,7 +184,8 @@ msgstr "" "Puede intentar [guiñar a %1$s](../%2$s) desde su perfil o [publicar algo a " "su atención ](%%%%action.newnotice%%%%?status_textarea=%3$s)." -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "Tú y amigos" @@ -566,7 +582,7 @@ msgstr "" "permiso para %3$s la información de tu cuenta %4$s. Sólo " "debes dar acceso a tu cuenta %4$s a terceras partes en las que confíes." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "Cuenta" @@ -697,7 +713,7 @@ msgstr "Repetido a %s" msgid "Repeats of %s" msgstr "Repeticiones de %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "Avisos marcados con %s" @@ -948,7 +964,7 @@ msgstr "No eres el propietario de esta aplicación." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "Hubo problemas con tu clave de sesión." @@ -974,12 +990,13 @@ msgstr "No eliminar esta aplicación" msgid "Delete this application" msgstr "Borrar esta aplicación" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "No conectado." @@ -1037,7 +1054,7 @@ msgid "Delete this user" msgstr "Borrar este usuario" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "Diseño" @@ -1140,6 +1157,17 @@ msgstr "Restaurar los diseños predeterminados" msgid "Reset back to default" msgstr "Volver a los valores predeterminados" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Guardar" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Guardar el diseño" @@ -1696,7 +1724,7 @@ msgstr "%1$s miembros de grupo, página %2$d" msgid "A list of the users in this group." msgstr "Lista de los usuarios en este grupo." -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" @@ -1980,18 +2008,19 @@ msgstr "Mensaje Personal" msgid "Optionally add a personal message to the invitation." msgstr "Opcionalmente añada un mensaje personalizado a su invitación." -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "Enviar" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s te ha invitado a que te unas con el/ellos en %2$s" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2087,8 +2116,7 @@ msgstr "Nombre de usuario o contraseña incorrectos." msgid "Error setting user. You are probably not authorized." msgstr "Error al configurar el usuario. Posiblemente no tengas autorización." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Inicio de sesión" @@ -2487,7 +2515,7 @@ msgstr "No se puede guardar la nueva contraseña." msgid "Password saved." msgstr "Se guardó Contraseña." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "Rutas" @@ -2520,7 +2548,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Servidor SSL no válido. La longitud máxima es de 255 caracteres." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Sitio" @@ -2806,7 +2833,8 @@ msgstr "No se pudo guardar el perfil." msgid "Couldn't save tags." msgstr "No se pudo guardar las etiquetas." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "Se guardó configuración." @@ -2819,31 +2847,31 @@ msgstr "Más allá del límite de páginas (%s)" msgid "Could not retrieve public stream." msgstr "No se pudo acceder a corriente pública." -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "Línea temporal pública, página %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "Línea temporal pública" -#: actions/public.php:159 +#: actions/public.php:160 #, fuzzy msgid "Public Stream Feed (RSS 1.0)" msgstr "Feed del flujo público" -#: actions/public.php:163 +#: actions/public.php:164 #, fuzzy msgid "Public Stream Feed (RSS 2.0)" msgstr "Feed del flujo público" -#: actions/public.php:167 +#: actions/public.php:168 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "Feed del flujo público" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2852,17 +2880,17 @@ msgstr "" "Esta es la línea temporal pública de %%site.name%%, pero aún no se ha " "publicado nada." -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "¡Sé la primera persona en publicar algo!" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2871,7 +2899,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:246 +#: actions/public.php:247 #, fuzzy, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3052,8 +3080,7 @@ msgstr "El código de invitación no es válido." msgid "Registration successful" msgstr "Registro exitoso." -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "Registrarse" @@ -3247,47 +3274,47 @@ msgstr "Repetido" msgid "Repeated!" msgstr "¡Repetido!" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "Respuestas a %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, php-format msgid "Replies to %1$s, page %2$d" msgstr "Respuestas a %1$s, página %2$d" -#: actions/replies.php:144 +#: actions/replies.php:145 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "Feed de avisos de %s" -#: actions/replies.php:151 +#: actions/replies.php:152 #, fuzzy, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "Feed de avisos de %s" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "Feed de avisos de %s" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "" -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3314,7 +3341,6 @@ msgid "User is already sandboxed." msgstr "El usuario te ha bloqueado." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "Sesiones" @@ -3339,7 +3365,7 @@ msgid "Turn on debugging output for sessions." msgstr "" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Guardar la configuración del sitio" @@ -3432,35 +3458,35 @@ msgstr "Avisos favoritos de %s" msgid "Could not retrieve favorite notices." msgstr "No se pudo recibir avisos favoritos." -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "Feed de los amigos de %s" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "Feed de los amigos de %s" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "Feed de los amigos de %s" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " "they would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3468,7 +3494,7 @@ msgid "" "would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "" @@ -4030,22 +4056,22 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" -#: actions/tag.php:68 +#: actions/tag.php:69 #, fuzzy, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "Usuarios auto marcados con %s - página %d" -#: actions/tag.php:86 +#: actions/tag.php:87 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "Feed de avisos de %s" -#: actions/tag.php:92 +#: actions/tag.php:93 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "Feed de avisos de %s" -#: actions/tag.php:98 +#: actions/tag.php:99 #, fuzzy, php-format msgid "Notice feed for tag %s (Atom)" msgstr "Feed de avisos de %s" @@ -4132,70 +4158,72 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "Usuario" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "Configuración de usuarios en este sitio StatusNet." -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "Límite para la bio inválido: Debe ser numérico." -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "Texto de bienvenida inválido. La longitud máx. es de 255 caracteres." -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "Suscripción predeterminada inválida : '%1$s' no es un usuario" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Perfil" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "Límite de la bio" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "Longitud máxima de bio de perfil en caracteres." -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Nuevos usuarios" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "Bienvenida a nuevos usuarios" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "Texto de bienvenida para nuevos usuarios (máx. 255 caracteres)." -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 msgid "Default subscription" msgstr "Suscripción predeterminada" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 msgid "Automatically subscribe new users to this user." msgstr "Suscribir automáticamente nuevos usuarios a este usuario." -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 msgid "Invitations" msgstr "Invitaciones" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "Invitaciones habilitadas" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "" @@ -4381,7 +4409,7 @@ msgstr "" msgid "Plugins" msgstr "Complementos" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 #, fuzzy msgid "Version" msgstr "Sesiones" @@ -4581,120 +4609,190 @@ msgstr "Página sin título" msgid "Primary site navigation" msgstr "Navegación de sitio primario" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "Inicio" - -#: lib/action.php:439 +#, fuzzy +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Perfil personal y línea de tiempo de amigos" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "Personal" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Cambia tu correo electrónico, avatar, contraseña, perfil" -#: lib/action.php:444 -msgid "Connect" -msgstr "Conectarse" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "Cuenta" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Conectar a los servicios" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "Conectarse" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Cambiar la configuración del sitio" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "Invitar" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "Admin" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Invita a amigos y colegas a unirse a %s" -#: lib/action.php:458 -msgid "Logout" -msgstr "Salir" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "Invitar" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Salir de sitio" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Salir" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Crear una cuenta" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "Registrarse" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Ingresar a sitio" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Ayuda" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Inicio de sesión" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Ayúdame!" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "Buscar" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Ayuda" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Buscar personas o texto" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "Buscar" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "Aviso de sitio" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "Vistas locales" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "Aviso de página" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "Navegación de sitio secundario" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Ayuda" + +#: lib/action.php:765 msgid "About" msgstr "Acerca de" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "Preguntas Frecuentes" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "Privacidad" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "Fuente" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Ponerse en contacto" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "Insignia" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "Licencia de software de StatusNet" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4703,12 +4801,12 @@ msgstr "" "**%%site.name%%** es un servicio de microblogueo de [%%site.broughtby%%**](%%" "site.broughtbyurl%%)." -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** es un servicio de microblogueo." -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4719,43 +4817,43 @@ msgstr "" "disponible bajo la [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "Licencia de contenido del sitio" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Derechos de autor de contenido y datos por los colaboradores. Todos los " "derechos reservados." -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "Todo" -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "Licencia." -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "Paginación" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "Después" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "Antes" @@ -4771,55 +4869,108 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "No puedes hacer cambios a este sitio." -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 #, fuzzy msgid "Changes to that panel are not allowed." msgstr "Registro de usuario no permitido." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 #, fuzzy msgid "showForm() not implemented." msgstr "Todavía no se implementa comando." -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 #, fuzzy msgid "saveSettings() not implemented." msgstr "Todavía no se implementa comando." -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 #, fuzzy msgid "Unable to delete design setting." msgstr "¡No se pudo guardar tu configuración de Twitter!" -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 msgid "Basic site configuration" msgstr "Configuración básica del sitio" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "Sitio" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "Configuración del diseño" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "Diseño" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 msgid "User configuration" msgstr "Configuración de usuario" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "Usuario" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 msgid "Access configuration" msgstr "Configuración de acceso" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "Acceder" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 #, fuzzy msgid "Paths configuration" msgstr "SMS confirmación" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +#, fuzzy +msgctxt "MENU" +msgid "Paths" +msgstr "Rutas" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 msgid "Sessions configuration" msgstr "Configuración de sesiones" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "Sesiones" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4917,11 +5068,11 @@ msgstr "Mensajes donde aparece este adjunto" msgid "Tags for this attachment" msgstr "Etiquetas de este archivo adjunto" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 msgid "Password changing failed" msgstr "El cambio de contraseña ha fallado" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 #, fuzzy msgid "Password changing is not allowed" msgstr "Cambio de contraseña " @@ -5199,19 +5350,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 msgid "No configuration file found. " msgstr "Ningún archivo de configuración encontrado. " -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "Ir al instalador." @@ -5861,6 +6012,10 @@ msgstr "Respuestas" msgid "Favorites" msgstr "Favoritos" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "Usuario" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Bandeja de Entrada" @@ -5978,6 +6133,10 @@ msgstr "Buscar" msgid "Keyword(s)" msgstr "" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Buscar" + #: lib/searchaction.php:162 msgid "Search help" msgstr "Buscar ayuda" @@ -6031,6 +6190,15 @@ msgstr "Personas suscritas a %s" msgid "Groups %s is a member of" msgstr "%s es miembro de los grupos" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "Invitar" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "Invita a amigos y colegas a unirse a %s" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6103,47 +6271,47 @@ msgstr "Mensaje" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "hace unos segundos" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "hace un minuto" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "hace %d minutos" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "hace una hora" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "hace %d horas" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "hace un día" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "hace %d días" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "hace un mes" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "hace %d meses" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "hace un año" diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index 3cda1dae0..bb453f582 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:48:21+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:02:45+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian\n" "MIME-Version: 1.0\n" @@ -20,70 +20,77 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "دسترسی" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 #, fuzzy msgid "Site access settings" msgstr "تنظیمات دیگر" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 #, fuzzy msgid "Registration" msgstr "ثبت نام" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "خصوصی" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" -msgstr "Ùقط دعوت کردن" +#, fuzzy +msgctxt "LABEL" +msgid "Private" +msgstr "خصوصی" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "تنها آماده کردن دعوت نامه های ثبت نام." -#: actions/accessadminpanel.php:173 -msgid "Closed" -msgstr "مسدود" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "Ùقط دعوت کردن" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "غیر Ùعال کردن نام نوبسی جدید" -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "ذخیره‌کردن" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" +msgstr "مسدود" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 #, fuzzy msgid "Save access settings" msgstr "تنظیمات چهره" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "ذخیره‌کردن" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "چنین صÙحه‌ای وجود ندارد" -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -109,40 +116,47 @@ msgstr "چنین صÙحه‌ای وجود ندارد" msgid "No such user." msgstr "چنین کاربری وجود ندارد." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, fuzzy, php-format msgid "%1$s and friends, page %2$d" msgstr "%s کاربران مسدود شده، صÙحه‌ی %d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s Ùˆ دوستان" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "خوراک دوستان %s (RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "خوراک دوستان %s (RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "خوراک دوستان %s (Atom)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "این خط‌زمانی %s Ùˆ دوستانش است، اما هیچ‌یک تاکنون چیزی پست نکرده‌اند." -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " @@ -151,7 +165,8 @@ msgstr "" "پیگیری اÙراد بیش‌تری بشوید [به یک گروه بپیوندید](%%action.groups%%) یا خودتان " "چیزی را ارسال کنید." -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, fuzzy, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " @@ -160,7 +175,7 @@ msgstr "" "اولین کسی باشید Ú©Ù‡ در [این موضوع](%%%%action.newnotice%%%%?status_textarea=%" "s) پیام می‌Ùرستد." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -169,7 +184,8 @@ msgstr "" "چرا [ثبت نام](%%%%action.register%%%%) نمی‌کنید Ùˆ سپس با Ùرستادن پیام توجه %s " "را جلب کنید." -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "شما Ùˆ دوستان" @@ -558,7 +574,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "حساب کاربری" @@ -689,7 +705,7 @@ msgstr "" msgid "Repeats of %s" msgstr "تکرار %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "پیام‌هایی Ú©Ù‡ با %s نشانه گزاری شده اند." @@ -945,7 +961,7 @@ msgstr "شما یک عضو این گروه نیستید." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "" @@ -974,12 +990,13 @@ msgstr "این پیام را پاک Ù†Ú©Ù†" msgid "Delete this application" msgstr "این پیام را پاک Ú©Ù†" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "شما به سیستم وارد نشده اید." @@ -1037,7 +1054,7 @@ msgid "Delete this user" msgstr "حذ٠این کاربر" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "طرح" @@ -1140,6 +1157,17 @@ msgstr "بازگرداندن طرح‌های پیش‌Ùرض" msgid "Reset back to default" msgstr "برگشت به حالت پیش گزیده" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "ذخیره‌کردن" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "ذخیره‌کردن طرح" @@ -1693,7 +1721,7 @@ msgstr "اعضای گروه %sØŒ صÙحهٔ %d" msgid "A list of the users in this group." msgstr "یک Ùهرست از کاربران در این گروه" -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "مدیر" @@ -1972,18 +2000,19 @@ msgstr "پیام خصوصی" msgid "Optionally add a personal message to the invitation." msgstr "اگر دوست دارید می‌توانید یک پیام به همراه دعوت نامه ارسال کنید." -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "Ùرستادن" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s شما را دعوت کرده است Ú©Ù‡ در %2$s به آن‌ها بپیوندید." -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2053,8 +2082,7 @@ msgstr "نام کاربری یا رمز عبور نادرست." msgid "Error setting user. You are probably not authorized." msgstr "خطا در تنظیم کاربر. شما احتمالا اجازه ÛŒ این کار را ندارید." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "ورود" @@ -2459,7 +2487,7 @@ msgstr "نمی‌توان گذرواژه جدید را ذخیره کرد." msgid "Password saved." msgstr "گذرواژه ذخیره شد." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "مسیر ها" @@ -2492,7 +2520,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "سایت" @@ -2773,7 +2800,8 @@ msgstr "نمی‌توان شناسه را ذخیره کرد." msgid "Couldn't save tags." msgstr "نمی‌توان نشان را ذخیره کرد." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "تنظیمات ذخیره شد." @@ -2786,45 +2814,45 @@ msgstr "" msgid "Could not retrieve public stream." msgstr "" -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "خط زمانی عمومی، صÙحه‌ی %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "خط زمانی عمومی" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "" -#: actions/public.php:167 +#: actions/public.php:168 msgid "Public Stream Feed (Atom)" msgstr "" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "اولین کسی باشید Ú©Ù‡ پیام می‌Ùرستد!" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "چرا [ثبت نام](%%action.register%%) نمی‌کنید Ùˆ اولین پیام را نمی‌Ùرستید؟" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2833,7 +2861,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3006,8 +3034,7 @@ msgstr "با عرض تاسÙØŒ کد دعوت نا معتبر است." msgid "Registration successful" msgstr "ثبت نام با موÙقیت انجام شد." -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "ثبت نام" @@ -3178,47 +3205,47 @@ msgstr "" msgid "Repeated!" msgstr "" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "پاسخ‌های به %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, fuzzy, php-format msgid "Replies to %1$s, page %2$d" msgstr "پاسخ‌های به %s" -#: actions/replies.php:144 +#: actions/replies.php:145 #, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "خوراک پاسخ‌ها برای %s (RSS 1.0)" -#: actions/replies.php:151 +#: actions/replies.php:152 #, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "خوراک پاسخ‌ها برای %s (RSS 2.0)" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "خوراک پاسخ‌ها برای %s (Atom)" -#: actions/replies.php:198 +#: actions/replies.php:199 #, fuzzy, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "این خط‌زمانی %s Ùˆ دوستانش است، اما هیچ‌یک تاکنون چیزی پست نکرده‌اند." -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" -#: actions/replies.php:205 +#: actions/replies.php:206 #, fuzzy, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3246,7 +3273,6 @@ msgid "User is already sandboxed." msgstr "" #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3272,7 +3298,7 @@ msgid "Turn on debugging output for sessions." msgstr "" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "" @@ -3369,35 +3395,35 @@ msgstr "دوست داشتنی های %s" msgid "Could not retrieve favorite notices." msgstr "ناتوان در بازیابی Ø¢Ú¯Ù‡ÛŒ های محبوب." -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " "they would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3405,7 +3431,7 @@ msgid "" "would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "این یک راه است برای به اشتراک گذاشتن آنچه Ú©Ù‡ دوست دارید." @@ -3957,22 +3983,22 @@ msgstr "" msgid "SMS" msgstr "" -#: actions/tag.php:68 +#: actions/tag.php:69 #, fuzzy, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "کاربران خود برچسب‌گذاری شده با %s - صÙحهٔ %d" -#: actions/tag.php:86 +#: actions/tag.php:87 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "" -#: actions/tag.php:92 +#: actions/tag.php:93 #, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "" -#: actions/tag.php:98 +#: actions/tag.php:99 #, php-format msgid "Notice feed for tag %s (Atom)" msgstr "" @@ -4052,70 +4078,72 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "کاربر" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "حداکثر طول یک زندگی نامه(در پروÙایل) بر حسب کاراکتر." -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "خوشامدگویی کاربر جدید" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "پیام خوشامدگویی برای کاربران جدید( حداکثر 255 کاراکتر)" -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 msgid "Default subscription" msgstr "" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 msgid "Automatically subscribe new users to this user." msgstr "" -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 msgid "Invitations" msgstr "دعوت نامه ها" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "دعوت نامه ها Ùعال شدند" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "خواه به کاربران اجازه ÛŒ دعوت کردن کاربران جدید داده شود." @@ -4288,7 +4316,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 #, fuzzy msgid "Version" msgstr "شخصی" @@ -4484,132 +4512,201 @@ msgstr "صÙحه ÛŒ بدون عنوان" msgid "Primary site navigation" msgstr "" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "خانه" - -#: lib/action.php:439 +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "شخصی" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "آدرس ایمیل، آواتار، کلمه ÛŒ عبور، پروÙایل خود را تغییر دهید" -#: lib/action.php:444 -msgid "Connect" -msgstr "وصل‌شدن" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "حساب کاربری" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "متصل شدن به خدمات" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "وصل‌شدن" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "تغییر پیکربندی سایت" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "دعوت‌کردن" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "مدیر" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr " به شما ملحق شوند %s دوستان Ùˆ همکاران را دعوت کنید تا در" -#: lib/action.php:458 -msgid "Logout" -msgstr "خروج" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "دعوت‌کردن" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "خارج شدن از سایت ." -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "خروج" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "یک حساب کاربری بسازید" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "ثبت نام" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "ورود به وب‌گاه" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Ú©Ù…Ú©" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "ورود" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "به من Ú©Ù…Ú© کنید!" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "جست‌وجو" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Ú©Ù…Ú©" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "جستجو برای شخص با متن" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "جست‌وجو" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "خبر سایت" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "دید محلی" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "خبر صÙحه" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Ú©Ù…Ú©" + +#: lib/action.php:765 msgid "About" msgstr "دربارهٔ" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "سوال‌های رایج" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "خصوصی" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "منبع" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "تماس" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "StatusNet مجوز نرم اÙزار" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." "broughtby%%](%%site.broughtbyurl%%). " msgstr "" -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4617,41 +4714,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "مجوز محتویات سایت" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "همه " -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "مجوز." -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "صÙحه بندى" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "بعد از" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "قبل از" @@ -4667,54 +4764,107 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "شما نمی توانید در این سایت تغیری ایجاد کنید" -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 #, fuzzy msgid "Changes to that panel are not allowed." msgstr "اجازه‌ی ثبت نام داده نشده است." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "" -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "" -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "نمی توان تنظیمات طراحی شده را پاک کرد ." -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 msgid "Basic site configuration" msgstr "پیکره بندی اصلی سایت" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "سایت" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "طرح" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 #, fuzzy msgid "User configuration" msgstr "پیکره بندی اصلی سایت" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "کاربر" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 #, fuzzy msgid "Access configuration" msgstr "پیکره بندی اصلی سایت" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "دسترسی" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 msgid "Paths configuration" msgstr "" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +#, fuzzy +msgctxt "MENU" +msgid "Paths" +msgstr "مسیر ها" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 #, fuzzy msgid "Sessions configuration" msgstr "پیکره بندی اصلی سایت" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "شخصی" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4811,12 +4961,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 #, fuzzy msgid "Password changing failed" msgstr "تغییر گذرواژه" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 #, fuzzy msgid "Password changing is not allowed" msgstr "تغییر گذرواژه" @@ -5094,19 +5244,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 msgid "No configuration file found. " msgstr "" -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "شما ممکن است بخواهید نصاب را اجرا کنید تا این را تعمیر کند." -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "برو به نصاب." @@ -5739,6 +5889,10 @@ msgstr "پاسخ ها" msgid "Favorites" msgstr "چیزهای مورد علاقه" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "کاربر" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "صندوق دریاÙتی" @@ -5849,6 +6003,10 @@ msgstr "جست‌وجوی وب‌گاه" msgid "Keyword(s)" msgstr "کلمه(های) کلیدی" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "جست‌وجو" + #: lib/searchaction.php:162 msgid "Search help" msgstr "راهنمای جستجو" @@ -5900,6 +6058,15 @@ msgstr "" msgid "Groups %s is a member of" msgstr "هست عضو %s گروه" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "دعوت‌کردن" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr " به شما ملحق شوند %s دوستان Ùˆ همکاران را دعوت کنید تا در" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -5970,47 +6137,47 @@ msgstr "پیام" msgid "Moderate" msgstr "" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "چند ثانیه پیش" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "حدود یک دقیقه پیش" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "حدود %d دقیقه پیش" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "حدود یک ساعت پیش" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "حدود %d ساعت پیش" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "حدود یک روز پیش" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "حدود %d روز پیش" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "حدود یک ماه پیش" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "حدود %d ماه پیش" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "حدود یک سال پیش" diff --git a/locale/fi/LC_MESSAGES/statusnet.po b/locale/fi/LC_MESSAGES/statusnet.po index 88fbf6f24..97ab7038b 100644 --- a/locale/fi/LC_MESSAGES/statusnet.po +++ b/locale/fi/LC_MESSAGES/statusnet.po @@ -10,82 +10,88 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:48:18+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:02:42+0000\n" "Language-Team: Finnish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 #, fuzzy msgid "Access" msgstr "Hyväksy" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 #, fuzzy msgid "Site access settings" msgstr "Profiilikuva-asetukset" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 #, fuzzy msgid "Registration" msgstr "Rekisteröidy" -#: actions/accessadminpanel.php:161 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. +#: actions/accessadminpanel.php:167 #, fuzzy +msgctxt "LABEL" msgid "Private" msgstr "Yksityisyys" -#: actions/accessadminpanel.php:163 -msgid "Prohibit anonymous users (not logged in) from viewing site?" +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 +msgid "Make registration invitation only." msgstr "" -#: actions/accessadminpanel.php:167 +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 #, fuzzy msgid "Invite only" msgstr "Kutsu" -#: actions/accessadminpanel.php:169 -msgid "Make registration invitation only." +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 +msgid "Disable new registrations." msgstr "" -#: actions/accessadminpanel.php:173 +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 #, fuzzy msgid "Closed" msgstr "Estä" -#: actions/accessadminpanel.php:175 -msgid "Disable new registrations." -msgstr "" - -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Tallenna" - -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 #, fuzzy msgid "Save access settings" msgstr "Profiilikuva-asetukset" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "Tallenna" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "Sivua ei ole." -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -111,34 +117,41 @@ msgstr "Sivua ei ole." msgid "No such user." msgstr "Käyttäjää ei ole." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, fuzzy, php-format msgid "%1$s and friends, page %2$d" msgstr "%s ja kaverit, sivu %d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s ja kaverit" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "Käyttäjän %s kavereiden syöte (RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "Käyttäjän %s kavereiden syöte (RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "Käyttäjän %s kavereiden syöte (Atom)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." @@ -146,7 +159,7 @@ msgstr "" "Tämä on käyttäjän %s ja kavereiden aikajana, mutta kukaan ei ole lähettyänyt " "vielä mitään." -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " @@ -155,7 +168,8 @@ msgstr "" "Kokeile useamman käyttäjän tilaamista, [liity ryhmään] (%%action.groups%%) " "tai lähetä päivitys itse." -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, fuzzy, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " @@ -164,14 +178,15 @@ msgstr "" "Ole ensimmäinen joka [lähettää päivityksen tästä aiheesta] (%%%%action." "newnotice%%%%?status_textarea=%s)!" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " "post a notice to his or her attention." msgstr "" -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "Sinä ja kaverit" @@ -574,7 +589,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "Käyttäjätili" @@ -708,7 +723,7 @@ msgstr "Vastaukset käyttäjälle %s" msgid "Repeats of %s" msgstr "Vastaukset käyttäjälle %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "Päivitykset joilla on tagi %s" @@ -962,7 +977,7 @@ msgstr "Sinä et kuulu tähän ryhmään." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "Istuntoavaimesi kanssa oli ongelma." @@ -988,12 +1003,13 @@ msgstr "Älä poista tätä päivitystä" msgid "Delete this application" msgstr "Poista tämä päivitys" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "Et ole kirjautunut sisään." @@ -1051,7 +1067,7 @@ msgid "Delete this user" msgstr "Poista tämä päivitys" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "Ulkoasu" @@ -1159,6 +1175,17 @@ msgstr "" msgid "Reset back to default" msgstr "" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Tallenna" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1726,7 +1753,7 @@ msgstr "Ryhmän %s jäsenet, sivu %d" msgid "A list of the users in this group." msgstr "Lista ryhmän käyttäjistä." -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "Ylläpito" @@ -2007,18 +2034,19 @@ msgstr "Henkilökohtainen viesti" msgid "Optionally add a personal message to the invitation." msgstr "Voit myös lisätä oman viestisi kutsuun" -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "Lähetä" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s on kutsunut sinut liittymään palveluun %2$s" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2114,8 +2142,7 @@ msgstr "Väärä käyttäjätunnus tai salasana" msgid "Error setting user. You are probably not authorized." msgstr "Sinulla ei ole valtuutusta tähän." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Kirjaudu sisään" @@ -2523,7 +2550,7 @@ msgstr "Uutta salasanaa ei voida tallentaa." msgid "Password saved." msgstr "Salasana tallennettu." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "Polut" @@ -2556,7 +2583,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 #, fuzzy msgid "Site" msgstr "Kutsu" @@ -2857,7 +2883,8 @@ msgstr "Ei voitu tallentaa profiilia." msgid "Couldn't save tags." msgstr "Tageja ei voitu tallentaa." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "Asetukset tallennettu." @@ -2870,45 +2897,45 @@ msgstr "" msgid "Could not retrieve public stream." msgstr "Julkista päivitysvirtaa ei saatu." -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "Julkinen aikajana, sivu %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "Julkinen aikajana" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "Julkinen syöte (RSS 1.0)" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "Julkisen Aikajanan Syöte (RSS 2.0)" -#: actions/public.php:167 +#: actions/public.php:168 msgid "Public Stream Feed (Atom)" msgstr "Julkinen syöte (Atom)" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "Ole ensimmäinen joka lähettää päivityksen!" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2917,7 +2944,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:246 +#: actions/public.php:247 #, fuzzy, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3094,8 +3121,7 @@ msgstr "Virheellinen kutsukoodin." msgid "Registration successful" msgstr "Rekisteröityminen onnistui" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "Rekisteröidy" @@ -3300,33 +3326,33 @@ msgstr "Luotu" msgid "Repeated!" msgstr "Luotu" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "Vastaukset käyttäjälle %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, fuzzy, php-format msgid "Replies to %1$s, page %2$d" msgstr "Viesti käyttäjälle %1$s, %2$s" -#: actions/replies.php:144 +#: actions/replies.php:145 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "Päivityksien syöte käyttäjälle %s" -#: actions/replies.php:151 +#: actions/replies.php:152 #, fuzzy, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "Päivityksien syöte käyttäjälle %s" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "Päivityksien syöte käyttäjälle %s" -#: actions/replies.php:198 +#: actions/replies.php:199 #, fuzzy, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " @@ -3335,14 +3361,14 @@ msgstr "" "Tämä on käyttäjän %s aikajana, mutta %s ei ole lähettänyt vielä yhtään " "päivitystä." -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" -#: actions/replies.php:205 +#: actions/replies.php:206 #, fuzzy, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3372,7 +3398,6 @@ msgid "User is already sandboxed." msgstr "Käyttäjä on asettanut eston sinulle." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3398,7 +3423,7 @@ msgid "Turn on debugging output for sessions." msgstr "" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" msgstr "Profiilikuva-asetukset" @@ -3495,35 +3520,35 @@ msgstr "Käyttäjän %s suosikkipäivitykset" msgid "Could not retrieve favorite notices." msgstr "Ei saatu haettua suosikkipäivityksiä." -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "Käyttäjän %s kavereiden syöte (RSS 1.0)" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "Käyttäjän %s kavereiden syöte (RSS 2.0)" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "Käyttäjän %s kavereiden syöte (Atom)" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " "they would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3531,7 +3556,7 @@ msgid "" "would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "" @@ -4097,22 +4122,22 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" -#: actions/tag.php:68 +#: actions/tag.php:69 #, fuzzy, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "Käyttäjät joilla henkilötagi %s - sivu %d" -#: actions/tag.php:86 +#: actions/tag.php:87 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "Päivityksien syöte käyttäjälle %s" -#: actions/tag.php:92 +#: actions/tag.php:93 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "Päivityksien syöte käyttäjälle %s" -#: actions/tag.php:98 +#: actions/tag.php:99 #, fuzzy, php-format msgid "Notice feed for tag %s (Atom)" msgstr "Päivityksien syöte käyttäjälle %s" @@ -4202,77 +4227,79 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "Käyttäjä" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profiili" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 #, fuzzy msgid "New users" msgstr "Kutsu uusia käyttäjiä" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Default subscription" msgstr "Kaikki tilaukset" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "" "Tilaa automaattisesti kaikki, jotka tilaavat päivitykseni (ei sovi hyvin " "ihmiskäyttäjille)" -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 #, fuzzy msgid "Invitations" msgstr "Kutsu(t) lähetettiin" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 #, fuzzy msgid "Invitations enabled" msgstr "Kutsu(t) lähetettiin" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "" @@ -4458,7 +4485,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 #, fuzzy msgid "Version" msgstr "Omat" @@ -4661,123 +4688,191 @@ msgstr "Nimetön sivu" msgid "Primary site navigation" msgstr "Ensisijainen sivunavigointi" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "Koti" - -#: lib/action.php:439 +#, fuzzy +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Henkilökohtainen profiili ja kavereiden aikajana" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "Omat" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Muuta sähköpostiosoitettasi, kuvaasi, salasanaasi, profiiliasi" -#: lib/action.php:444 -msgid "Connect" -msgstr "Yhdistä" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "Käyttäjätili" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 #, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Ei voitu uudelleenohjata palvelimelle: %s" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "Yhdistä" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 #, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Ensisijainen sivunavigointi" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "Kutsu" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "Ylläpito" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Kutsu kavereita ja työkavereita liittymään palveluun %s" -#: lib/action.php:458 -msgid "Logout" -msgstr "Kirjaudu ulos" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "Kutsu" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Kirjaudu ulos palvelusta" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Kirjaudu ulos" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Luo uusi käyttäjätili" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "Rekisteröidy" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Kirjaudu sisään palveluun" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Ohjeet" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Kirjaudu sisään" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Auta minua!" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "Haku" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Ohjeet" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Hae ihmisiä tai tekstiä" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "Haku" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "Palvelun ilmoitus" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "Paikalliset näkymät" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "Sivuilmoitus" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "Toissijainen sivunavigointi" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Ohjeet" + +#: lib/action.php:765 msgid "About" msgstr "Tietoa" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "UKK" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "Yksityisyys" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "Lähdekoodi" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Ota yhteyttä" -#: lib/action.php:751 +#: lib/action.php:782 #, fuzzy msgid "Badge" msgstr "Tönäise" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "StatusNet-ohjelmiston lisenssi" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4786,12 +4881,12 @@ msgstr "" "**%%site.name%%** on mikroblogipalvelu, jonka tarjoaa [%%site.broughtby%%](%%" "site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** on mikroblogipalvelu. " -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4802,42 +4897,42 @@ msgstr "" "versio %s, saatavilla lisenssillä [GNU Affero General Public License](http://" "www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:832 #, fuzzy msgid "Site content license" msgstr "StatusNet-ohjelmiston lisenssi" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "Kaikki " -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "lisenssi." -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "Sivutus" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "Myöhemmin" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "Aiemmin" @@ -4853,61 +4948,114 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 #, fuzzy msgid "You cannot make changes to this site." msgstr "Et voi lähettää viestiä tälle käyttäjälle." -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 #, fuzzy msgid "Changes to that panel are not allowed." msgstr "Rekisteröityminen ei ole sallittu." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 #, fuzzy msgid "showForm() not implemented." msgstr "Komentoa ei ole vielä toteutettu." -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 #, fuzzy msgid "saveSettings() not implemented." msgstr "Komentoa ei ole vielä toteutettu." -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 #, fuzzy msgid "Unable to delete design setting." msgstr "Twitter-asetuksia ei voitu tallentaa!" -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 #, fuzzy msgid "Basic site configuration" msgstr "Sähköpostiosoitteen vahvistus" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "Kutsu" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Design configuration" msgstr "SMS vahvistus" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "Ulkoasu" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 #, fuzzy msgid "User configuration" msgstr "SMS vahvistus" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "Käyttäjä" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 #, fuzzy msgid "Access configuration" msgstr "SMS vahvistus" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "Hyväksy" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 #, fuzzy msgid "Paths configuration" msgstr "SMS vahvistus" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +#, fuzzy +msgctxt "MENU" +msgid "Paths" +msgstr "Polut" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 #, fuzzy msgid "Sessions configuration" msgstr "SMS vahvistus" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "Omat" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -5008,12 +5156,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 #, fuzzy msgid "Password changing failed" msgstr "Salasanan vaihto" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 #, fuzzy msgid "Password changing is not allowed" msgstr "Salasanan vaihto" @@ -5294,20 +5442,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 #, fuzzy msgid "No configuration file found. " msgstr "Varmistuskoodia ei ole annettu." -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:140 +#: lib/common.php:152 #, fuzzy msgid "Go to the installer." msgstr "Kirjaudu sisään palveluun" @@ -5966,6 +6114,10 @@ msgstr "Vastaukset" msgid "Favorites" msgstr "Suosikit" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "Käyttäjä" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Saapuneet" @@ -6083,6 +6235,10 @@ msgstr "Haku" msgid "Keyword(s)" msgstr "" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Haku" + #: lib/searchaction.php:162 #, fuzzy msgid "Search help" @@ -6137,6 +6293,15 @@ msgstr "Ihmiset jotka ovat käyttäjän %s tilaajia" msgid "Groups %s is a member of" msgstr "Ryhmät, joiden jäsen %s on" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "Kutsu" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "Kutsu kavereita ja työkavereita liittymään palveluun %s" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6211,47 +6376,47 @@ msgstr "Viesti" msgid "Moderate" msgstr "" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "muutama sekunti sitten" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "noin minuutti sitten" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "noin %d minuuttia sitten" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "noin tunti sitten" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "noin %d tuntia sitten" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "noin päivä sitten" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "noin %d päivää sitten" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "noin kuukausi sitten" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "noin %d kuukautta sitten" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "noin vuosi sitten" diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index eb841f3c3..68e210ff1 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -14,75 +14,82 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:48:24+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:02:48+0000\n" "Language-Team: French\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "Accès" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 msgid "Site access settings" msgstr "Paramètres d’accès au site" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 msgid "Registration" msgstr "Inscription" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "Privé" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "Interdire aux utilisateurs anonymes (non connectés) de voir le site ?" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" -msgstr "Sur invitation uniquement" +#, fuzzy +msgctxt "LABEL" +msgid "Private" +msgstr "Privé" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "Autoriser l’inscription sur invitation seulement." -#: actions/accessadminpanel.php:173 -msgid "Closed" -msgstr "Fermé" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "Sur invitation uniquement" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "Désactiver les nouvelles inscriptions." -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Enregistrer" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" +msgstr "Fermé" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 msgid "Save access settings" msgstr "Sauvegarder les paramètres d’accès" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "Enregistrer" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "Page non trouvée" -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -108,34 +115,41 @@ msgstr "Page non trouvée" msgid "No such user." msgstr "Utilisateur non trouvé." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, php-format msgid "%1$s and friends, page %2$d" msgstr "%1$s et ses amis, page %2$d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s et ses amis" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "Flux pour les amis de %s (RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "Flux pour les amis de %s (RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "Flux pour les amis de %s (Atom)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." @@ -143,7 +157,7 @@ msgstr "" "Ceci est le flux pour %s et ses amis mais personne n’a rien posté pour le " "moment." -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " @@ -152,7 +166,8 @@ msgstr "" "Essayez de vous abonner à plus d’utilisateurs, de vous [inscrire à un groupe]" "(%%action.groups%%) ou de poster quelque chose vous-même." -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " @@ -162,7 +177,7 @@ msgstr "" "profil ou [poster quelque chose à son intention](%%%%action.newnotice%%%%?" "status_textarea=%3$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -171,7 +186,8 @@ msgstr "" "Pourquoi ne pas [créer un compte](%%%%action.register%%%%) et ensuite faire " "un clin d’œil à %s ou poster un avis à son intention." -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "Vous et vos amis" @@ -574,7 +590,7 @@ msgstr "" "devriez donner l’accès à votre compte %4$s qu’aux tiers à qui vous faites " "confiance." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "Compte" @@ -705,7 +721,7 @@ msgstr "Repris pour %s" msgid "Repeats of %s" msgstr "Reprises de %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "Avis marqués avec %s" @@ -957,7 +973,7 @@ msgstr "Vous n’êtes pas le propriétaire de cette application." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "Un problème est survenu avec votre jeton de session." @@ -983,12 +999,13 @@ msgstr "Ne pas supprimer cette application" msgid "Delete this application" msgstr "Supprimer cette application" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "Non connecté." @@ -1046,7 +1063,7 @@ msgid "Delete this user" msgstr "Supprimer cet utilisateur" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "Conception" @@ -1149,6 +1166,17 @@ msgstr "Restaurer les conceptions par défaut" msgid "Reset back to default" msgstr "Revenir aux valeurs par défaut" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Enregistrer" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Sauvegarder la conception" @@ -1702,7 +1730,7 @@ msgstr "Membres du groupe %1$s - page %2$d" msgid "A list of the users in this group." msgstr "Liste des utilisateurs inscrits à ce groupe." -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "Administrer" @@ -1993,18 +2021,19 @@ msgstr "Message personnel" msgid "Optionally add a personal message to the invitation." msgstr "Ajouter un message personnel à l’invitation (optionnel)." -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "Envoyer" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s vous invite à vous inscrire sur %2$s" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2103,8 +2132,7 @@ msgstr "" "Erreur lors de la mise en place de l’utilisateur. Vous n’y êtes probablement " "pas autorisé." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Ouvrir une session" @@ -2507,7 +2535,7 @@ msgstr "Impossible de sauvegarder le nouveau mot de passe." msgid "Password saved." msgstr "Mot de passe enregistré." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "Chemins" @@ -2540,7 +2568,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Serveur SSL invalide. La longueur maximale est de 255 caractères." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Site" @@ -2827,7 +2854,8 @@ msgstr "Impossible d’enregistrer le profil." msgid "Couldn't save tags." msgstr "Impossible d’enregistrer les marques." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "Préférences enregistrées." @@ -2840,28 +2868,28 @@ msgstr "Au-delà de la limite de page (%s)" msgid "Could not retrieve public stream." msgstr "Impossible de récupérer le flux public." -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "Flux public - page %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "Flux public" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "Fil du flux public (RSS 1.0)" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "Fil du flux public (RSS 2.0)" -#: actions/public.php:167 +#: actions/public.php:168 msgid "Public Stream Feed (Atom)" msgstr "Fil du flux public (Atom)" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2870,11 +2898,11 @@ msgstr "" "Ceci est la chronologie publique de %%site.name%% mais personne n’a encore " "rien posté." -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "Soyez le premier à poster !" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2882,7 +2910,7 @@ msgstr "" "Pourquoi ne pas [créer un compte](%%action.register%%) et être le premier à " "poster !" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2896,7 +2924,7 @@ msgstr "" "vous avec vos amis, famille et collègues ! ([Plus d’informations](%%doc.help%" "%))" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3078,8 +3106,7 @@ msgstr "Désolé, code d’invitation invalide." msgid "Registration successful" msgstr "Compte créé avec succès" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "Créer un compte" @@ -3275,33 +3302,33 @@ msgstr "Repris" msgid "Repeated!" msgstr "Repris !" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "Réponses à %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, php-format msgid "Replies to %1$s, page %2$d" msgstr "Réponses à %1$s, page %2$d" -#: actions/replies.php:144 +#: actions/replies.php:145 #, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "Flux des réponses pour %s (RSS 1.0)" -#: actions/replies.php:151 +#: actions/replies.php:152 #, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "Flux des réponses pour %s (RSS 2.0)" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "Flux des réponses pour %s (Atom)" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " @@ -3310,7 +3337,7 @@ msgstr "" "Ceci est la chronologie des réponses à %1$s mais %2$s n’a encore reçu aucun " "avis à son intention." -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " @@ -3320,7 +3347,7 @@ msgstr "" "abonner à plus de personnes ou vous [inscrire à des groupes](%%action.groups%" "%)." -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3349,7 +3376,6 @@ msgid "User is already sandboxed." msgstr "L’utilisateur est déjà dans le bac à sable." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "Sessions" @@ -3374,7 +3400,7 @@ msgid "Turn on debugging output for sessions." msgstr "Activer la sortie de déboguage pour les sessions." #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Sauvegarder les paramètres du site" @@ -3467,22 +3493,22 @@ msgstr "Avis favoris de %1$s, page %2$d" msgid "Could not retrieve favorite notices." msgstr "Impossible d’afficher les favoris." -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "Flux pour les amis de %s (RSS 1.0)" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "Flux pour les amis de %s (RSS 2.0)" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "Flux pour les amis de %s (Atom)" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." @@ -3491,7 +3517,7 @@ msgstr "" "favori sur les avis que vous aimez pour les mémoriser à l’avenir ou les " "mettre en lumière." -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " @@ -3500,7 +3526,7 @@ msgstr "" "%s n’a pas ajouté d’avis à ses favoris pour le moment. Publiez quelque chose " "d’intéressant, et cela pourrait être ajouté à ses favoris :)" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3511,7 +3537,7 @@ msgstr "" "un compte](%%%%action.register%%%%), puis poster quelque chose " "d’intéressant, qui serait ajouté à ses favoris :)" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "C’est un moyen de partager ce que vous aimez." @@ -4100,22 +4126,22 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" -#: actions/tag.php:68 +#: actions/tag.php:69 #, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "Avis marqués avec %1$s, page %2$d" -#: actions/tag.php:86 +#: actions/tag.php:87 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "Flux des avis pour la marque %s (RSS 1.0)" -#: actions/tag.php:92 +#: actions/tag.php:93 #, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "Flux des avis pour la marque %s (RSS 2.0)" -#: actions/tag.php:98 +#: actions/tag.php:99 #, php-format msgid "Notice feed for tag %s (Atom)" msgstr "Flux des avis pour la marque %s (Atom)" @@ -4202,71 +4228,73 @@ msgstr "" "La licence du flux auquel vous êtes abonné(e), « %1$s », n’est pas compatible " "avec la licence du site « %2$s »." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "Utilisateur" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "Paramètres des utilisateurs pour ce site StatusNet." -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "Limite de bio invalide : doit être numérique." -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "Texte de bienvenue invalide. La taille maximale est de 255 caractères." -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "Abonnement par défaut invalide : « %1$s » n’est pas un utilisateur." -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "Limite de bio" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "Longueur maximale de la bio d’un profil en caractères." -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Nouveaux utilisateurs" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "Accueil des nouveaux utilisateurs" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "" "Texte de bienvenue pour les nouveaux utilisateurs (maximum 255 caractères)." -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 msgid "Default subscription" msgstr "Abonnements par défaut" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 msgid "Automatically subscribe new users to this user." msgstr "Abonner automatiquement les nouveaux utilisateurs à cet utilisateur." -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 msgid "Invitations" msgstr "Invitations" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "Invitations activées" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "" "S’il faut autoriser les utilisateurs à inviter de nouveaux utilisateurs." @@ -4466,7 +4494,7 @@ msgstr "" msgid "Plugins" msgstr "Extensions" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 msgid "Version" msgstr "Version" @@ -4658,120 +4686,190 @@ msgstr "Page sans nom" msgid "Primary site navigation" msgstr "Navigation primaire du site" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "Accueil" - -#: lib/action.php:439 +#, fuzzy +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Profil personnel et flux des amis" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "Personnel" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Modifier votre courriel, avatar, mot de passe, profil" -#: lib/action.php:444 -msgid "Connect" -msgstr "Connecter" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "Compte" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Se connecter aux services" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "Connecter" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Modifier la configuration du site" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "Inviter" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "Administrer" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Inviter des amis et collègues à vous rejoindre dans %s" -#: lib/action.php:458 -msgid "Logout" -msgstr "Fermeture de session" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "Inviter" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Fermer la session" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Fermeture de session" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Créer un compte" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "Créer un compte" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Ouvrir une session" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Aide" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Ouvrir une session" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "À l’aide !" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "Rechercher" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Aide" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Rechercher des personnes ou du texte" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "Rechercher" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "Notice du site" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "Vues locales" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "Avis de la page" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "Navigation secondaire du site" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Aide" + +#: lib/action.php:765 msgid "About" msgstr "À propos" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "CGU" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "Confidentialité" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "Source" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Contact" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "Insigne" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "Licence du logiciel StatusNet" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4780,12 +4878,12 @@ msgstr "" "**%%site.name%%** est un service de microblogging qui vous est proposé par " "[%%site.broughtby%%](%%site.broughtbyurl%%)." -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** est un service de micro-blogging." -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4796,45 +4894,45 @@ msgstr "" "version %s, disponible sous la licence [GNU Affero General Public License] " "(http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "Licence du contenu du site" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Le contenu et les données de %1$s sont privés et confidentiels." -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "Le contenu et les données sont sous le droit d’auteur de %1$s. Tous droits " "réservés." -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Le contenu et les données sont sous le droit d’auteur du contributeur. Tous " "droits réservés." -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "Tous " -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "licence." -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "Pagination" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "Après" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "Avant" @@ -4850,50 +4948,103 @@ msgstr "Impossible de gérer le contenu XML embarqué pour le moment." msgid "Can't handle embedded Base64 content yet." msgstr "Impossible de gérer le contenu en Base64 embarqué pour le moment." -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "Vous ne pouvez pas faire de modifications sur ce site." -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." msgstr "La modification de ce panneau n’est pas autorisée." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "showForm() n’a pas été implémentée." -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "saveSettings() n’a pas été implémentée." -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "Impossible de supprimer les paramètres de conception." -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 msgid "Basic site configuration" msgstr "Configuration basique du site" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "Site" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "Configuration de la conception" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "Conception" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 msgid "User configuration" msgstr "Configuration utilisateur" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "Utilisateur" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 msgid "Access configuration" msgstr "Configuration d’accès" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "Accès" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 msgid "Paths configuration" msgstr "Configuration des chemins" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +#, fuzzy +msgctxt "MENU" +msgid "Paths" +msgstr "Chemins" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 msgid "Sessions configuration" msgstr "Configuration des sessions" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "Sessions" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4994,11 +5145,11 @@ msgstr "Avis sur lesquels cette pièce jointe apparaît." msgid "Tags for this attachment" msgstr "Marques de cette pièce jointe" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 msgid "Password changing failed" msgstr "La modification du mot de passe a échoué" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 msgid "Password changing is not allowed" msgstr "La modification du mot de passe n’est pas autorisée" @@ -5318,20 +5469,20 @@ msgstr "" "tracks - pas encore implémenté.\n" "tracking - pas encore implémenté.\n" -#: lib/common.php:136 +#: lib/common.php:148 msgid "No configuration file found. " msgstr "Aucun fichier de configuration n’a été trouvé. " -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" "J’ai cherché des fichiers de configuration dans les emplacements suivants : " -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "Vous pouvez essayer de lancer l’installeur pour régler ce problème." -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "Aller au programme d’installation" @@ -6051,6 +6202,10 @@ msgstr "Réponses" msgid "Favorites" msgstr "Favoris" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "Utilisateur" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Boîte de réception" @@ -6160,6 +6315,10 @@ msgstr "Rechercher sur le site" msgid "Keyword(s)" msgstr "Mot(s) clef(s)" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Rechercher" + #: lib/searchaction.php:162 msgid "Search help" msgstr "Aide sur la recherche" @@ -6211,6 +6370,15 @@ msgstr "Abonnés de %s" msgid "Groups %s is a member of" msgstr "Groupes de %s" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "Inviter" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "Inviter des amis et collègues à vous rejoindre dans %s" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6281,47 +6449,47 @@ msgstr "Message" msgid "Moderate" msgstr "Modérer" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "il y a quelques secondes" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "il y a 1 minute" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "il y a %d minutes" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "il y a 1 heure" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "il y a %d heures" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "il y a 1 jour" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "il y a %d jours" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "il y a 1 mois" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "il y a %d mois" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "il y a environ 1 an" diff --git a/locale/ga/LC_MESSAGES/statusnet.po b/locale/ga/LC_MESSAGES/statusnet.po index 10594f98d..0b62fe337 100644 --- a/locale/ga/LC_MESSAGES/statusnet.po +++ b/locale/ga/LC_MESSAGES/statusnet.po @@ -8,84 +8,90 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:48:26+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:02:51+0000\n" "Language-Team: Irish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ga\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=5; plural=n==1 ? 0 : n==2 ? 1 : n<7 ? 2 : n<11 ? 3 : " "4;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 #, fuzzy msgid "Access" msgstr "Aceptar" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 #, fuzzy msgid "Site access settings" msgstr "Configuracións de Twitter" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 #, fuzzy msgid "Registration" msgstr "Rexistrar" -#: actions/accessadminpanel.php:161 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. +#: actions/accessadminpanel.php:167 #, fuzzy +msgctxt "LABEL" msgid "Private" msgstr "Privacidade" -#: actions/accessadminpanel.php:163 -msgid "Prohibit anonymous users (not logged in) from viewing site?" +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 +msgid "Make registration invitation only." msgstr "" -#: actions/accessadminpanel.php:167 +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 #, fuzzy msgid "Invite only" msgstr "Invitar" -#: actions/accessadminpanel.php:169 -msgid "Make registration invitation only." +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 +msgid "Disable new registrations." msgstr "" -#: actions/accessadminpanel.php:173 +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 #, fuzzy msgid "Closed" msgstr "Bloquear" -#: actions/accessadminpanel.php:175 -msgid "Disable new registrations." -msgstr "" - -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Gardar" - -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 #, fuzzy msgid "Save access settings" msgstr "Configuracións de Twitter" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "Gardar" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 #, fuzzy msgid "No such page" msgstr "Non existe a etiqueta." -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -111,61 +117,70 @@ msgstr "Non existe a etiqueta." msgid "No such user." msgstr "Ningún usuario." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, fuzzy, php-format msgid "%1$s and friends, page %2$d" msgstr "%s e amigos" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s e amigos" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, fuzzy, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "Fonte para os amigos de %s" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, fuzzy, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "Fonte para os amigos de %s" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, fuzzy, php-format msgid "Feed for friends of %s (Atom)" msgstr "Fonte para os amigos de %s" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "" -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " "something yourself." msgstr "" -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " "post a notice to his or her attention." msgstr "" -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 #, fuzzy msgid "You and friends" msgstr "%s e amigos" @@ -570,7 +585,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 #, fuzzy msgid "Account" msgstr "Sobre" @@ -706,7 +721,7 @@ msgstr "Replies to %s" msgid "Repeats of %s" msgstr "Replies to %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "Chíos tagueados con %s" @@ -972,7 +987,7 @@ msgstr "Non estás suscrito a ese perfil" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 #, fuzzy msgid "There was a problem with your session token." msgstr "Houbo un problema co teu token de sesión. Tentao de novo, anda..." @@ -999,12 +1014,13 @@ msgstr "Non se pode eliminar este chíos." msgid "Delete this application" msgstr "Eliminar chío" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "Non está logueado." @@ -1067,7 +1083,7 @@ msgid "Delete this user" msgstr "Eliminar chío" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1177,6 +1193,17 @@ msgstr "" msgid "Reset back to default" msgstr "" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Gardar" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1760,7 +1787,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -2039,18 +2066,19 @@ msgstr "Mensaxe persoal" msgid "Optionally add a personal message to the invitation." msgstr "Opcionalmente engadir unha mensaxe persoal á invitación." -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "Enviar" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s invitoute a unirse a él en %2$s." -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2148,8 +2176,7 @@ msgstr "Usuario ou contrasinal incorrectos." msgid "Error setting user. You are probably not authorized." msgstr "Non está autorizado." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Inicio de sesión" @@ -2556,7 +2583,7 @@ msgstr "Non se pode gardar a contrasinal." msgid "Password saved." msgstr "Contrasinal gardada." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "" @@ -2589,7 +2616,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 #, fuzzy msgid "Site" msgstr "Invitar" @@ -2889,7 +2915,8 @@ msgstr "Non se puido gardar o perfil." msgid "Couldn't save tags." msgstr "Non se puideron gardar as etiquetas." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "Configuracións gardadas." @@ -2902,48 +2929,48 @@ msgstr "" msgid "Could not retrieve public stream." msgstr "Non se pudo recuperar a liña de tempo publica." -#: actions/public.php:129 +#: actions/public.php:130 #, fuzzy, php-format msgid "Public timeline, page %d" msgstr "Liña de tempo pública" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "Liña de tempo pública" -#: actions/public.php:159 +#: actions/public.php:160 #, fuzzy msgid "Public Stream Feed (RSS 1.0)" msgstr "Sindicación do Fio Público" -#: actions/public.php:163 +#: actions/public.php:164 #, fuzzy msgid "Public Stream Feed (RSS 2.0)" msgstr "Sindicación do Fio Público" -#: actions/public.php:167 +#: actions/public.php:168 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "Sindicación do Fio Público" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2956,7 +2983,7 @@ msgstr "" "(http://status.net/). [Únete agora](%%action.register%%) para compartir " "chíos cos teus amigos, colegas e familia! ([Ler mais](%%doc.help%%))" -#: actions/public.php:246 +#: actions/public.php:247 #, fuzzy, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3133,8 +3160,7 @@ msgstr "Acounteceu un erro co código de confirmación." msgid "Registration successful" msgstr "Xa estas rexistrado!!" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "Rexistrar" @@ -3340,47 +3366,47 @@ msgstr "Crear" msgid "Repeated!" msgstr "Crear" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "Replies to %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, fuzzy, php-format msgid "Replies to %1$s, page %2$d" msgstr "Mensaxe de %1$s en %2$s" -#: actions/replies.php:144 +#: actions/replies.php:145 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "Fonte de chíos para %s" -#: actions/replies.php:151 +#: actions/replies.php:152 #, fuzzy, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "Fonte de chíos para %s" -#: actions/replies.php:158 +#: actions/replies.php:159 #, fuzzy, php-format msgid "Replies feed for %s (Atom)" msgstr "Fonte de chíos para %s" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "" -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3408,7 +3434,6 @@ msgid "User is already sandboxed." msgstr "O usuario bloqueoute." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3433,7 +3458,7 @@ msgid "Turn on debugging output for sessions." msgstr "" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" msgstr "Configuracións de Twitter" @@ -3531,35 +3556,35 @@ msgstr "Chíos favoritos de %s" msgid "Could not retrieve favorite notices." msgstr "Non se pode " -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "Fonte para os amigos de %s" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "Fonte para os amigos de %s" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "Fonte para os amigos de %s" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " "they would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3567,7 +3592,7 @@ msgid "" "would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "" @@ -4149,22 +4174,22 @@ msgstr "Jabber." msgid "SMS" msgstr "SMS" -#: actions/tag.php:68 +#: actions/tag.php:69 #, fuzzy, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "Usuarios auto-etiquetados como %s - páxina %d" -#: actions/tag.php:86 +#: actions/tag.php:87 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "Fonte de chíos para %s" -#: actions/tag.php:92 +#: actions/tag.php:93 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "Fonte de chíos para %s" -#: actions/tag.php:98 +#: actions/tag.php:99 #, fuzzy, php-format msgid "Notice feed for tag %s (Atom)" msgstr "Fonte de chíos para %s" @@ -4256,77 +4281,79 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "Usuario" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Perfil" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 #, fuzzy msgid "New users" msgstr "Invitar a novos usuarios" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Default subscription" msgstr "Tódalas subscricións" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "" "Suscribirse automáticamente a calquera que se suscriba a min (o mellor para " "non humáns)" -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 #, fuzzy msgid "Invitations" msgstr "Invitación(s) enviada(s)." -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 #, fuzzy msgid "Invitations enabled" msgstr "Invitación(s) enviada(s)." -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "" @@ -4514,7 +4541,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 #, fuzzy msgid "Version" msgstr "Persoal" @@ -4721,130 +4748,190 @@ msgstr "" msgid "Primary site navigation" msgstr "" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "Persoal" - -#: lib/action.php:439 +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "Persoal" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 #, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Cambiar contrasinal" -#: lib/action.php:444 -msgid "Connect" -msgstr "Conectar" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "Sobre" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 #, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Non se pode redireccionar ao servidor: %s" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "Conectar" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 #, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Navegación de subscricións" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "Invitar" +#: lib/action.php:460 +msgctxt "MENU" +msgid "Admin" +msgstr "" -#: lib/action.php:453 lib/subgroupnav.php:106 +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 #, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "" "Emprega este formulario para invitar ós teus amigos e colegas a empregar " "este servizo." -#: lib/action.php:458 -msgid "Logout" -msgstr "Sair" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "Invitar" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Sair" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 #, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Crear nova conta" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "Rexistrar" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Axuda" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Inicio de sesión" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 #, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Axuda" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "Buscar" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Axuda" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "Buscar" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 #, fuzzy msgid "Site notice" msgstr "Novo chío" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "" -#: lib/action.php:625 +#: lib/action.php:656 #, fuzzy msgid "Page notice" msgstr "Novo chío" -#: lib/action.php:727 +#: lib/action.php:758 #, fuzzy msgid "Secondary site navigation" msgstr "Navegación de subscricións" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Axuda" + +#: lib/action.php:765 msgid "About" msgstr "Sobre" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "Preguntas frecuentes" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "Privacidade" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "Fonte" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Contacto" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4853,12 +4940,12 @@ msgstr "" "**%%site.name%%** é un servizo de microbloguexo que che proporciona [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** é un servizo de microbloguexo." -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4869,44 +4956,44 @@ msgstr "" "%s, dispoñible baixo licenza [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:832 #, fuzzy msgid "Site content license" msgstr "Atopar no contido dos chíos" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 #, fuzzy msgid "All " msgstr "Todos" -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "" -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "" -#: lib/action.php:1141 +#: lib/action.php:1172 #, fuzzy msgid "After" msgstr "« Despois" -#: lib/action.php:1149 +#: lib/action.php:1180 #, fuzzy msgid "Before" msgstr "Antes »" @@ -4923,61 +5010,113 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 #, fuzzy msgid "You cannot make changes to this site." msgstr "Non podes enviar mensaxes a este usurio." -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 #, fuzzy msgid "Changes to that panel are not allowed." msgstr "Non se permite o rexistro neste intre." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 #, fuzzy msgid "showForm() not implemented." msgstr "Comando non implementado." -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 #, fuzzy msgid "saveSettings() not implemented." msgstr "Comando non implementado." -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 #, fuzzy msgid "Unable to delete design setting." msgstr "Non se puideron gardar os teus axustes de Twitter!" -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 #, fuzzy msgid "Basic site configuration" msgstr "Confirmar correo electrónico" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "Invitar" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Design configuration" msgstr "Confirmación de SMS" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "Persoal" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 #, fuzzy msgid "User configuration" msgstr "Confirmación de SMS" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "Usuario" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 #, fuzzy msgid "Access configuration" msgstr "Confirmación de SMS" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "Aceptar" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 #, fuzzy msgid "Paths configuration" msgstr "Confirmación de SMS" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +msgctxt "MENU" +msgid "Paths" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 #, fuzzy msgid "Sessions configuration" msgstr "Confirmación de SMS" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "Persoal" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -5078,12 +5217,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 #, fuzzy msgid "Password changing failed" msgstr "Contrasinal gardada." -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 #, fuzzy msgid "Password changing is not allowed" msgstr "Contrasinal gardada." @@ -5404,20 +5543,20 @@ msgstr "" "tracks - non implementado por agora.\n" "tracking - non implementado por agora.\n" -#: lib/common.php:136 +#: lib/common.php:148 #, fuzzy msgid "No configuration file found. " msgstr "Sen código de confirmación." -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "" @@ -6134,6 +6273,10 @@ msgstr "Respostas" msgid "Favorites" msgstr "Favoritos" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "Usuario" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Band. Entrada" @@ -6254,6 +6397,10 @@ msgstr "Buscar" msgid "Keyword(s)" msgstr "" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Buscar" + #: lib/searchaction.php:162 #, fuzzy msgid "Search help" @@ -6309,6 +6456,17 @@ msgstr "Suscrito a %s" msgid "Groups %s is a member of" msgstr "" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "Invitar" + +#: lib/subgroupnav.php:106 +#, fuzzy, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "" +"Emprega este formulario para invitar ós teus amigos e colegas a empregar " +"este servizo." + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6388,47 +6546,47 @@ msgstr "Nova mensaxe" msgid "Moderate" msgstr "" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "fai uns segundos" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "fai un minuto" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "fai %d minutos" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "fai unha hora" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "fai %d horas" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "fai un día" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "fai %d días" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "fai un mes" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "fai %d meses" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "fai un ano" diff --git a/locale/he/LC_MESSAGES/statusnet.po b/locale/he/LC_MESSAGES/statusnet.po index a62270a71..89fd4dd7a 100644 --- a/locale/he/LC_MESSAGES/statusnet.po +++ b/locale/he/LC_MESSAGES/statusnet.po @@ -7,82 +7,88 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:48:29+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:02:54+0000\n" "Language-Team: Hebrew\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: he\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 #, fuzzy msgid "Access" msgstr "קבל" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 #, fuzzy msgid "Site access settings" msgstr "הגדרות" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 #, fuzzy msgid "Registration" msgstr "הירש×" -#: actions/accessadminpanel.php:161 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. +#: actions/accessadminpanel.php:167 #, fuzzy +msgctxt "LABEL" msgid "Private" msgstr "פרטיות" -#: actions/accessadminpanel.php:163 -msgid "Prohibit anonymous users (not logged in) from viewing site?" +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 +msgid "Make registration invitation only." msgstr "" -#: actions/accessadminpanel.php:167 +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 msgid "Invite only" msgstr "" -#: actions/accessadminpanel.php:169 -msgid "Make registration invitation only." +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 +msgid "Disable new registrations." msgstr "" -#: actions/accessadminpanel.php:173 +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 #, fuzzy msgid "Closed" msgstr "×ין משתמש ×›×–×”." -#: actions/accessadminpanel.php:175 -msgid "Disable new registrations." -msgstr "" - -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "שמור" - -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 #, fuzzy msgid "Save access settings" msgstr "הגדרות" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "שמור" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 #, fuzzy msgid "No such page" msgstr "×ין הודעה כזו." -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -108,61 +114,70 @@ msgstr "×ין הודעה כזו." msgid "No such user." msgstr "×ין משתמש ×›×–×”." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, fuzzy, php-format msgid "%1$s and friends, page %2$d" msgstr "%s וחברי×" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s וחברי×" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, fuzzy, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "הזנות ×”×—×‘×¨×™× ×©×œ %s" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, fuzzy, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "הזנות ×”×—×‘×¨×™× ×©×œ %s" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, fuzzy, php-format msgid "Feed for friends of %s (Atom)" msgstr "הזנות ×”×—×‘×¨×™× ×©×œ %s" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "" -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " "something yourself." msgstr "" -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " "post a notice to his or her attention." msgstr "" -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 #, fuzzy msgid "You and friends" msgstr "%s וחברי×" @@ -563,7 +578,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 #, fuzzy msgid "Account" msgstr "×ודות" @@ -697,7 +712,7 @@ msgstr "תגובת עבור %s" msgid "Repeats of %s" msgstr "תגובת עבור %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "" @@ -961,7 +976,7 @@ msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "" @@ -987,12 +1002,13 @@ msgstr "×ין הודעה כזו." msgid "Delete this application" msgstr "ת×ר ×ת עצמך ו×ת נוש××™ העניין שלך ב-140 ×ותיות" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "×œ× ×ž×—×•×‘×¨." @@ -1051,7 +1067,7 @@ msgid "Delete this user" msgstr "×ין משתמש ×›×–×”." #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1161,6 +1177,17 @@ msgstr "" msgid "Reset back to default" msgstr "" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "שמור" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1731,7 +1758,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -2005,18 +2032,19 @@ msgstr "" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "שלח" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2088,8 +2116,7 @@ msgstr "×©× ×ž×©×ª×ž×© ×ו סיסמה ×œ× × ×›×•× ×™×." msgid "Error setting user. You are probably not authorized." msgstr "×œ× ×ž×•×¨×©×”." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "היכנס" @@ -2487,7 +2514,7 @@ msgstr "×œ× × ×™×ª×Ÿ לשמור ×ת הסיסמה" msgid "Password saved." msgstr "הסיסמה נשמרה." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "" @@ -2520,7 +2547,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "" @@ -2813,7 +2839,8 @@ msgstr "שמירת הפרופיל נכשלה." msgid "Couldn't save tags." msgstr "שמירת הפרופיל נכשלה." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "ההגדרות נשמרו." @@ -2826,48 +2853,48 @@ msgstr "" msgid "Could not retrieve public stream." msgstr "" -#: actions/public.php:129 +#: actions/public.php:130 #, fuzzy, php-format msgid "Public timeline, page %d" msgstr "קו זמן ציבורי" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "קו זמן ציבורי" -#: actions/public.php:159 +#: actions/public.php:160 #, fuzzy msgid "Public Stream Feed (RSS 1.0)" msgstr "הזנת ×–×¨× ×”×¦×™×‘×•×¨×™" -#: actions/public.php:163 +#: actions/public.php:164 #, fuzzy msgid "Public Stream Feed (RSS 2.0)" msgstr "הזנת ×–×¨× ×”×¦×™×‘×•×¨×™" -#: actions/public.php:167 +#: actions/public.php:168 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "הזנת ×–×¨× ×”×¦×™×‘×•×¨×™" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2876,7 +2903,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3047,8 +3074,7 @@ msgstr "שגי××” ב×ישור הקוד." msgid "Registration successful" msgstr "" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "הירש×" @@ -3226,47 +3252,47 @@ msgstr "צור" msgid "Repeated!" msgstr "צור" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "תגובת עבור %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, fuzzy, php-format msgid "Replies to %1$s, page %2$d" msgstr "תגובת עבור %s" -#: actions/replies.php:144 +#: actions/replies.php:145 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "הזנת הודעות של %s" -#: actions/replies.php:151 +#: actions/replies.php:152 #, fuzzy, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "הזנת הודעות של %s" -#: actions/replies.php:158 +#: actions/replies.php:159 #, fuzzy, php-format msgid "Replies feed for %s (Atom)" msgstr "הזנת הודעות של %s" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "" -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3294,7 +3320,6 @@ msgid "User is already sandboxed." msgstr "למשתמש ×ין פרופיל." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3319,7 +3344,7 @@ msgid "Turn on debugging output for sessions." msgstr "" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" msgstr "הגדרות" @@ -3415,35 +3440,35 @@ msgstr "%s וחברי×" msgid "Could not retrieve favorite notices." msgstr "" -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, fuzzy, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "הזנות ×”×—×‘×¨×™× ×©×œ %s" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, fuzzy, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "הזנות ×”×—×‘×¨×™× ×©×œ %s" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, fuzzy, php-format msgid "Feed for favorites of %s (Atom)" msgstr "הזנות ×”×—×‘×¨×™× ×©×œ %s" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " "they would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3451,7 +3476,7 @@ msgid "" "would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "" @@ -4007,22 +4032,22 @@ msgstr "×ין זיהוי Jabber ×›×–×”." msgid "SMS" msgstr "סמס" -#: actions/tag.php:68 +#: actions/tag.php:69 #, fuzzy, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "מיקרובלוג מ×ת %s" -#: actions/tag.php:86 +#: actions/tag.php:87 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "הזנת הודעות של %s" -#: actions/tag.php:92 +#: actions/tag.php:93 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "הזנת הודעות של %s" -#: actions/tag.php:98 +#: actions/tag.php:99 #, fuzzy, php-format msgid "Notice feed for tag %s (Atom)" msgstr "הזנת הודעות של %s" @@ -4111,74 +4136,76 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "מתשמש" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "פרופיל" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 #, fuzzy msgid "New users" msgstr "מחק" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Default subscription" msgstr "כל המנויי×" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "ההרשמה ×ושרה" -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 #, fuzzy msgid "Invitations" msgstr "מיקו×" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "" @@ -4363,7 +4390,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 #, fuzzy msgid "Version" msgstr "×ישי" @@ -4565,127 +4592,188 @@ msgstr "" msgid "Primary site navigation" msgstr "" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "בית" - -#: lib/action.php:439 +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 -msgid "Change your email, avatar, password, profile" -msgstr "" +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "×ישי" +#. TRANS: Tooltip for main menu option "Account" #: lib/action.php:444 -msgid "Connect" -msgstr "התחבר" +#, fuzzy +msgctxt "TOOLTIP" +msgid "Change your email, avatar, password, profile" +msgstr "שנה סיסמה" -#: lib/action.php:444 +#: lib/action.php:447 #, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "×ודות" + +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "נכשלה ההפניה לשרת: %s" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "התחבר" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 #, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "הרשמות" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" +#: lib/action.php:460 +msgctxt "MENU" +msgid "Admin" msgstr "" -#: lib/action.php:453 lib/subgroupnav.php:106 +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 #, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:458 -msgid "Logout" -msgstr "צ×" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "גודל ×œ× ×—×•×§×™." -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "צ×" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 #, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "צור חשבון חדש" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "הירש×" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "עזרה" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "היכנס" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 #, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "עזרה" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "חיפוש" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "עזרה" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "חיפוש" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 #, fuzzy msgid "Site notice" msgstr "הודעה חדשה" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "" -#: lib/action.php:625 +#: lib/action.php:656 #, fuzzy msgid "Page notice" msgstr "הודעה חדשה" -#: lib/action.php:727 +#: lib/action.php:758 #, fuzzy msgid "Secondary site navigation" msgstr "הרשמות" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "עזרה" + +#: lib/action.php:765 msgid "About" msgstr "×ודות" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "רשימת ש×לות נפוצות" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "פרטיות" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "מקור" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "צור קשר" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4694,12 +4782,12 @@ msgstr "" "**%%site.name%%** ×”×•× ×©×¨×•×ª ביקרובלוג הניתן על ידי [%%site.broughtby%%](%%" "site.broughtbyurl%%)." -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** ×”×•× ×©×¨×•×ª ביקרובלוג." -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4710,43 +4798,43 @@ msgstr "" "s, המופצת תחת רשיון [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)" -#: lib/action.php:801 +#: lib/action.php:832 #, fuzzy msgid "Site content license" msgstr "הודעה חדשה" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "" -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "" -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "" -#: lib/action.php:1141 +#: lib/action.php:1172 #, fuzzy msgid "After" msgstr "<< ×חרי" -#: lib/action.php:1149 +#: lib/action.php:1180 #, fuzzy msgid "Before" msgstr "לפני >>" @@ -4763,55 +4851,107 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "" -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." msgstr "" -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "" -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "" -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "" -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 #, fuzzy msgid "Basic site configuration" msgstr "הרשמות" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "הודעה חדשה" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "×ישי" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 #, fuzzy msgid "User configuration" msgstr "הרשמות" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "מתשמש" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 #, fuzzy msgid "Access configuration" msgstr "הרשמות" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "קבל" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 #, fuzzy msgid "Paths configuration" msgstr "הרשמות" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +msgctxt "MENU" +msgid "Paths" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 #, fuzzy msgid "Sessions configuration" msgstr "הרשמות" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "×ישי" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4912,12 +5052,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 #, fuzzy msgid "Password changing failed" msgstr "הסיסמה נשמרה." -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 #, fuzzy msgid "Password changing is not allowed" msgstr "הסיסמה נשמרה." @@ -5201,20 +5341,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 #, fuzzy msgid "No configuration file found. " msgstr "×ין קוד ×ישור." -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "" @@ -5865,6 +6005,10 @@ msgstr "תגובות" msgid "Favorites" msgstr "מועדפי×" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "מתשמש" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" @@ -5982,6 +6126,10 @@ msgstr "חיפוש" msgid "Keyword(s)" msgstr "" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "חיפוש" + #: lib/searchaction.php:162 #, fuzzy msgid "Search help" @@ -6036,6 +6184,15 @@ msgstr "הרשמה מרוחקת" msgid "Groups %s is a member of" msgstr "" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6112,47 +6269,47 @@ msgstr "הודעה חדשה" msgid "Moderate" msgstr "" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "לפני מספר שניות" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "לפני כדקה" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "לפני ×›-%d דקות" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "לפני כשעה" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "לפני ×›-%d שעות" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "לפני כיו×" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "לפני ×›-%d ימי×" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "לפני כחודש" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "לפני ×›-%d חודשי×" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "לפני כשנה" diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index be2f19178..f46e7357a 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -9,79 +9,86 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:48:32+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:02:57+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=4; plural=(n%100==1 ? 0 : n%100==2 ? 1 : (n%100==3 || " "n%100==4) ? 2 : 3)\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "PÅ™istup" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 #, fuzzy msgid "Site access settings" msgstr "SydÅ‚owe nastajenja skÅ‚adować" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 #, fuzzy msgid "Registration" msgstr "Registrować" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "Priwatny" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" -msgstr "Jenož pÅ™eprosyć" +#, fuzzy +msgctxt "LABEL" +msgid "Private" +msgstr "Priwatny" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "" -#: actions/accessadminpanel.php:173 -msgid "Closed" -msgstr "ZaÄinjeny" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "Jenož pÅ™eprosyć" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "Nowe registrowanja znjemóžnić." -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "SkÅ‚adować" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" +msgstr "ZaÄinjeny" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 #, fuzzy msgid "Save access settings" msgstr "SydÅ‚owe nastajenja skÅ‚adować" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "SkÅ‚adować" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "Strona njeeksistuje" -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -107,61 +114,70 @@ msgstr "Strona njeeksistuje" msgid "No such user." msgstr "Wužiwar njeeksistuje" -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, php-format msgid "%1$s and friends, page %2$d" msgstr "%1$s a pÅ™ećeljo, strona %2$d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s a pÅ™ećeljo" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "Kanal za pÅ™ećelow wužiwarja %s (RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "Kanal za pÅ™ećelow wužiwarja %s (RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "Kanal za pÅ™ećelow wužiwarja %s (Atom)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "" -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " "something yourself." msgstr "" -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " "post a notice to his or her attention." msgstr "" -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "Ty a pÅ™ećeljo" @@ -547,7 +563,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "Konto" @@ -676,7 +692,7 @@ msgstr "" msgid "Repeats of %s" msgstr "" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "" @@ -926,7 +942,7 @@ msgstr "Njejsy wobsedźer tuteje aplikacije." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "" @@ -952,12 +968,13 @@ msgstr "Tutu zdźělenku njewuÅ¡mórnyć" msgid "Delete this application" msgstr "Tutu zdźělenku wuÅ¡mórnyć" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "NjepÅ™izjewjeny." @@ -1011,7 +1028,7 @@ msgid "Delete this user" msgstr "Tutoho wužiwarja wuÅ¡mórnyć" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "Design" @@ -1113,6 +1130,17 @@ msgstr "Standardne designy wobnowić" msgid "Reset back to default" msgstr "Na standard wróćo stajić" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "SkÅ‚adować" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Design skÅ‚adować" @@ -1650,7 +1678,7 @@ msgstr "%1$s skupinskich ÄÅ‚onow, strona %2$d" msgid "A list of the users in this group." msgstr "Lisćina wužiwarjow w tutej skupinje." -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" @@ -1908,18 +1936,19 @@ msgstr "Wosobinska powÄ›sć" msgid "Optionally add a personal message to the invitation." msgstr "Wosobinsku powÄ›sć po dobrozdaću pÅ™eproÅ¡enju pÅ™idać." -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "PósÅ‚ać" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -1989,8 +2018,7 @@ msgstr "WopaÄne wužiwarske mjeno abo hesÅ‚o." msgid "Error setting user. You are probably not authorized." msgstr "Zmylk pÅ™i nastajenju wužiwarja. Snano njejsy awtorizowany." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "PÅ™izjewić" @@ -2370,7 +2398,7 @@ msgstr "" msgid "Password saved." msgstr "HesÅ‚o skÅ‚adowane." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "Šćežki" @@ -2403,7 +2431,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "SydÅ‚o" @@ -2679,7 +2706,8 @@ msgstr "" msgid "Couldn't save tags." msgstr "" -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "Nastajenja skÅ‚adowane." @@ -2692,45 +2720,45 @@ msgstr "" msgid "Could not retrieve public stream." msgstr "" -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "" -#: actions/public.php:167 +#: actions/public.php:168 msgid "Public Stream Feed (Atom)" msgstr "" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2739,7 +2767,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2909,8 +2937,7 @@ msgstr "Wodaj, njepÅ‚aćiwy pÅ™eproÅ¡enski kod." msgid "Registration successful" msgstr "Registrowanje wuspěšne" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "Registrować" @@ -3077,47 +3104,47 @@ msgstr "Wospjetowany" msgid "Repeated!" msgstr "Wospjetowany!" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "" -#: actions/replies.php:127 +#: actions/replies.php:128 #, php-format msgid "Replies to %1$s, page %2$d" msgstr "" -#: actions/replies.php:144 +#: actions/replies.php:145 #, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "" -#: actions/replies.php:151 +#: actions/replies.php:152 #, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "" -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3142,7 +3169,6 @@ msgid "User is already sandboxed." msgstr "" #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "Posedźenja" @@ -3168,7 +3194,7 @@ msgid "Turn on debugging output for sessions." msgstr "" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "SydÅ‚owe nastajenja skÅ‚adować" @@ -3260,35 +3286,35 @@ msgstr "%1$s a pÅ™ećeljo, strona %2$d" msgid "Could not retrieve favorite notices." msgstr "" -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " "they would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3296,7 +3322,7 @@ msgid "" "would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "" @@ -3837,22 +3863,22 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" -#: actions/tag.php:68 +#: actions/tag.php:69 #, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "" -#: actions/tag.php:86 +#: actions/tag.php:87 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "" -#: actions/tag.php:92 +#: actions/tag.php:93 #, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "" -#: actions/tag.php:98 +#: actions/tag.php:99 #, php-format msgid "Notice feed for tag %s (Atom)" msgstr "" @@ -3932,70 +3958,72 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "Wužiwar" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "Wužiwarske nastajenja za sydÅ‚o StatusNet." -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Nowi wužiwarjo" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "Powitanje noweho wužiwarja" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "Powitanski tekst za nowych wužiwarjow (maks. 255 znamjeÅ¡kow)." -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 msgid "Default subscription" msgstr "Standardny abonement" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 msgid "Automatically subscribe new users to this user." msgstr "" -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 msgid "Invitations" msgstr "PÅ™eproÅ¡enja" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "PÅ™eproÅ¡enja zmóžnjene" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "" @@ -4168,7 +4196,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 msgid "Version" msgstr "Wersija" @@ -4356,132 +4384,203 @@ msgstr "Strona bjez titula" msgid "Primary site navigation" msgstr "" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "" - -#: lib/action.php:439 +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 -msgid "Change your email, avatar, password, profile" -msgstr "" +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "Wosobinski" +#. TRANS: Tooltip for main menu option "Account" #: lib/action.php:444 -msgid "Connect" -msgstr "Zwjazać" +#, fuzzy +msgctxt "TOOLTIP" +msgid "Change your email, avatar, password, profile" +msgstr "Změń swoje hesÅ‚o." -#: lib/action.php:444 +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "Konto" + +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" -msgstr "" +msgstr "Zwiski" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "Zwjazać" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" -msgstr "" +msgstr "SMS-wobkrućenje" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "PÅ™eprosyć" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "Administrator" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "" +"Wužij tutón formular, zo by swojich pÅ™ećelow a kolegow pÅ™eprosyÅ‚, zo bychu " +"tutu sÅ‚užbu wužiwali." -#: lib/action.php:458 -msgid "Logout" -msgstr "" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "PÅ™eprosyć" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" -msgstr "" +msgstr "Å at za sydÅ‚o." + +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Logo" -#: lib/action.php:463 +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Konto zaÅ‚ožić" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "Registrować" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" -msgstr "" +msgstr "PÅ™i sydle pÅ™izjewić" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Pomoc" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "PÅ™izjewić" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Pomhaj!" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "Pytać" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Pomoc" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Za ludźimi abo tekstom pytać" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "Pytać" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Pomoc" + +#: lib/action.php:765 msgid "About" msgstr "Wo" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "Huste praÅ¡enja" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "Priwatnosć" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "ŽórÅ‚o" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." "broughtby%%](%%site.broughtbyurl%%). " msgstr "" -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4489,41 +4588,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "" -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "" -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "" @@ -4539,53 +4638,106 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "" -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." msgstr "ZmÄ›ny na tutym woknje njejsu dowolene." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "" -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "" -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "" -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 msgid "Basic site configuration" msgstr "" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "SydÅ‚o" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "Design" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 #, fuzzy msgid "User configuration" msgstr "SMS-wobkrućenje" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "Wužiwar" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 #, fuzzy msgid "Access configuration" msgstr "SMS-wobkrućenje" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "PÅ™istup" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 msgid "Paths configuration" msgstr "" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +#, fuzzy +msgctxt "MENU" +msgid "Paths" +msgstr "Šćežki" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 #, fuzzy msgid "Sessions configuration" msgstr "SMS-wobkrućenje" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "Posedźenja" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4680,11 +4832,11 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 msgid "Password changing failed" msgstr "ZmÄ›njenje hesÅ‚a je so njeporadźiÅ‚o" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 msgid "Password changing is not allowed" msgstr "ZmÄ›njenje hesÅ‚a njeje dowolene" @@ -4963,19 +5115,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 msgid "No configuration file found. " msgstr "Žana konfiguraciska dataja namakana. " -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "" @@ -5596,6 +5748,10 @@ msgstr "WotmoÅ‚wy" msgid "Favorites" msgstr "Fawority" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "Wužiwar" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" @@ -5705,6 +5861,10 @@ msgstr "Pytanske sydÅ‚o" msgid "Keyword(s)" msgstr "KluÄowe hesÅ‚a" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Pytać" + #: lib/searchaction.php:162 msgid "Search help" msgstr "Pytanska pomoc" @@ -5756,6 +5916,15 @@ msgstr "" msgid "Groups %s is a member of" msgstr "" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "PÅ™eprosyć" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -5826,47 +5995,47 @@ msgstr "PowÄ›sć" msgid "Moderate" msgstr "" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "pÅ™ed něšto sekundami" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "pÅ™ed nÄ›hdźe jednej mjeÅ„Å¡inu" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "pÅ™ed %d mjeÅ„Å¡inami" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "pÅ™ed nÄ›hdźe jednej hodźinu" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "pÅ™ed nÄ›hdźe %d hodźinami" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "pÅ™ed nÄ›hdźe jednym dnjom" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "pÅ™ed nÄ›hdźe %d dnjemi" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "pÅ™ed nÄ›hdźe jednym mÄ›sacom" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "pÅ™ed nÄ›hdźe %d mÄ›sacami" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "pÅ™ed nÄ›hdźe jednym lÄ›tom" diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index c9e013bab..cc6af7f0f 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -8,75 +8,82 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:48:35+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:03:00+0000\n" "Language-Team: Interlingua\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "Accesso" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 msgid "Site access settings" msgstr "Configurationes de accesso al sito" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 msgid "Registration" msgstr "Registration" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "Private" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "Prohibir al usatores anonyme (sin session aperte) de vider le sito?" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" -msgstr "Solmente per invitation" +#, fuzzy +msgctxt "LABEL" +msgid "Private" +msgstr "Private" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "Permitter le registration solmente al invitatos." -#: actions/accessadminpanel.php:173 -msgid "Closed" -msgstr "Claudite" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "Solmente per invitation" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "Disactivar le creation de nove contos." -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Salveguardar" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" +msgstr "Claudite" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 msgid "Save access settings" msgstr "Salveguardar configurationes de accesso" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "Salveguardar" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "Pagina non existe" -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -102,34 +109,41 @@ msgstr "Pagina non existe" msgid "No such user." msgstr "Usator non existe." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, php-format msgid "%1$s and friends, page %2$d" msgstr "%1$s e amicos, pagina %2$d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s e amicos" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "Syndication pro le amicos de %s (RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "Syndication pro le amicos de %s (RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "Syndication pro le amicos de %s (Atom)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." @@ -137,7 +151,7 @@ msgstr "" "Isto es le chronologia pro %s e su amicos, ma necuno ha ancora publicate " "alique." -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " @@ -146,7 +160,8 @@ msgstr "" "Proba subscriber te a altere personas, [face te membro de un gruppo](%%" "action.groups%%) o publica alique tu mesme." -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " @@ -155,7 +170,7 @@ msgstr "" "Tu pote tentar [dar un pulsata a %1$s](../%2$s) in su profilo o [publicar un " "message a su attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -164,7 +179,8 @@ msgstr "" "Proque non [registrar un conto](%%%%action.register%%%%) e postea dar un " "pulsata a %s o publicar un message a su attention." -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "Tu e amicos" @@ -559,7 +575,7 @@ msgstr "" "%3$s le datos de tu conto de %4$s. Tu debe solmente dar " "accesso a tu conto de %4$s a tertie personas in le quales tu ha confidentia." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "Conto" @@ -692,7 +708,7 @@ msgstr "Repetite a %s" msgid "Repeats of %s" msgstr "Repetitiones de %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "Notas con etiquetta %s" @@ -943,7 +959,7 @@ msgstr "Tu non es le proprietario de iste application." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "Il habeva un problema con tu indicio de session." @@ -969,12 +985,13 @@ msgstr "Non deler iste application" msgid "Delete this application" msgstr "Deler iste application" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "Non identificate." @@ -1032,7 +1049,7 @@ msgid "Delete this user" msgstr "Deler iste usator" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "Apparentia" @@ -1135,6 +1152,17 @@ msgstr "Restaurar apparentias predefinite" msgid "Reset back to default" msgstr "Revenir al predefinitiones" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Salveguardar" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Salveguardar apparentia" @@ -1686,7 +1714,7 @@ msgstr "Membros del gruppo %1$s, pagina %2$d" msgid "A list of the users in this group." msgstr "Un lista de usatores in iste gruppo." -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" @@ -1971,18 +1999,19 @@ msgstr "Message personal" msgid "Optionally add a personal message to the invitation." msgstr "Si tu vole, adde un message personal al invitation." -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "Inviar" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s te ha invitate a accompaniar le/la in %2$s" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2079,8 +2108,7 @@ msgid "Error setting user. You are probably not authorized." msgstr "" "Error de acceder al conto de usator. Tu probabilemente non es autorisate." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Aperir session" @@ -2479,7 +2507,7 @@ msgstr "Non pote salveguardar le nove contrasigno." msgid "Password saved." msgstr "Contrasigno salveguardate." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "Camminos" @@ -2512,7 +2540,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Servitor SSL invalide. Le longitude maximal es 255 characteres." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Sito" @@ -2797,7 +2824,8 @@ msgstr "Non poteva salveguardar profilo." msgid "Couldn't save tags." msgstr "Non poteva salveguardar etiquettas." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "Preferentias confirmate." @@ -2810,28 +2838,28 @@ msgstr "Ultra le limite de pagina (%s)" msgid "Could not retrieve public stream." msgstr "Non poteva recuperar le fluxo public." -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "Chronologia public, pagina %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "Chronologia public" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "Syndication del fluxo public (RSS 1.0)" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "Syndication del fluxo public (RSS 2.0)" -#: actions/public.php:167 +#: actions/public.php:168 msgid "Public Stream Feed (Atom)" msgstr "Syndication del fluxo public (Atom)" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2840,11 +2868,11 @@ msgstr "" "Isto es le chronologia public pro %%site.name%%, ma nulle persona ha ancora " "scribite alique." -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "Sia le prime a publicar!" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2852,7 +2880,7 @@ msgstr "" "Proque non [registrar un conto](%%action.register%%) e devenir le prime a " "publicar?" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2865,7 +2893,7 @@ msgstr "" "[Inscribe te ora](%%action.register%%) pro condivider notas super te con " "amicos, familia e collegas! ([Leger plus](%%doc.help%%))" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3043,8 +3071,7 @@ msgstr "Pardono, le codice de invitation es invalide." msgid "Registration successful" msgstr "Registration succedite" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "Crear conto" @@ -3238,33 +3265,33 @@ msgstr "Repetite" msgid "Repeated!" msgstr "Repetite!" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "Responsas a %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, php-format msgid "Replies to %1$s, page %2$d" msgstr "Responsas a %1$s, pagina %2$d" -#: actions/replies.php:144 +#: actions/replies.php:145 #, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "Syndication de responsas pro %s (RSS 1.0)" -#: actions/replies.php:151 +#: actions/replies.php:152 #, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "Syndication de responsas pro %s (RSS 2.0)" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "Syndication de responsas pro %s (Atom)" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " @@ -3273,7 +3300,7 @@ msgstr "" "Isto es le chronologia de responsas a %1$s, ma %2$s non ha ancora recipite " "alcun nota a su attention." -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " @@ -3282,7 +3309,7 @@ msgstr "" "Tu pote facer conversation con altere usatores, subscriber te a plus " "personas o [devenir membro de gruppos](%%action.groups%%)." -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3309,7 +3336,6 @@ msgid "User is already sandboxed." msgstr "Usator es ja in cassa de sablo." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "Sessiones" @@ -3334,7 +3360,7 @@ msgid "Turn on debugging output for sessions." msgstr "Producer informationes technic pro cercar defectos in sessiones." #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Salveguardar configurationes del sito" @@ -3427,22 +3453,22 @@ msgstr "Notas favorite de %1$s, pagina %2$d" msgid "Could not retrieve favorite notices." msgstr "Non poteva recuperar notas favorite." -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "Syndication del favorites de %s (RSS 1.0)" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "Syndication del favorites de %s (RSS 2.0)" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "Syndication del favorites de %s (Atom)" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." @@ -3451,7 +3477,7 @@ msgstr "" "Favorite sub notas que te place pro memorisar los pro plus tarde o pro " "mitter los in evidentia." -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " @@ -3460,7 +3486,7 @@ msgstr "" "%s non ha ancora addite alcun nota a su favorites. Publica alique " "interessante que ille favoritisarea :)" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3471,7 +3497,7 @@ msgstr "" "conto](%%%%action.register%%%%) e postea publicar alique interessante que " "ille favoritisarea :)" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "Isto es un modo de condivider lo que te place." @@ -4053,22 +4079,22 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" -#: actions/tag.php:68 +#: actions/tag.php:69 #, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "Notas etiquettate con %1$s, pagina %2$d" -#: actions/tag.php:86 +#: actions/tag.php:87 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "Syndication de notas pro le etiquetta %s (RSS 1.0)" -#: actions/tag.php:92 +#: actions/tag.php:93 #, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "Syndication de notas pro le etiquetta %s (RSS 2.0)" -#: actions/tag.php:98 +#: actions/tag.php:99 #, php-format msgid "Notice feed for tag %s (Atom)" msgstr "Syndication de notas pro le etiquetta %s (Atom)" @@ -4155,70 +4181,72 @@ msgstr "" "Le licentia del fluxo que tu ascolta, ‘%1$s’, non es compatibile con le " "licentia del sito ‘%2$s’." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "Usator" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "Configurationes de usator pro iste sito de StatusNet." -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "Limite de biographia invalide. Debe esser un numero." -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "Texto de benvenita invalide. Longitude maximal es 255 characteres." -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "Subscription predefinite invalide: '%1$s' non es usator." -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profilo" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "Limite de biographia" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "Le longitude maximal del biographia de un profilo in characteres." -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Nove usatores" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "Message de benvenita a nove usatores" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "Texto de benvenita pro nove usatores (max. 255 characteres)" -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 msgid "Default subscription" msgstr "Subscription predefinite" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 msgid "Automatically subscribe new users to this user." msgstr "Subscriber automaticamente le nove usatores a iste usator." -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 msgid "Invitations" msgstr "Invitationes" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "Invitationes activate" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "Si le usatores pote invitar nove usatores." @@ -4414,7 +4442,7 @@ msgstr "" msgid "Plugins" msgstr "Plug-ins" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 msgid "Version" msgstr "Version" @@ -4608,120 +4636,190 @@ msgstr "Pagina sin titulo" msgid "Primary site navigation" msgstr "Navigation primari del sito" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "Initio" - -#: lib/action.php:439 +#, fuzzy +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Profilo personal e chronologia de amicos" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "Personal" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Cambiar tu e-mail, avatar, contrasigno, profilo" -#: lib/action.php:444 -msgid "Connect" -msgstr "Connecter" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "Conto" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Connecter con servicios" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "Connecter" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Modificar le configuration del sito" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "Invitar" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "Administrator" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Invitar amicos e collegas a accompaniar te in %s" -#: lib/action.php:458 -msgid "Logout" -msgstr "Clauder session" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "Invitar" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Terminar le session del sito" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Clauder session" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Crear un conto" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "Crear conto" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Identificar te a iste sito" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Adjuta" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Aperir session" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Adjuta me!" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "Cercar" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Adjuta" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Cercar personas o texto" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "Cercar" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "Aviso del sito" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "Vistas local" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "Aviso de pagina" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "Navigation secundari del sito" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Adjuta" + +#: lib/action.php:765 msgid "About" msgstr "A proposito" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "CdS" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "Confidentialitate" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "Fonte" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Contacto" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "Insignia" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "Licentia del software StatusNet" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4730,12 +4828,12 @@ msgstr "" "**%%site.name%%** es un servicio de microblog offerite per [%%site.broughtby%" "%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** es un servicio de microblog. " -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4746,42 +4844,42 @@ msgstr "" "net/), version %s, disponibile sub le [GNU Affero General Public License]" "(http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "Licentia del contento del sito" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Le contento e datos de %1$s es private e confidential." -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "Contento e datos sub copyright de %1$s. Tote le derectos reservate." -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Contento e datos sub copyright del contributores. Tote le derectos reservate." -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "Totes " -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "licentia." -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "Pagination" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "Post" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "Ante" @@ -4797,50 +4895,103 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "Tu non pote facer modificationes in iste sito." -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." msgstr "Le modification de iste pannello non es permittite." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "showForm() non implementate." -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "saveSettings() non implementate." -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "Impossibile deler configuration de apparentia." -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 msgid "Basic site configuration" msgstr "Configuration basic del sito" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "Sito" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "Configuration del apparentia" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "Apparentia" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 msgid "User configuration" msgstr "Configuration del usator" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "Usator" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 msgid "Access configuration" msgstr "Configuration del accesso" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "Accesso" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 msgid "Paths configuration" msgstr "Configuration del camminos" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +#, fuzzy +msgctxt "MENU" +msgid "Paths" +msgstr "Camminos" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 msgid "Sessions configuration" msgstr "Configuration del sessiones" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "Sessiones" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4941,11 +5092,11 @@ msgstr "Notas ubi iste annexo appare" msgid "Tags for this attachment" msgstr "Etiquettas pro iste annexo" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 msgid "Password changing failed" msgstr "Cambio del contrasigno fallite" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 msgid "Password changing is not allowed" msgstr "Cambio del contrasigno non permittite" @@ -5260,19 +5411,19 @@ msgstr "" "tracks - non ancora implementate.\n" "tracking - non ancora implementate.\n" -#: lib/common.php:136 +#: lib/common.php:148 msgid "No configuration file found. " msgstr "Nulle file de configuration trovate. " -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "Io cercava files de configuration in le sequente locos: " -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "Considera executar le installator pro reparar isto." -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "Ir al installator." @@ -5989,6 +6140,10 @@ msgstr "Responsas" msgid "Favorites" msgstr "Favorites" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "Usator" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Cassa de entrata" @@ -6098,6 +6253,10 @@ msgstr "Cercar in sito" msgid "Keyword(s)" msgstr "Parola(s)-clave" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Cercar" + #: lib/searchaction.php:162 msgid "Search help" msgstr "Adjuta super le recerca" @@ -6149,6 +6308,15 @@ msgstr "Personas qui seque %s" msgid "Groups %s is a member of" msgstr "Gruppos del quales %s es membro" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "Invitar" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "Invitar amicos e collegas a accompaniar te in %s" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6219,47 +6387,47 @@ msgstr "Message" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "alcun secundas retro" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "circa un minuta retro" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "circa %d minutas retro" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "circa un hora retro" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "circa %d horas retro" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "circa un die retro" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "circa %d dies retro" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "circa un mense retro" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "circa %d menses retro" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "circa un anno retro" diff --git a/locale/is/LC_MESSAGES/statusnet.po b/locale/is/LC_MESSAGES/statusnet.po index 8726bea4f..aaf79c8f7 100644 --- a/locale/is/LC_MESSAGES/statusnet.po +++ b/locale/is/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:48:38+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:03:04+0000\n" "Language-Team: Icelandic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: is\n" "X-Message-Group: out-statusnet\n" @@ -21,71 +21,77 @@ msgstr "" "= 31 && n % 100 != 41 && n % 100 != 51 && n % 100 != 61 && n % 100 != 71 && " "n % 100 != 81 && n % 100 != 91);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 #, fuzzy msgid "Access" msgstr "Samþykkja" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 #, fuzzy msgid "Site access settings" msgstr "Stillingar fyrir mynd" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 #, fuzzy msgid "Registration" msgstr "Nýskrá" -#: actions/accessadminpanel.php:161 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. +#: actions/accessadminpanel.php:167 #, fuzzy +msgctxt "LABEL" msgid "Private" msgstr "Friðhelgi" -#: actions/accessadminpanel.php:163 -msgid "Prohibit anonymous users (not logged in) from viewing site?" +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 +msgid "Make registration invitation only." msgstr "" -#: actions/accessadminpanel.php:167 +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 #, fuzzy msgid "Invite only" msgstr "Bjóða" -#: actions/accessadminpanel.php:169 -msgid "Make registration invitation only." +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 +msgid "Disable new registrations." msgstr "" -#: actions/accessadminpanel.php:173 +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 msgid "Closed" msgstr "" -#: actions/accessadminpanel.php:175 -msgid "Disable new registrations." -msgstr "" - -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Vista" - -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 #, fuzzy msgid "Save access settings" msgstr "Stillingar fyrir mynd" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "Vista" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 #, fuzzy msgid "No such page" msgstr "Ekkert þannig merki." -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -111,61 +117,70 @@ msgstr "Ekkert þannig merki." msgid "No such user." msgstr "Enginn svoleiðis notandi." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, fuzzy, php-format msgid "%1$s and friends, page %2$d" msgstr "%s og vinirnir, síða %d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s og vinirnir" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "" -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " "something yourself." msgstr "" -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " "post a notice to his or her attention." msgstr "" -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "" @@ -565,7 +580,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "Aðgangur" @@ -698,7 +713,7 @@ msgstr "Svör við %s" msgid "Repeats of %s" msgstr "Svör við %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "Babl merkt með %s" @@ -954,7 +969,7 @@ msgstr "Þú ert ekki meðlimur í þessum hópi." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "Það komu upp vandamál varðandi setutókann þinn." @@ -980,12 +995,13 @@ msgstr "Gat ekki uppfært hóp." msgid "Delete this application" msgstr "Eyða þessu babli" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "Ekki innskráð(ur)." @@ -1043,7 +1059,7 @@ msgid "Delete this user" msgstr "Eyða þessu babli" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1150,6 +1166,17 @@ msgstr "" msgid "Reset back to default" msgstr "" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Vista" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1713,7 +1740,7 @@ msgstr "Hópmeðlimir %s, síða %d" msgid "A list of the users in this group." msgstr "Listi yfir notendur í þessum hóp." -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "Stjórnandi" @@ -1990,18 +2017,19 @@ msgstr "Persónuleg skilaboð" msgid "Optionally add a personal message to the invitation." msgstr "Bættu persónulegum skilaboðum við boðskortið ef þú vilt." -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "Senda" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s hefur boðið þér að slást í hópinn með þeim á %2$s" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2098,8 +2126,7 @@ msgstr "Rangt notendanafn eða lykilorð." msgid "Error setting user. You are probably not authorized." msgstr "Engin heimild." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Innskráning" @@ -2506,7 +2533,7 @@ msgstr "Get ekki vistað nýja lykilorðið." msgid "Password saved." msgstr "Lykilorð vistað." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "" @@ -2539,7 +2566,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 #, fuzzy msgid "Site" msgstr "Bjóða" @@ -2838,7 +2864,8 @@ msgstr "Gat ekki vistað persónulega síðu." msgid "Couldn't save tags." msgstr "Gat ekki vistað merki." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "Stillingar vistaðar." @@ -2851,45 +2878,45 @@ msgstr "" msgid "Could not retrieve public stream." msgstr "Gat ekki sótt efni úr almenningsveitu." -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "Almenningsrás, síða %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "Almenningsrás" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "" -#: actions/public.php:167 +#: actions/public.php:168 msgid "Public Stream Feed (Atom)" msgstr "" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2898,7 +2925,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3071,8 +3098,7 @@ msgstr "" msgid "Registration successful" msgstr "Nýskráning tókst" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "Nýskrá" @@ -3271,47 +3297,47 @@ msgstr "à sviðsljósinu" msgid "Repeated!" msgstr "" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "Svör við %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, fuzzy, php-format msgid "Replies to %1$s, page %2$d" msgstr "Skilaboð til %1$s á %2$s" -#: actions/replies.php:144 +#: actions/replies.php:145 #, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "" -#: actions/replies.php:151 +#: actions/replies.php:152 #, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "" -#: actions/replies.php:158 +#: actions/replies.php:159 #, fuzzy, php-format msgid "Replies feed for %s (Atom)" msgstr "Bablveita fyrir hópinn %s" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "" -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3338,7 +3364,6 @@ msgid "User is already sandboxed." msgstr "" #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3363,7 +3388,7 @@ msgid "Turn on debugging output for sessions." msgstr "" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" msgstr "Stillingar fyrir mynd" @@ -3460,35 +3485,35 @@ msgstr "Uppáhaldsbabl %s" msgid "Could not retrieve favorite notices." msgstr "Gat ekki sótt uppáhaldsbabl." -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, fuzzy, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "Bablveita uppáhaldsbabls %s" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, fuzzy, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "Bablveita uppáhaldsbabls %s" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, fuzzy, php-format msgid "Feed for favorites of %s (Atom)" msgstr "Bablveita uppáhaldsbabls %s" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " "they would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3496,7 +3521,7 @@ msgid "" "would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "" @@ -4052,22 +4077,22 @@ msgstr "Jabber snarskilaboðaþjónusta" msgid "SMS" msgstr "SMS" -#: actions/tag.php:68 +#: actions/tag.php:69 #, fuzzy, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "Notendur sjálfmerktir með %s - síða %d" -#: actions/tag.php:86 +#: actions/tag.php:87 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "" -#: actions/tag.php:92 +#: actions/tag.php:93 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "Bablveita fyrir %s" -#: actions/tag.php:98 +#: actions/tag.php:99 #, php-format msgid "Notice feed for tag %s (Atom)" msgstr "" @@ -4157,77 +4182,79 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "Notandi" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Persónuleg síða" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 #, fuzzy msgid "New users" msgstr "Bjóða nýjum notendum að vera með" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Default subscription" msgstr "Allar áskriftir" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "" "Gerast sjálfkrafa áskrifandi að hverjum þeim sem gerist áskrifandi að þér " "(best fyrir ómannlega notendur)" -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 #, fuzzy msgid "Invitations" msgstr "Boðskort hefur verið sent út" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 #, fuzzy msgid "Invitations enabled" msgstr "Boðskort hefur verið sent út" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "" @@ -4411,7 +4438,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 #, fuzzy msgid "Version" msgstr "Persónulegt" @@ -4610,124 +4637,192 @@ msgstr "Ónafngreind síða" msgid "Primary site navigation" msgstr "Stikl aðalsíðu" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "Heim" - -#: lib/action.php:439 +#, fuzzy +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Persónuleg síða og vinarás" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "Persónulegt" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "" "Breyttu tölvupóstinum þínum, einkennismyndinni þinni, lykilorðinu þínu, " "persónulegu síðunni þinni" -#: lib/action.php:444 -msgid "Connect" -msgstr "Tengjast" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "Aðgangur" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 #, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Gat ekki framsent til vefþjóns: %s" -#: lib/action.php:448 +#: lib/action.php:453 #, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "Tengjast" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Stikl aðalsíðu" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "Bjóða" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "Stjórnandi" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Bjóða vinum og vandamönnum að slást í hópinn á %s" -#: lib/action.php:458 -msgid "Logout" -msgstr "Útskráning" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "Bjóða" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Skrá þig út af síðunni" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Útskráning" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Búa til aðgang" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "Nýskrá" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Skrá þig inn á síðuna" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Hjálp" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Innskráning" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Hjálp!" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "Leita" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Hjálp" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Leita að fólki eða texta" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "Leita" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "Babl vefsíðunnar" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "Staðbundin sýn" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "Babl síðunnar" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "Stikl undirsíðu" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Hjálp" + +#: lib/action.php:765 msgid "About" msgstr "Um" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "Spurt og svarað" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "Friðhelgi" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "Frumþula" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Tengiliður" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "Hugbúnaðarleyfi StatusNet" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4736,12 +4831,12 @@ msgstr "" "**%%site.name%%** er örbloggsþjónusta í boði [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** er örbloggsþjónusta." -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4752,42 +4847,42 @@ msgstr "" "sem er gefinn út undir [GNU Affero almenningsleyfinu](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:832 #, fuzzy msgid "Site content license" msgstr "Hugbúnaðarleyfi StatusNet" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "Allt " -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "leyfi." -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "Uppröðun" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "Eftir" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "Ãður" @@ -4803,60 +4898,112 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 #, fuzzy msgid "You cannot make changes to this site." msgstr "Þú getur ekki sent þessum notanda skilaboð." -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 #, fuzzy msgid "Changes to that panel are not allowed." msgstr "Nýskráning ekki leyfð." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 #, fuzzy msgid "showForm() not implemented." msgstr "Skipun hefur ekki verið fullbúin" -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 #, fuzzy msgid "saveSettings() not implemented." msgstr "Skipun hefur ekki verið fullbúin" -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "" -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 #, fuzzy msgid "Basic site configuration" msgstr "Staðfesting tölvupóstfangs" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "Bjóða" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Design configuration" msgstr "SMS staðfesting" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "Persónulegt" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 #, fuzzy msgid "User configuration" msgstr "SMS staðfesting" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "Notandi" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 #, fuzzy msgid "Access configuration" msgstr "SMS staðfesting" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "Samþykkja" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 #, fuzzy msgid "Paths configuration" msgstr "SMS staðfesting" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +msgctxt "MENU" +msgid "Paths" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 #, fuzzy msgid "Sessions configuration" msgstr "SMS staðfesting" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "Persónulegt" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4956,12 +5103,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 #, fuzzy msgid "Password changing failed" msgstr "Lykilorðabreyting" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 #, fuzzy msgid "Password changing is not allowed" msgstr "Lykilorðabreyting" @@ -5242,20 +5389,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 #, fuzzy msgid "No configuration file found. " msgstr "Enginn staðfestingarlykill." -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:140 +#: lib/common.php:152 #, fuzzy msgid "Go to the installer." msgstr "Skrá þig inn á síðuna" @@ -5900,6 +6047,10 @@ msgstr "Svör" msgid "Favorites" msgstr "Uppáhald" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "Notandi" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Innhólf" @@ -6015,6 +6166,10 @@ msgstr "" msgid "Keyword(s)" msgstr "" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Leita" + #: lib/searchaction.php:162 msgid "Search help" msgstr "" @@ -6068,6 +6223,15 @@ msgstr "Fólk sem eru áskrifendur að %s" msgid "Groups %s is a member of" msgstr "Hópar sem %s er meðlimur í" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "Bjóða" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "Bjóða vinum og vandamönnum að slást í hópinn á %s" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6140,47 +6304,47 @@ msgstr "Skilaboð" msgid "Moderate" msgstr "" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "fyrir nokkrum sekúndum" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "fyrir um einni mínútu síðan" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "fyrir um %d mínútum síðan" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "fyrir um einum klukkutíma síðan" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "fyrir um %d klukkutímum síðan" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "fyrir um einum degi síðan" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "fyrir um %d dögum síðan" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "fyrir um einum mánuði síðan" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "fyrir um %d mánuðum síðan" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "fyrir um einu ári síðan" diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index 59082b177..61d4cfaf9 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -9,77 +9,84 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:48:41+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:03:07+0000\n" "Language-Team: Italian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "Accesso" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 msgid "Site access settings" msgstr "Impostazioni di accesso al sito" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 msgid "Registration" msgstr "Registrazione" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "Privato" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "" "Proibire agli utenti anonimi (che non hanno effettuato l'accesso) di vedere " "il sito?" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" -msgstr "Solo invito" +#, fuzzy +msgctxt "LABEL" +msgid "Private" +msgstr "Privato" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "Rende la registrazione solo su invito" -#: actions/accessadminpanel.php:173 -msgid "Closed" -msgstr "Chiuso" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "Solo invito" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "Disabilita la creazione di nuovi account" -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Salva" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" +msgstr "Chiuso" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 msgid "Save access settings" msgstr "Salva impostazioni di accesso" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "Salva" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "Pagina inesistente." -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -105,34 +112,41 @@ msgstr "Pagina inesistente." msgid "No such user." msgstr "Utente inesistente." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, php-format msgid "%1$s and friends, page %2$d" msgstr "%1$s e amici, pagina %2$d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s e amici" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "Feed degli amici di %s (RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "Feed degli amici di %s (RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "Feed degli amici di %s (Atom)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." @@ -140,7 +154,7 @@ msgstr "" "Questa è l'attività di %s e i suoi amici, ma nessuno ha ancora scritto " "qualche cosa." -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " @@ -149,7 +163,8 @@ msgstr "" "Prova ad abbonarti a più persone, [entra in un gruppo](%%action.groups%%) o " "scrivi un messaggio." -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " @@ -159,7 +174,7 @@ msgstr "" "qualche cosa alla sua attenzione](%%%%action.newnotice%%%%?status_textarea=%3" "$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -168,7 +183,8 @@ msgstr "" "Perché non [crei un account](%%%%action.register%%%%) e richiami %s o scrivi " "un messaggio alla sua attenzione." -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "Tu e i tuoi amici" @@ -563,7 +579,7 @@ msgstr "" "%3$s ai dati del tuo account %4$s. È consigliato fornire " "accesso al proprio account %4$s solo ad applicazioni di cui ci si può fidare." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "Account" @@ -693,7 +709,7 @@ msgstr "Ripetuto a %s" msgid "Repeats of %s" msgstr "Ripetizioni di %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "Messaggi etichettati con %s" @@ -944,7 +960,7 @@ msgstr "Questa applicazione non è di tua proprietà." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "Si è verificato un problema con il tuo token di sessione." @@ -969,12 +985,13 @@ msgstr "Non eliminare l'applicazione" msgid "Delete this application" msgstr "Elimina l'applicazione" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "Accesso non effettuato." @@ -1032,7 +1049,7 @@ msgid "Delete this user" msgstr "Elimina questo utente" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "Aspetto" @@ -1135,6 +1152,17 @@ msgstr "Ripristina i valori predefiniti" msgid "Reset back to default" msgstr "Reimposta i valori predefiniti" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Salva" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Salva aspetto" @@ -1690,7 +1718,7 @@ msgstr "Membri del gruppo %1$s, pagina %2$d" msgid "A list of the users in this group." msgstr "Un elenco degli utenti in questo gruppo." -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "Amministra" @@ -1974,18 +2002,19 @@ msgstr "Messaggio personale" msgid "Optionally add a personal message to the invitation." msgstr "Puoi aggiungere un messaggio personale agli inviti." -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "Invia" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "Hai ricevuto un invito per seguire %1$s su %2$s" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2080,8 +2109,7 @@ msgstr "Nome utente o password non corretto." msgid "Error setting user. You are probably not authorized." msgstr "Errore nell'impostare l'utente. Forse non hai l'autorizzazione." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Accedi" @@ -2477,7 +2505,7 @@ msgstr "Impossibile salvare la nuova password." msgid "Password saved." msgstr "Password salvata." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "Percorsi" @@ -2510,7 +2538,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Server SSL non valido. La lunghezza massima è di 255 caratteri." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Sito" @@ -2796,7 +2823,8 @@ msgstr "Impossibile salvare il profilo." msgid "Couldn't save tags." msgstr "Impossibile salvare le etichette." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "Impostazioni salvate." @@ -2809,28 +2837,28 @@ msgstr "Oltre il limite della pagina (%s)" msgid "Could not retrieve public stream." msgstr "Impossibile recuperare l'attività pubblica." -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "Attività pubblica, pagina %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "Attività pubblica" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "Feed dell'attività pubblica (RSS 1.0)" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "Feed dell'attività pubblica (RSS 2.0)" -#: actions/public.php:167 +#: actions/public.php:168 msgid "Public Stream Feed (Atom)" msgstr "Feed dell'attività pubblica (Atom)" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2839,18 +2867,18 @@ msgstr "" "Questa è l'attività pubblica di %%site.name%%, ma nessuno ha ancora scritto " "qualche cosa." -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "Fallo tu!" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" "Perché non [crei un account](%%action.register%%) e scrivi qualche cosa!" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2863,7 +2891,7 @@ msgstr "" "net/). [Registrati](%%action.register%%) per condividere messaggi con i tuoi " "amici, i tuoi familiari e colleghi! ([Maggiori informazioni](%%doc.help%%))" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3040,8 +3068,7 @@ msgstr "Codice di invito non valido." msgid "Registration successful" msgstr "Registrazione riuscita" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "Registrati" @@ -3237,33 +3264,33 @@ msgstr "Ripetuti" msgid "Repeated!" msgstr "Ripetuti!" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "Risposte a %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, php-format msgid "Replies to %1$s, page %2$d" msgstr "Risposte a %1$s, pagina %2$d" -#: actions/replies.php:144 +#: actions/replies.php:145 #, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "Feed delle risposte di %s (RSS 1.0)" -#: actions/replies.php:151 +#: actions/replies.php:152 #, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "Feed delle risposte di %s (RSS 2.0)" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "Feed delle risposte di %s (Atom)" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " @@ -3272,7 +3299,7 @@ msgstr "" "Questa è l'attività delle risposte a %1$s, ma %2$s non ha ricevuto ancora " "alcun messaggio." -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " @@ -3281,7 +3308,7 @@ msgstr "" "Puoi avviare una discussione con altri utenti, abbonarti a più persone o " "[entrare in qualche gruppo](%%action.groups%%)." -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3308,7 +3335,6 @@ msgid "User is already sandboxed." msgstr "L'utente è già nella \"sandbox\"." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "Sessioni" @@ -3333,7 +3359,7 @@ msgid "Turn on debugging output for sessions." msgstr "Abilita il debug per le sessioni" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Salva impostazioni" @@ -3426,22 +3452,22 @@ msgstr "Messaggi preferiti di %1$s, pagina %2$d" msgid "Could not retrieve favorite notices." msgstr "Impossibile recuperare i messaggi preferiti." -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "Feed dei preferiti di %s (RSS 1.0)" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "Feed dei preferiti di %s (RSS 2.0)" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "Feed dei preferiti di di %s (Atom)" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." @@ -3449,7 +3475,7 @@ msgstr "" "Non hai ancora scelto alcun messaggio come preferito. Fai clic sul pulsate a " "forma di cuore per salvare i messaggi e rileggerli in un altro momento." -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " @@ -3458,7 +3484,7 @@ msgstr "" "%s non ha aggiunto alcun messaggio tra i suoi preferiti. Scrivi qualche cosa " "di interessante in modo che lo inserisca tra i suoi preferiti. :)" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3469,7 +3495,7 @@ msgstr "" "account](%%%%action.register%%%%) e quindi scrivi qualche cosa di " "interessante in modo che lo inserisca tra i suoi preferiti. :)" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "Questo è un modo per condividere ciò che ti piace." @@ -4048,22 +4074,22 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" -#: actions/tag.php:68 +#: actions/tag.php:69 #, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "Messaggi etichettati con %1$s, pagina %2$d" -#: actions/tag.php:86 +#: actions/tag.php:87 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "Feed dei messaggi per l'etichetta %s (RSS 1.0)" -#: actions/tag.php:92 +#: actions/tag.php:93 #, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "Feed dei messaggi per l'etichetta %s (RSS 2.0)" -#: actions/tag.php:98 +#: actions/tag.php:99 #, php-format msgid "Notice feed for tag %s (Atom)" msgstr "Feed dei messaggi per l'etichetta %s (Atom)" @@ -4151,71 +4177,73 @@ msgstr "" "La licenza \"%1$s\" dello stream di chi ascolti non è compatibile con la " "licenza \"%2$s\" di questo sito." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "Utente" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "Impostazioni utente per questo sito StatusNet." -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "Limite per la biografia non valido. Deve essere numerico." -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" "Testo di benvenuto non valido. La lunghezza massima è di 255 caratteri." -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "Abbonamento predefinito non valido: \"%1$s\" non è un utente." -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profilo" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "Limite biografia" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "Lunghezza massima in caratteri della biografia" -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Nuovi utenti" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "Messaggio per nuovi utenti" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "Messaggio di benvenuto per nuovi utenti (max 255 caratteri)" -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 msgid "Default subscription" msgstr "Abbonamento predefinito" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 msgid "Automatically subscribe new users to this user." msgstr "Abbonare automaticamente i nuovi utenti a questo utente" -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 msgid "Invitations" msgstr "Inviti" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "Inviti abilitati" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "Indica se consentire agli utenti di invitarne di nuovi" @@ -4410,7 +4438,7 @@ msgstr "" msgid "Plugins" msgstr "Plugin" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 msgid "Version" msgstr "Versione" @@ -4551,7 +4579,6 @@ msgid "Could not create group." msgstr "Impossibile creare il gruppo." #: classes/User_group.php:471 -#, fuzzy msgid "Could not set group URI." msgstr "Impossibile impostare l'URI del gruppo." @@ -4604,120 +4631,190 @@ msgstr "Pagina senza nome" msgid "Primary site navigation" msgstr "Esplorazione sito primaria" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "Home" - -#: lib/action.php:439 +#, fuzzy +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Profilo personale e attività degli amici" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "Personale" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Modifica la tua email, immagine, password o il tuo profilo" -#: lib/action.php:444 -msgid "Connect" -msgstr "Connetti" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "Account" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Connettiti con altri servizi" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "Connetti" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Modifica la configurazione del sito" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "Invita" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "Amministra" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Invita amici e colleghi a seguirti su %s" -#: lib/action.php:458 -msgid "Logout" -msgstr "Esci" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "Invita" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Termina la tua sessione sul sito" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Esci" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Crea un account" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "Registrati" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Accedi al sito" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Aiuto" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Accedi" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Aiutami!" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "Cerca" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Aiuto" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Cerca persone o del testo" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "Cerca" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "Messaggio del sito" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "Viste locali" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "Pagina messaggio" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "Esplorazione secondaria del sito" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Aiuto" + +#: lib/action.php:765 msgid "About" msgstr "Informazioni" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "TOS" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "Privacy" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "Sorgenti" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Contatti" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "Badge" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "Licenza del software StatusNet" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4726,12 +4823,12 @@ msgstr "" "**%%site.name%%** è un servizio di microblog offerto da [%%site.broughtby%%]" "(%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** è un servizio di microblog. " -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4742,44 +4839,44 @@ msgstr "" "s, disponibile nei termini della licenza [GNU Affero General Public License]" "(http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "Licenza del contenuto del sito" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "I contenuti e i dati di %1$s sono privati e confidenziali." -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "I contenuti e i dati sono copyright di %1$s. Tutti i diritti riservati." -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "I contenuti e i dati sono forniti dai collaboratori. Tutti i diritti " "riservati." -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "Tutti " -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "licenza." -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "Paginazione" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "Successivi" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "Precedenti" @@ -4795,50 +4892,103 @@ msgstr "Impossibile gestire contenuti XML incorporati." msgid "Can't handle embedded Base64 content yet." msgstr "Impossibile gestire contenuti Base64." -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "Non puoi apportare modifiche al sito." -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." msgstr "Le modifiche al pannello non sono consentite." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "showForm() non implementata." -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "saveSettings() non implementata." -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "Impossibile eliminare le impostazioni dell'aspetto." -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 msgid "Basic site configuration" msgstr "Configurazione di base" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "Sito" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "Configurazione aspetto" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "Aspetto" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 msgid "User configuration" msgstr "Configurazione utente" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "Utente" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 msgid "Access configuration" msgstr "Configurazione di accesso" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "Accesso" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 msgid "Paths configuration" msgstr "Configurazione percorsi" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +#, fuzzy +msgctxt "MENU" +msgid "Paths" +msgstr "Percorsi" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 msgid "Sessions configuration" msgstr "Configurazione sessioni" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "Sessioni" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4938,11 +5088,11 @@ msgstr "Messaggi in cui appare questo allegato" msgid "Tags for this attachment" msgstr "Etichette per questo allegato" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 msgid "Password changing failed" msgstr "Modifica della password non riuscita" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 msgid "Password changing is not allowed" msgstr "La modifica della password non è permessa" @@ -5259,21 +5409,21 @@ msgstr "" "tracks - non ancora implementato\n" "tracking - non ancora implementato\n" -#: lib/common.php:136 +#: lib/common.php:148 msgid "No configuration file found. " msgstr "Non è stato trovato alcun file di configurazione. " -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "I file di configurazione sono stati cercati in questi posti: " -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" "Potrebbe essere necessario lanciare il programma d'installazione per " "correggere il problema." -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "Vai al programma d'installazione." @@ -5861,7 +6011,6 @@ msgid "Available characters" msgstr "Caratteri disponibili" #: lib/messageform.php:178 lib/noticeform.php:236 -#, fuzzy msgctxt "Send button for sending notice" msgid "Send" msgstr "Invia" @@ -5988,6 +6137,10 @@ msgstr "Risposte" msgid "Favorites" msgstr "Preferiti" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "Utente" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "In arrivo" @@ -6097,6 +6250,10 @@ msgstr "Cerca nel sito" msgid "Keyword(s)" msgstr "Parole" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Cerca" + #: lib/searchaction.php:162 msgid "Search help" msgstr "Aiuto sulla ricerca" @@ -6148,6 +6305,15 @@ msgstr "Persone abbonate a %s" msgid "Groups %s is a member of" msgstr "Gruppi di cui %s fa parte" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "Invita" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "Invita amici e colleghi a seguirti su %s" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6218,47 +6384,47 @@ msgstr "Messaggio" msgid "Moderate" msgstr "Modera" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "pochi secondi fa" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "circa un minuto fa" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "circa %d minuti fa" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "circa un'ora fa" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "circa %d ore fa" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "circa un giorno fa" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "circa %d giorni fa" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "circa un mese fa" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "circa %d mesi fa" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "circa un anno fa" diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index cc4844a59..acbcb457d 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -11,75 +11,82 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:48:45+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:03:10+0000\n" "Language-Team: Japanese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "アクセス" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 msgid "Site access settings" msgstr "サイトアクセス設定" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 msgid "Registration" msgstr "登録" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "プライベート" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "匿åユーザー(ログインã—ã¦ã„ã¾ã›ã‚“)ãŒã‚µã‚¤ãƒˆã‚’見るã®ã‚’ç¦æ­¢ã—ã¾ã™ã‹?" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" -msgstr "招待ã®ã¿" +#, fuzzy +msgctxt "LABEL" +msgid "Private" +msgstr "プライベート" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "招待ã®ã¿ç™»éŒ²ã™ã‚‹" -#: actions/accessadminpanel.php:173 -msgid "Closed" -msgstr "é–‰ã˜ã‚‰ã‚ŒãŸ" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "招待ã®ã¿" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "æ–°è¦ç™»éŒ²ã‚’無効。" -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "ä¿å­˜" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" +msgstr "é–‰ã˜ã‚‰ã‚ŒãŸ" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 msgid "Save access settings" msgstr "アクセス設定ã®ä¿å­˜" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "ä¿å­˜" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "ãã®ã‚ˆã†ãªãƒšãƒ¼ã‚¸ã¯ã‚ã‚Šã¾ã›ã‚“。" -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -105,40 +112,47 @@ msgstr "ãã®ã‚ˆã†ãªãƒšãƒ¼ã‚¸ã¯ã‚ã‚Šã¾ã›ã‚“。" msgid "No such user." msgstr "ãã®ã‚ˆã†ãªãƒ¦ãƒ¼ã‚¶ã¯ã„ã¾ã›ã‚“。" -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, php-format msgid "%1$s and friends, page %2$d" msgstr "%1$s ã¨å‹äººã€ãƒšãƒ¼ã‚¸ %2$d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s ã¨å‹äºº" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "%s ã®å‹äººã®ãƒ•ã‚£ãƒ¼ãƒ‰ (RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "%s ã®å‹äººã®ãƒ•ã‚£ãƒ¼ãƒ‰ (RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "%s ã®å‹äººã®ãƒ•ã‚£ãƒ¼ãƒ‰ (Atom)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "ã“れ㯠%s ã¨å‹äººã®ã‚¿ã‚¤ãƒ ãƒ©ã‚¤ãƒ³ã§ã™ã€‚ã¾ã èª°ã‚‚投稿ã—ã¦ã„ã¾ã›ã‚“。" -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " @@ -147,7 +161,8 @@ msgstr "" "ã‚‚ã£ã¨å¤šãã®äººã‚’フォローã—ã¦ã¿ã¾ã—ょã†ã€‚[グループã«å‚加](%%action.groups%%) " "ã—ã¦ã¿ãŸã‚Šã€ä½•ã‹æŠ•ç¨¿ã—ã¦ã¿ã¾ã—ょã†ã€‚" -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " @@ -156,7 +171,7 @@ msgstr "" "プロフィールã‹ã‚‰ [%1$s ã•ã‚“ã«åˆå›³](../%2$s) ã—ãŸã‚Šã€[知らã›ãŸã„ã“ã¨ã«ã¤ã„ã¦æŠ•" "稿](%%%%action.newnotice%%%%?status_textarea=%3$s) ã—ãŸã‚Šã§ãã¾ã™ã€‚" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -165,7 +180,8 @@ msgstr "" "[アカウントを登録](%%%%action.register%%%%) ã—㦠%s ã•ã‚“ã«åˆå›³ã—ãŸã‚Šã€ãŠçŸ¥ã‚‰" "ã›ã‚’é€ã£ã¦ã¿ã¾ã›ã‚“ã‹ã€‚" -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "ã‚ãªãŸã¨å‹äºº" @@ -557,7 +573,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "アカウント" @@ -686,7 +702,7 @@ msgstr "%s ã¸ã®è¿”ä¿¡" msgid "Repeats of %s" msgstr "%s ã®è¿”ä¿¡" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "%s ã¨ã‚¿ã‚°ä»˜ã‘ã•ã‚ŒãŸã¤ã¶ã‚„ã" @@ -937,7 +953,7 @@ msgstr "ã“ã®ã‚¢ãƒ—リケーションã®ã‚ªãƒ¼ãƒŠãƒ¼ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "ã‚ãªãŸã®ã‚»ãƒƒã‚·ãƒ§ãƒ³ãƒˆãƒ¼ã‚¯ãƒ³ã«é–¢ã™ã‚‹å•é¡ŒãŒã‚ã‚Šã¾ã—ãŸã€‚" @@ -963,12 +979,13 @@ msgstr "ã“ã®ã‚¢ãƒ—リケーションを削除ã—ãªã„ã§ãã ã•ã„" msgid "Delete this application" msgstr "ã“ã®ã‚¢ãƒ—リケーションを削除" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "ログインã—ã¦ã„ã¾ã›ã‚“。" @@ -1026,7 +1043,7 @@ msgid "Delete this user" msgstr "ã“ã®ãƒ¦ãƒ¼ã‚¶ã‚’削除" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "デザイン" @@ -1129,6 +1146,17 @@ msgstr "デフォルトデザインã«æˆ»ã™ã€‚" msgid "Reset back to default" msgstr "デフォルトã¸ãƒªã‚»ãƒƒãƒˆã™ã‚‹" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "ä¿å­˜" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "デザインã®ä¿å­˜" @@ -1683,7 +1711,7 @@ msgstr "%1$s グループメンãƒãƒ¼ã€ãƒšãƒ¼ã‚¸ %2$d" msgid "A list of the users in this group." msgstr "ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¦ãƒ¼ã‚¶ã®ãƒªã‚¹ãƒˆã€‚" -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "管ç†è€…" @@ -1966,18 +1994,19 @@ msgstr "パーソナルメッセージ" msgid "Optionally add a personal message to the invitation." msgstr "ä»»æ„ã«æ‹›å¾…ã«ãƒ‘ーソナルメッセージを加ãˆã¦ãã ã•ã„。" -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "投稿" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s ãŒã‚ãªãŸã‚’ %2$s ã¸æ‹›å¾…ã—ã¾ã—ãŸ" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2073,8 +2102,7 @@ msgstr "ユーザåã¾ãŸã¯ãƒ‘スワードãŒé–“é•ã£ã¦ã„ã¾ã™ã€‚" msgid "Error setting user. You are probably not authorized." msgstr "ユーザ設定エラー。 ã‚ãªãŸã¯ãŸã¶ã‚“承èªã•ã‚Œã¦ã„ã¾ã›ã‚“。" -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "ログイン" @@ -2469,7 +2497,7 @@ msgstr "æ–°ã—ã„パスワードをä¿å­˜ã§ãã¾ã›ã‚“。" msgid "Password saved." msgstr "パスワードãŒä¿å­˜ã•ã‚Œã¾ã—ãŸã€‚" -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "パス" @@ -2502,7 +2530,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "ä¸æ­£ãª SSL サーãƒãƒ¼ã€‚最大 255 文字ã¾ã§ã€‚" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "サイト" @@ -2785,7 +2812,8 @@ msgstr "プロファイルをä¿å­˜ã§ãã¾ã›ã‚“" msgid "Couldn't save tags." msgstr "ã‚¿ã‚°ã‚’ä¿å­˜ã§ãã¾ã›ã‚“。" -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "設定ãŒä¿å­˜ã•ã‚Œã¾ã—ãŸã€‚" @@ -2798,28 +2826,28 @@ msgstr "ページ制é™ã‚’超ãˆã¾ã—㟠(%s)" msgid "Could not retrieve public stream." msgstr "パブリックストリームを検索ã§ãã¾ã›ã‚“。" -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "パブリックタイムラインã€ãƒšãƒ¼ã‚¸ %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "パブリックタイムライン" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "パブリックストリームフィード (RSS 1.0)" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "パブリックストリームフィード (RSS 2.0)" -#: actions/public.php:167 +#: actions/public.php:168 msgid "Public Stream Feed (Atom)" msgstr "パブリックストリームフィード (Atom)" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2828,11 +2856,11 @@ msgstr "" "ã“れ㯠%%site.name%% ã®ãƒ‘ブリックタイムラインã§ã™ã€ã—ã‹ã—ã¾ã èª°ã‚‚投稿ã—ã¦ã„ã¾" "ã›ã‚“。" -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "投稿ã™ã‚‹1番目ã«ãªã£ã¦ãã ã•ã„!" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2840,7 +2868,7 @@ msgstr "" "ãªãœ [アカウント登録](%%action.register%%) ã—ãªã„ã®ã§ã™ã‹ã€ãã—ã¦æœ€åˆã®æŠ•ç¨¿ã‚’" "ã—ã¦ãã ã•ã„!" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2854,7 +2882,7 @@ msgstr "" "æ—ãã—ã¦åŒåƒšãªã©ã«ã¤ã„ã¦ã®ã¤ã¶ã‚„ãを共有ã—ã¾ã—ょã†! ([ã‚‚ã£ã¨èª­ã‚€](%%doc.help%" "%))" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3031,8 +3059,7 @@ msgstr "ã™ã¿ã¾ã›ã‚“ã€ä¸æ­£ãªæ‹›å¾…コード。" msgid "Registration successful" msgstr "登録æˆåŠŸ" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "登録" @@ -3225,33 +3252,33 @@ msgstr "ç¹°ã‚Šè¿”ã•ã‚ŒãŸ" msgid "Repeated!" msgstr "ç¹°ã‚Šè¿”ã•ã‚Œã¾ã—ãŸ!" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "%s ã¸ã®è¿”ä¿¡" -#: actions/replies.php:127 +#: actions/replies.php:128 #, php-format msgid "Replies to %1$s, page %2$d" msgstr "%1$s ã¸ã®è¿”ä¿¡ã€ãƒšãƒ¼ã‚¸ %2$s" -#: actions/replies.php:144 +#: actions/replies.php:145 #, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "%s ã®è¿”信フィード (RSS 1.0)" -#: actions/replies.php:151 +#: actions/replies.php:152 #, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "%s ã®è¿”信フィード (RSS 2.0)" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "%s ã®è¿”信フィード (Atom)" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " @@ -3260,7 +3287,7 @@ msgstr "" "ã“れ㯠%1$s ã¸ã®è¿”信を表示ã—ãŸã‚¿ã‚¤ãƒ ãƒ©ã‚¤ãƒ³ã§ã™ã€ã—ã‹ã— %2$s ã¯ã¾ã ã¤ã¶ã‚„ãã‚’" "å—ã‘å–ã£ã¦ã„ã¾ã›ã‚“。" -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " @@ -3269,7 +3296,7 @@ msgstr "" "ã‚ãªãŸã¯ã€ä»–ã®ãƒ¦ãƒ¼ã‚¶ã‚’会話をã™ã‚‹ã‹ã€å¤šãã®äººã€…をフォローã™ã‚‹ã‹ã€ã¾ãŸã¯ [ã‚°" "ループã«åŠ ã‚ã‚‹](%%action.groups%%)ã“ã¨ãŒã§ãã¾ã™ã€‚" -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3296,7 +3323,6 @@ msgid "User is already sandboxed." msgstr "ユーザã¯ã™ã§ã«ã‚µãƒ³ãƒ‰ãƒœãƒƒã‚¯ã‚¹ã§ã™ã€‚" #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "セッション" @@ -3321,7 +3347,7 @@ msgid "Turn on debugging output for sessions." msgstr "セッションã®ãŸã‚ã®ãƒ‡ãƒãƒƒã‚°å‡ºåŠ›ã‚’オン。" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "サイト設定ã®ä¿å­˜" @@ -3415,22 +3441,22 @@ msgstr "%1$s ã®ãŠæ°—ã«å…¥ã‚Šã®ã¤ã¶ã‚„ãã€ãƒšãƒ¼ã‚¸ %2$d" msgid "Could not retrieve favorite notices." msgstr "ãŠæ°—ã«å…¥ã‚Šã®ã¤ã¶ã‚„ãを検索ã§ãã¾ã›ã‚“。" -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "%s ã®ãŠæ°—ã«å…¥ã‚Šã®ãƒ•ã‚£ãƒ¼ãƒ‰ (RSS 1.0)" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "%s ã®ãŠæ°—ã«å…¥ã‚Šã®ãƒ•ã‚£ãƒ¼ãƒ‰ (RSS 2.0)" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "%s ã®ãŠæ°—ã«å…¥ã‚Šã®ãƒ•ã‚£ãƒ¼ãƒ‰ (Atom)" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." @@ -3439,7 +3465,7 @@ msgstr "" "加ã™ã‚‹ã‚ãªãŸãŒãれらãŒãŠæ°—ã«å…¥ã‚Šã®ã¤ã¶ã‚„ãã®ã¨ãã«ãŠæ°—ã«å…¥ã‚Šãƒœã‚¿ãƒ³ã‚’クリック" "ã™ã‚‹ã‹ã€ã¾ãŸã¯ãれらã®ä¸Šã§ã‚¹ãƒãƒƒãƒˆãƒ©ã‚¤ãƒˆã‚’ã¯ã˜ã„ã¦ãã ã•ã„。" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " @@ -3448,7 +3474,7 @@ msgstr "" "%s ã¯ã¾ã å½¼ã®ãŠæ°—ã«å…¥ã‚Šã«å°‘ã—ã®ã¤ã¶ã‚„ãも加ãˆã¦ã„ã¾ã›ã‚“。 彼らãŒãŠæ°—ã«å…¥ã‚Šã«" "加ãˆã‚‹ã“ã¨ãŠã‚‚ã—ã‚ã„ã‚‚ã®ã‚’投稿ã—ã¦ãã ã•ã„:)" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3459,7 +3485,7 @@ msgstr "" "%%%action.register%%%%) ã—ãªã„ã®ã§ã™ã‹ã€‚ãã—ã¦ã€å½¼ã‚‰ãŒãŠæ°—ã«å…¥ã‚Šã«åŠ ãˆã‚‹ãŠã‚‚" "ã—ã‚ã„何ã‹ã‚’投稿ã—ã¾ã›ã‚“ã‹:)" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "ã“ã‚Œã¯ã€ã‚ãªãŸãŒå¥½ããªã“ã¨ã‚’共有ã™ã‚‹æ–¹æ³•ã§ã™ã€‚" @@ -4044,22 +4070,22 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" -#: actions/tag.php:68 +#: actions/tag.php:69 #, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "%1$s ã¨ã‚¿ã‚°ä»˜ã‘ã•ã‚ŒãŸã¤ã¶ã‚„ãã€ãƒšãƒ¼ã‚¸ %2$d" -#: actions/tag.php:86 +#: actions/tag.php:87 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "%s ã¨ã‚¿ã‚°ä»˜ã‘ã•ã‚ŒãŸã¤ã¶ã‚„ãフィード (RSS 1.0)" -#: actions/tag.php:92 +#: actions/tag.php:93 #, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "%s ã¨ã‚¿ã‚°ä»˜ã‘ã•ã‚ŒãŸã¤ã¶ã‚„ãフィード (RSS 2.0)" -#: actions/tag.php:98 +#: actions/tag.php:99 #, php-format msgid "Notice feed for tag %s (Atom)" msgstr "%s ã¨ã‚¿ã‚°ä»˜ã‘ã•ã‚ŒãŸã¤ã¶ã‚„ãフィード (Atom)" @@ -4144,70 +4170,72 @@ msgstr "" "リスニーストリームライセンス ‘%1$s’ ã¯ã€ã‚µã‚¤ãƒˆãƒ©ã‚¤ã‚»ãƒ³ã‚¹ ‘%2$s’ ã¨äº’æ›æ€§ãŒã‚" "ã‚Šã¾ã›ã‚“。" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "ユーザ" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "ã“ã® StatusNet サイトã®ãƒ¦ãƒ¼ã‚¶è¨­å®šã€‚" -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "ä¸æ­£ãªè‡ªå·±ç´¹ä»‹åˆ¶é™ã€‚æ•°å­—ã§ã‚ã‚‹å¿…è¦ãŒã‚ã‚Šã¾ã™ã€‚" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "ä¸æ­£ãªã‚¦ã‚§ãƒ«ã‚«ãƒ ãƒ†ã‚­ã‚¹ãƒˆã€‚最大長ã¯255å­—ã§ã™ã€‚" -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "ä¸æ­£ãªãƒ‡ãƒ•ã‚©ãƒ«ãƒˆãƒ•ã‚©ãƒ­ãƒ¼ã§ã™: '%1$s' ã¯ãƒ¦ãƒ¼ã‚¶ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "プロファイル" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "自己紹介制é™" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "プロファイル自己紹介ã®æœ€å¤§æ–‡å­—長。" -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "æ–°ã—ã„ユーザ" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "æ–°ã—ã„ユーザを歓迎" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "æ–°ã—ã„ユーザã¸ã®ã‚¦ã‚§ãƒ«ã‚«ãƒ ãƒ†ã‚­ã‚¹ãƒˆ (最大255å­—)。" -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 msgid "Default subscription" msgstr "デフォルトフォロー" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 msgid "Automatically subscribe new users to this user." msgstr "自動的ã«ã“ã®ãƒ¦ãƒ¼ã‚¶ã«æ–°ã—ã„ユーザをフォローã—ã¦ãã ã•ã„。" -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 msgid "Invitations" msgstr "招待" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "招待ãŒå¯èƒ½" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "ユーザãŒæ–°ã—ã„ユーザを招待ã™ã‚‹ã®ã‚’許容ã™ã‚‹ã‹ã©ã†ã‹ã€‚" @@ -4393,7 +4421,7 @@ msgstr "" msgid "Plugins" msgstr "プラグイン" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 msgid "Version" msgstr "ãƒãƒ¼ã‚¸ãƒ§ãƒ³" @@ -4589,120 +4617,190 @@ msgstr "å称未設定ページ" msgid "Primary site navigation" msgstr "プライマリサイトナビゲーション" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "ホーム" - -#: lib/action.php:439 +#, fuzzy +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "パーソナルプロファイルã¨å‹äººã®ã‚¿ã‚¤ãƒ ãƒ©ã‚¤ãƒ³" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "パーソナル" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "メールアドレスã€ã‚¢ãƒã‚¿ãƒ¼ã€ãƒ‘スワードã€ãƒ—ロパティã®å¤‰æ›´" -#: lib/action.php:444 -msgid "Connect" -msgstr "接続" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "アカウント" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "サービスã¸æŽ¥ç¶š" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "接続" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "サイト設定ã®å¤‰æ›´" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "招待" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "管ç†è€…" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "å‹äººã‚„åŒåƒšãŒ %s ã§åŠ ã‚るよã†èª˜ã£ã¦ãã ã•ã„。" -#: lib/action.php:458 -msgid "Logout" -msgstr "ログアウト" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "招待" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "サイトã‹ã‚‰ãƒ­ã‚°ã‚¢ã‚¦ãƒˆ" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "ログアウト" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "アカウントを作æˆ" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "登録" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "サイトã¸ãƒ­ã‚°ã‚¤ãƒ³" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "ヘルプ" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "ログイン" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "助ã‘ã¦ï¼" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "検索" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "ヘルプ" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "人々ã‹ãƒ†ã‚­ã‚¹ãƒˆã‚’検索" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "検索" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "サイトã¤ã¶ã‚„ã" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "ローカルビュー" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "ページã¤ã¶ã‚„ã" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "セカンダリサイトナビゲーション" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "ヘルプ" + +#: lib/action.php:765 msgid "About" msgstr "About" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "よãã‚る質å•" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "プライãƒã‚·ãƒ¼" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "ソース" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "連絡先" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "ãƒãƒƒã‚¸" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "StatusNet ソフトウェアライセンス" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4711,12 +4809,12 @@ msgstr "" "**%%site.name%%** 㯠[%%site.broughtby%%](%%site.broughtbyurl%%) ãŒæä¾›ã™ã‚‹ãƒž" "イクロブログサービスã§ã™ã€‚ " -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** ã¯ãƒžã‚¤ã‚¯ãƒ­ãƒ–ログサービスã§ã™ã€‚ " -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4727,41 +4825,41 @@ msgstr "" "ã„ã¦ã„ã¾ã™ã€‚ ライセンス [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)。" -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "サイト内容ライセンス" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "全㦠" -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "ライセンス。" -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "ページ化" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "<<後" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "å‰>>" @@ -4777,50 +4875,103 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "ã‚ãªãŸã¯ã“ã®ã‚µã‚¤ãƒˆã¸ã®å¤‰æ›´ã‚’è¡Œã†ã“ã¨ãŒã§ãã¾ã›ã‚“。" -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." msgstr "ãã®ãƒ‘ãƒãƒ«ã¸ã®å¤‰æ›´ã¯è¨±å¯ã•ã‚Œã¦ã„ã¾ã›ã‚“。" -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "showForm() ã¯å®Ÿè£…ã•ã‚Œã¦ã„ã¾ã›ã‚“。" -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "saveSettings() ã¯å®Ÿè£…ã•ã‚Œã¦ã„ã¾ã›ã‚“。" -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "デザイン設定を削除ã§ãã¾ã›ã‚“。" -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 msgid "Basic site configuration" msgstr "基本サイト設定" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "サイト" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "デザイン設定" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "デザイン" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 msgid "User configuration" msgstr "ユーザ設定" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "ユーザ" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 msgid "Access configuration" msgstr "アクセス設定" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "アクセス" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 msgid "Paths configuration" msgstr "パス設定" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +#, fuzzy +msgctxt "MENU" +msgid "Paths" +msgstr "パス" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 msgid "Sessions configuration" msgstr "セッション設定" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "セッション" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4919,11 +5070,11 @@ msgstr "ã“ã®æ·»ä»˜ãŒç¾ã‚Œã‚‹ã¤ã¶ã‚„ã" msgid "Tags for this attachment" msgstr "ã“ã®æ·»ä»˜ã®ã‚¿ã‚°" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 msgid "Password changing failed" msgstr "パスワード変更ã«å¤±æ•—ã—ã¾ã—ãŸ" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 msgid "Password changing is not allowed" msgstr "パスワード変更ã¯è¨±å¯ã•ã‚Œã¦ã„ã¾ã›ã‚“" @@ -5196,21 +5347,21 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 msgid "No configuration file found. " msgstr "コンフィギュレーションファイルãŒã‚ã‚Šã¾ã›ã‚“。 " -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "ç§ã¯ä»¥ä¸‹ã®å ´æ‰€ã§ã‚³ãƒ³ãƒ•ã‚£ã‚®ãƒ¥ãƒ¬ãƒ¼ã‚·ãƒ§ãƒ³ãƒ•ã‚¡ã‚¤ãƒ«ã‚’探ã—ã¾ã—ãŸ: " -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" "ã‚ãªãŸã¯ã€ã“れを修ç†ã™ã‚‹ãŸã‚ã«ã‚¤ãƒ³ã‚¹ãƒˆãƒ¼ãƒ©ã‚’å‹•ã‹ã—ãŸãŒã£ã¦ã„ã‚‹ã‹ã‚‚ã—ã‚Œã¾ã›" "ん。" -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "インストーラã¸ã€‚" @@ -5930,6 +6081,10 @@ msgstr "返信" msgid "Favorites" msgstr "ãŠæ°—ã«å…¥ã‚Š" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "ユーザ" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "å—ä¿¡ç®±" @@ -6039,6 +6194,10 @@ msgstr "サイト検索" msgid "Keyword(s)" msgstr "キーワード" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "検索" + #: lib/searchaction.php:162 msgid "Search help" msgstr "ヘルプ検索" @@ -6090,6 +6249,15 @@ msgstr "人々㯠%s をフォローã—ã¾ã—ãŸã€‚" msgid "Groups %s is a member of" msgstr "グループ %s ã¯ãƒ¡ãƒ³ãƒãƒ¼" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "招待" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "å‹äººã‚„åŒåƒšãŒ %s ã§åŠ ã‚るよã†èª˜ã£ã¦ãã ã•ã„。" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6161,47 +6329,47 @@ msgstr "メッセージ" msgid "Moderate" msgstr "管ç†" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "数秒å‰" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "ç´„ 1 分å‰" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "ç´„ %d 分å‰" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "ç´„ 1 時間å‰" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "ç´„ %d 時間å‰" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "ç´„ 1 æ—¥å‰" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "ç´„ %d æ—¥å‰" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "ç´„ 1 ヵ月å‰" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "ç´„ %d ヵ月å‰" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "ç´„ 1 å¹´å‰" diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index 4766a478b..aca8a093a 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -7,83 +7,89 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:48:47+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:03:13+0000\n" "Language-Team: Korean\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 #, fuzzy msgid "Access" msgstr "수ë½" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 #, fuzzy msgid "Site access settings" msgstr "아바타 설정" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 #, fuzzy msgid "Registration" msgstr "회ì›ê°€ìž…" -#: actions/accessadminpanel.php:161 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. +#: actions/accessadminpanel.php:167 #, fuzzy +msgctxt "LABEL" msgid "Private" msgstr "ê°œì¸ì •ë³´ 취급방침" -#: actions/accessadminpanel.php:163 -msgid "Prohibit anonymous users (not logged in) from viewing site?" +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 +msgid "Make registration invitation only." msgstr "" -#: actions/accessadminpanel.php:167 +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 #, fuzzy msgid "Invite only" msgstr "초대" -#: actions/accessadminpanel.php:169 -msgid "Make registration invitation only." +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 +msgid "Disable new registrations." msgstr "" -#: actions/accessadminpanel.php:173 +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 #, fuzzy msgid "Closed" msgstr "차단하기" -#: actions/accessadminpanel.php:175 -msgid "Disable new registrations." -msgstr "" - -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "저장" - -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 #, fuzzy msgid "Save access settings" msgstr "아바타 설정" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "저장" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 #, fuzzy msgid "No such page" msgstr "그러한 태그가 없습니다." -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -109,61 +115,70 @@ msgstr "그러한 태그가 없습니다." msgid "No such user." msgstr "그러한 사용ìžëŠ” 없습니다." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, fuzzy, php-format msgid "%1$s and friends, page %2$d" msgstr "%s 와 친구들, %d 페ì´ì§€" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s ë° ì¹œêµ¬ë“¤" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, fuzzy, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "%sì˜ ì¹œêµ¬ë“¤ì„ ìœ„í•œ 피드" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, fuzzy, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "%sì˜ ì¹œêµ¬ë“¤ì„ ìœ„í•œ 피드" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, fuzzy, php-format msgid "Feed for friends of %s (Atom)" msgstr "%sì˜ ì¹œêµ¬ë“¤ì„ ìœ„í•œ 피드" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "" -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " "something yourself." msgstr "" -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " "post a notice to his or her attention." msgstr "" -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 #, fuzzy msgid "You and friends" msgstr "%s ë° ì¹œêµ¬ë“¤" @@ -568,7 +583,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "계정" @@ -702,7 +717,7 @@ msgstr "%sì— ë‹µì‹ " msgid "Repeats of %s" msgstr "%sì— ë‹µì‹ " -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "%s íƒœê·¸ëœ í†µì§€" @@ -961,7 +976,7 @@ msgstr "ë‹¹ì‹ ì€ í•´ë‹¹ ê·¸ë£¹ì˜ ë©¤ë²„ê°€ 아닙니다." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "ë‹¹ì‹ ì˜ ì„¸ì…˜í† í°ê´€ë ¨ 문제가 있습니다." @@ -987,12 +1002,13 @@ msgstr "ì´ í†µì§€ë¥¼ 지울 수 없습니다." msgid "Delete this application" msgstr "ì´ ê²Œì‹œê¸€ 삭제하기" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "로그ì¸í•˜ê³  있지 않습니다." @@ -1053,7 +1069,7 @@ msgid "Delete this user" msgstr "ì´ ê²Œì‹œê¸€ 삭제하기" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1164,6 +1180,17 @@ msgstr "" msgid "Reset back to default" msgstr "" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "저장" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1740,7 +1767,7 @@ msgstr "%s 그룹 회ì›, %d페ì´ì§€" msgid "A list of the users in this group." msgstr "ì´ ê·¸ë£¹ì˜ íšŒì›ë¦¬ìŠ¤íŠ¸" -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "관리ìž" @@ -2016,18 +2043,19 @@ msgstr "ê°œì¸ì ì¸ 메시지" msgid "Optionally add a personal message to the invitation." msgstr "ì´ˆëŒ€ìž¥ì— ë©”ì‹œì§€ 첨부하기." -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "보내기" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$së‹˜ì´ ê·€í•˜ë¥¼ %2$sì— ì´ˆëŒ€í•˜ì˜€ìŠµë‹ˆë‹¤." -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2119,8 +2147,7 @@ msgstr "틀린 계정 ë˜ëŠ” 비밀 번호" msgid "Error setting user. You are probably not authorized." msgstr "ì¸ì¦ì´ ë˜ì§€ 않았습니다." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "로그ì¸" @@ -2523,7 +2550,7 @@ msgstr "새 비밀번호를 저장 í•  수 없습니다." msgid "Password saved." msgstr "비밀 번호 저장" -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "" @@ -2556,7 +2583,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 #, fuzzy msgid "Site" msgstr "초대" @@ -2850,7 +2876,8 @@ msgstr "í”„ë¡œí•„ì„ ì €ìž¥ í•  수 없습니다." msgid "Couldn't save tags." msgstr "태그를 저장할 수 없습니다." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "설정 저장" @@ -2863,48 +2890,48 @@ msgstr "" msgid "Could not retrieve public stream." msgstr "공개 streamì„ ë¶ˆëŸ¬ì˜¬ 수 없습니다." -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "공개 타임ë¼ì¸, %d 페ì´ì§€" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "í¼ë¸”릭 타임ë¼ì¸" -#: actions/public.php:159 +#: actions/public.php:160 #, fuzzy msgid "Public Stream Feed (RSS 1.0)" msgstr "í¼ë¸”릭 스트림 피드" -#: actions/public.php:163 +#: actions/public.php:164 #, fuzzy msgid "Public Stream Feed (RSS 2.0)" msgstr "í¼ë¸”릭 스트림 피드" -#: actions/public.php:167 +#: actions/public.php:168 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "í¼ë¸”릭 스트림 피드" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2913,7 +2940,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:246 +#: actions/public.php:247 #, fuzzy, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3086,8 +3113,7 @@ msgstr "í™•ì¸ ì½”ë“œ 오류" msgid "Registration successful" msgstr "íšŒì› ê°€ìž…ì´ ì„±ê³µì ìž…니다." -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "회ì›ê°€ìž…" @@ -3286,47 +3312,47 @@ msgstr "ìƒì„±" msgid "Repeated!" msgstr "ìƒì„±" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "%sì— ë‹µì‹ " -#: actions/replies.php:127 +#: actions/replies.php:128 #, fuzzy, php-format msgid "Replies to %1$s, page %2$d" msgstr "%2$sì—ì„œ %1$s까지 메시지" -#: actions/replies.php:144 +#: actions/replies.php:145 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "%sì˜ í†µì§€ 피드" -#: actions/replies.php:151 +#: actions/replies.php:152 #, fuzzy, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "%sì˜ í†µì§€ 피드" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "%sì˜ í†µì§€ 피드" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "" -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3354,7 +3380,6 @@ msgid "User is already sandboxed." msgstr "회ì›ì´ ë‹¹ì‹ ì„ ì°¨ë‹¨í•´ì™”ìŠµë‹ˆë‹¤." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3379,7 +3404,7 @@ msgid "Turn on debugging output for sessions." msgstr "" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" msgstr "아바타 설정" @@ -3476,35 +3501,35 @@ msgstr "%s ë‹˜ì˜ ì¢‹ì•„í•˜ëŠ” 글들" msgid "Could not retrieve favorite notices." msgstr "좋아하는 ê²Œì‹œê¸€ì„ ë³µêµ¬í•  수 없습니다." -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "%sì˜ ì¹œêµ¬ë“¤ì„ ìœ„í•œ 피드" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "%sì˜ ì¹œêµ¬ë“¤ì„ ìœ„í•œ 피드" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "%sì˜ ì¹œêµ¬ë“¤ì„ ìœ„í•œ 피드" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " "they would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3512,7 +3537,7 @@ msgid "" "would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "" @@ -4076,22 +4101,22 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" -#: actions/tag.php:68 +#: actions/tag.php:69 #, fuzzy, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "ì´ìš©ìž 셀프 í…Œí¬ %s - %d 페ì´ì§€" -#: actions/tag.php:86 +#: actions/tag.php:87 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "%sì˜ í†µì§€ 피드" -#: actions/tag.php:92 +#: actions/tag.php:93 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "%sì˜ í†µì§€ 피드" -#: actions/tag.php:98 +#: actions/tag.php:99 #, fuzzy, php-format msgid "Notice feed for tag %s (Atom)" msgstr "%sì˜ í†µì§€ 피드" @@ -4178,75 +4203,77 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "ì´ìš©ìž" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "프로필" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 #, fuzzy msgid "New users" msgstr "새 사용ìžë¥¼ 초대" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Default subscription" msgstr "모든 예약 구ë…" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "나ì—게 구ë…하는 사람ì—게 ìžë™ êµ¬ë… ì‹ ì²­" -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 #, fuzzy msgid "Invitations" msgstr "ì´ˆëŒ€ê¶Œì„ ë³´ëƒˆìŠµë‹ˆë‹¤" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 #, fuzzy msgid "Invitations enabled" msgstr "ì´ˆëŒ€ê¶Œì„ ë³´ëƒˆìŠµë‹ˆë‹¤" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "" @@ -4432,7 +4459,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 #, fuzzy msgid "Version" msgstr "ê°œì¸ì ì¸" @@ -4636,123 +4663,191 @@ msgstr "제목없는 페ì´ì§€" msgid "Primary site navigation" msgstr "주 사ì´íŠ¸ 네비게ì´ì…˜" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "홈" - -#: lib/action.php:439 +#, fuzzy +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "ê°œì¸ í”„ë¡œí•„ê³¼ 친구 타임ë¼ì¸" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "ê°œì¸ì ì¸" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "ë‹¹ì‹ ì˜ ì´ë©”ì¼, 아바타, 비밀 번호, í”„ë¡œí•„ì„ ë³€ê²½í•˜ì„¸ìš”." -#: lib/action.php:444 -msgid "Connect" -msgstr "ì—°ê²°" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "계정" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 #, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "ì„œë²„ì— ìž¬ì ‘ì† í•  수 없습니다 : %s" -#: lib/action.php:448 +#: lib/action.php:453 #, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "ì—°ê²°" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "주 사ì´íŠ¸ 네비게ì´ì…˜" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "초대" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "관리ìž" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "%sì— ì¹œêµ¬ë¥¼ 가입시키기 위해 친구와 ë™ë£Œë¥¼ 초대합니다." -#: lib/action.php:458 -msgid "Logout" -msgstr "로그아웃" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "초대" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "ì´ ì‚¬ì´íŠ¸ë¡œë¶€í„° 로그아웃" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "로그아웃" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "계정 만들기" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "회ì›ê°€ìž…" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "ì´ ì‚¬ì´íŠ¸ 로그ì¸" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "ë„움ë§" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "로그ì¸" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "ë„ì›€ì´ í•„ìš”í•´!" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "검색" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "ë„움ë§" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "프로필ì´ë‚˜ í…스트 검색" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "검색" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "사ì´íŠ¸ 공지" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "로컬 ë·°" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "페ì´ì§€ 공지" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "ë³´ì¡° 사ì´íŠ¸ 네비게ì´ì…˜" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "ë„움ë§" + +#: lib/action.php:765 msgid "About" msgstr "ì •ë³´" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "ìžì£¼ 묻는 질문" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "ê°œì¸ì •ë³´ 취급방침" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "소스 코드" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "ì—°ë½í•˜ê¸°" -#: lib/action.php:751 +#: lib/action.php:782 #, fuzzy msgid "Badge" msgstr "찔러 보기" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "ë¼ì½”니카 소프트웨어 ë¼ì´ì„ ìŠ¤" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4761,12 +4856,12 @@ msgstr "" "**%%site.name%%** 는 [%%site.broughtby%%](%%site.broughtbyurl%%)ê°€ 제공하는 " "마ì´í¬ë¡œë¸”로깅서비스입니다." -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** 는 마ì´í¬ë¡œë¸”로깅서비스입니다." -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4777,42 +4872,42 @@ msgstr "" "ì„ ì‚¬ìš©í•©ë‹ˆë‹¤. StatusNet는 [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html) ë¼ì´ì„ ìŠ¤ì— ë”°ë¼ ì‚¬ìš©í•  수 있습니다." -#: lib/action.php:801 +#: lib/action.php:832 #, fuzzy msgid "Site content license" msgstr "ë¼ì½”니카 소프트웨어 ë¼ì´ì„ ìŠ¤" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "모든 것" -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "ë¼ì´ì„ ìŠ¤" -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "페ì´ì§€ìˆ˜" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "ë’· 페ì´ì§€" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "ì•ž 페ì´ì§€" @@ -4828,61 +4923,113 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 #, fuzzy msgid "You cannot make changes to this site." msgstr "ë‹¹ì‹ ì€ ì´ ì‚¬ìš©ìžì—게 메시지를 보낼 수 없습니다." -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 #, fuzzy msgid "Changes to that panel are not allowed." msgstr "ê°€ìž…ì´ í—ˆìš©ë˜ì§€ 않습니다." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 #, fuzzy msgid "showForm() not implemented." msgstr "ëª…ë ¹ì´ ì•„ì§ ì‹¤í–‰ë˜ì§€ 않았습니다." -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 #, fuzzy msgid "saveSettings() not implemented." msgstr "ëª…ë ¹ì´ ì•„ì§ ì‹¤í–‰ë˜ì§€ 않았습니다." -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 #, fuzzy msgid "Unable to delete design setting." msgstr "트위터 í™˜ê²½ì„¤ì •ì„ ì €ìž¥í•  수 없습니다." -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 #, fuzzy msgid "Basic site configuration" msgstr "ì´ë©”ì¼ ì£¼ì†Œ 확ì¸ì„œ" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "초대" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Design configuration" msgstr "SMS ì¸ì¦" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "ê°œì¸ì ì¸" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 #, fuzzy msgid "User configuration" msgstr "SMS ì¸ì¦" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "ì´ìš©ìž" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 #, fuzzy msgid "Access configuration" msgstr "SMS ì¸ì¦" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "수ë½" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 #, fuzzy msgid "Paths configuration" msgstr "SMS ì¸ì¦" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +msgctxt "MENU" +msgid "Paths" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 #, fuzzy msgid "Sessions configuration" msgstr "SMS ì¸ì¦" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "ê°œì¸ì ì¸" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4983,12 +5130,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 #, fuzzy msgid "Password changing failed" msgstr "비밀번호 변경" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 #, fuzzy msgid "Password changing is not allowed" msgstr "비밀번호 변경" @@ -5266,20 +5413,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 #, fuzzy msgid "No configuration file found. " msgstr "í™•ì¸ ì½”ë“œê°€ 없습니다." -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:140 +#: lib/common.php:152 #, fuzzy msgid "Go to the installer." msgstr "ì´ ì‚¬ì´íŠ¸ 로그ì¸" @@ -5924,6 +6071,10 @@ msgstr "답신" msgid "Favorites" msgstr "좋아하는 글들" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "ì´ìš©ìž" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "ë°›ì€ ìª½ì§€í•¨" @@ -6041,6 +6192,10 @@ msgstr "검색" msgid "Keyword(s)" msgstr "" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "검색" + #: lib/searchaction.php:162 #, fuzzy msgid "Search help" @@ -6095,6 +6250,15 @@ msgstr "%sì— ì˜í•´ 구ë…ë˜ëŠ” 사람들" msgid "Groups %s is a member of" msgstr "%s ê·¸ë£¹ë“¤ì€ ì˜ ë©¤ë²„ìž…ë‹ˆë‹¤." +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "초대" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "%sì— ì¹œêµ¬ë¥¼ 가입시키기 위해 친구와 ë™ë£Œë¥¼ 초대합니다." + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6169,47 +6333,47 @@ msgstr "메시지" msgid "Moderate" msgstr "" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "몇 ì´ˆ ì „" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "1분 ì „" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "%d분 ì „" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "1시간 ì „" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "%d시간 ì „" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "하루 ì „" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "%dì¼ ì „" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "1달 ì „" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "%d달 ì „" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "1ë…„ ì „" diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index 561907eed..b80b0c905 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -9,77 +9,84 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:49:06+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:03:16+0000\n" "Language-Team: Macedonian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural= n==1 || n%10==1 ? 0 : 1;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "ПриÑтап" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 msgid "Site access settings" msgstr "Ðагодувања за приÑтап на веб-Ñтраницата" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 msgid "Registration" msgstr "РегиÑтрација" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "Приватен" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "" "Да им забранам на анонимните (ненајавени) кориÑници да ја гледаат веб-" "Ñтраницата?" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" -msgstr "Само Ñо покана" +#, fuzzy +msgctxt "LABEL" +msgid "Private" +msgstr "Приватен" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "РегиÑтрирање Ñамо Ñо покана." -#: actions/accessadminpanel.php:173 -msgid "Closed" -msgstr "Затворен" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "Само Ñо покана" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "Оневозможи нови региÑтрации." -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Зачувај" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" +msgstr "Затворен" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 msgid "Save access settings" msgstr "Зачувај нагодувања на приÑтап" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "Зачувај" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "Ðема таква Ñтраница" -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -105,41 +112,48 @@ msgstr "Ðема таква Ñтраница" msgid "No such user." msgstr "Ðема таков кориÑник." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, php-format msgid "%1$s and friends, page %2$d" msgstr "%1$s и пријателите, ÑÑ‚Ñ€. %2$d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s и пријатели" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "Канал Ñо пријатели на %s (RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "Канал Ñо пријатели на %s (RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "Канал за пријатели на %S (Atom)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "" "Ова е иÑторијата за %s и пријателите, но доÑега никој нема објавено ништо." -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " @@ -148,7 +162,8 @@ msgstr "" "Пробајте да Ñе претплатите на повеќе луѓе, [зачленете Ñе во група](%%action." "groups%%) или објавете нешто Ñамите." -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " @@ -158,7 +173,7 @@ msgstr "" "на кориÑникот или да [објавите нешто што Ñакате тој да го прочита](%%%%" "action.newnotice%%%%?status_textarea=%3$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -168,7 +183,8 @@ msgstr "" "го подбуцнете кориÑникот %s или да објавите забелешка што Ñакате тој да ја " "прочита." -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "Вие и пријателите" @@ -563,7 +579,7 @@ msgstr "" "%3$s податоците за Вашата %4$s Ñметка. Треба да дозволувате " "приÑтап до Вашата %4$s Ñметка Ñамо на трети Ñтрани на кои им верувате." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "Сметка" @@ -694,7 +710,7 @@ msgstr "Повторено за %s" msgid "Repeats of %s" msgstr "Повторувања на %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "Забелешки означени Ñо %s" @@ -947,7 +963,7 @@ msgstr "Ðе Ñте ÑопÑтвеник на овој програм." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "Се појави проблем Ñо Вашиот ÑеÑиÑки жетон." @@ -973,12 +989,13 @@ msgstr "Ðе го бриши овој програм" msgid "Delete this application" msgstr "Избриши го програмов" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "Ðе Ñте најавени." @@ -1036,7 +1053,7 @@ msgid "Delete this user" msgstr "Избриши овој кориÑник" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "Изглед" @@ -1139,6 +1156,17 @@ msgstr "Врати оÑновно-зададени нагодувања" msgid "Reset back to default" msgstr "Врати по оÑновно" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Зачувај" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Зачувај изглед" @@ -1695,7 +1723,7 @@ msgstr "Членови на групата %1$s, ÑÑ‚Ñ€. %2$d" msgid "A list of the users in this group." msgstr "ЛиÑта на кориÑниците на овааг група." -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "ÐдминиÑтратор" @@ -1981,18 +2009,19 @@ msgstr "Лична порака" msgid "Optionally add a personal message to the invitation." msgstr "Можете да додадете и лична порака во поканата." -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "ИÑпрати" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s ве покани да Ñе придружите на %2$s" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2087,8 +2116,7 @@ msgstr "Ðеточно кориÑничко име или лозинка" msgid "Error setting user. You are probably not authorized." msgstr "Грешка при поÑтавувањето на кориÑникот. Веројатно не Ñе заверени." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Ðајава" @@ -2487,7 +2515,7 @@ msgstr "Ðе можам да ја зачувам новата лозинка." msgid "Password saved." msgstr "Лозинката е зачувана." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "Патеки" @@ -2520,7 +2548,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Ðеважечки SSL-Ñервер. Дозволени Ñе најмногу 255 знаци" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Веб-Ñтраница" @@ -2807,7 +2834,8 @@ msgstr "Ðе можам да го зачувам профилот." msgid "Couldn't save tags." msgstr "Ðе можев да ги зачувам ознаките." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "Ðагодувањата Ñе зачувани" @@ -2820,28 +2848,28 @@ msgstr "Ðадминато е ограничувањето на Ñтраница msgid "Could not retrieve public stream." msgstr "Ðе можам да го вратам јавниот поток." -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "Јавна иÑторија, ÑÑ‚Ñ€. %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "Јавна иÑторија" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "Канал на јавниот поток (RSS 1.0)" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "Канал на јавниот поток (RSS 2.0)" -#: actions/public.php:167 +#: actions/public.php:168 msgid "Public Stream Feed (Atom)" msgstr "Канал на јавниот поток (Atom)" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2849,11 +2877,11 @@ msgid "" msgstr "" "Ова е јавната иÑторија за %%site.name%%, но доÑега никој ништо нема објавено." -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "Создајте ја првата забелешка!" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2861,7 +2889,7 @@ msgstr "" "Зошто не [региÑтрирате Ñметка](%%action.register%%) и Ñтанете првиот " "објавувач!" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2875,7 +2903,7 @@ msgstr "" "Ñподелувате забелешки за Ñебе Ñо приајтелите, ÑемејÑтвото и колегите! " "([Прочитајте повеќе](%%doc.help%%))" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3055,8 +3083,7 @@ msgstr "Жалиме, неважечки код за поканата." msgid "Registration successful" msgstr "РегиÑтрацијата е уÑпешна" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "РегиÑтрирај Ñе" @@ -3252,33 +3279,33 @@ msgstr "Повторено" msgid "Repeated!" msgstr "Повторено!" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "Одговори иÑпратени до %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, php-format msgid "Replies to %1$s, page %2$d" msgstr "Одговори на %1$s, ÑÑ‚Ñ€. %2$d" -#: actions/replies.php:144 +#: actions/replies.php:145 #, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "Канал Ñо одговори за %s (RSS 1.0)" -#: actions/replies.php:151 +#: actions/replies.php:152 #, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "Канал Ñо одговори за %s (RSS 2.0)" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "Канал Ñо одговори за %s (Atom)" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " @@ -3287,7 +3314,7 @@ msgstr "" "Ова е иÑторијата на која Ñе прикажани одговорите на %1$s, но %2$s Ñè уште " "нема добиено порака од некој што Ñака да ја прочита." -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " @@ -3296,7 +3323,7 @@ msgstr "" "Можете да започнувате разговори Ñо други кориÑници, да Ñе претплаќате на " "други луѓе или да [Ñе зачленувате во групи](%%action.groups%%)." -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3323,7 +3350,6 @@ msgid "User is already sandboxed." msgstr "КориÑникот е веќе во пеÑочен режим." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "СеÑии" @@ -3348,7 +3374,7 @@ msgid "Turn on debugging output for sessions." msgstr "Вклучи извод од поправка на грешки за ÑеÑии." #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Зачувај нагодувања на веб-Ñтраницата" @@ -3443,22 +3469,22 @@ msgstr "Омилени забелешки на %1$s, ÑÑ‚Ñ€. %2$d" msgid "Could not retrieve favorite notices." msgstr "Ðе можев да ги вратам омилените забелешки." -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "Канал за омилени забелешки на %s (RSS 1.0)" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "Канал за омилени забелешки на %s (RSS 2.0)" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "Канал за омилени забелешки на %s (Atom)" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." @@ -3467,7 +3493,7 @@ msgstr "" "омилена забелешка веднаш до Ñамата забелешката што Ви Ñе допаѓа за да ја " "обележите за подоцна, или за да Ñ Ð´Ð°Ð´ÐµÑ‚Ðµ на важноÑÑ‚." -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " @@ -3476,7 +3502,7 @@ msgstr "" "%s Ñè уште нема додадено забелешки како омилени. Објавете нешто интереÑно, " "што кориÑникот би го обележал како омилено :)" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3487,7 +3513,7 @@ msgstr "" "%%action.register%%%%) и потоа објавите нешто интереÑно што кориÑникот би го " "додал како омилено :)" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "Ова е начин да го Ñподелите она што Ви Ñе допаѓа." @@ -4071,22 +4097,22 @@ msgstr "Jabber" msgid "SMS" msgstr "СМС" -#: actions/tag.php:68 +#: actions/tag.php:69 #, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "Забелешки означени Ñо %1$s, ÑÑ‚Ñ€. %2$d" -#: actions/tag.php:86 +#: actions/tag.php:87 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "Канал Ñо забелешки за ознаката %s (RSS 1.0)" -#: actions/tag.php:92 +#: actions/tag.php:93 #, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "Канал Ñо забелешки за ознаката %s (RSS 2.0)" -#: actions/tag.php:98 +#: actions/tag.php:99 #, php-format msgid "Notice feed for tag %s (Atom)" msgstr "Канал Ñо забелешки за ознаката %s (Atom)" @@ -4172,70 +4198,72 @@ msgstr "" "Лиценцата на потокот на Ñледачот „%1$s“ не е компатибилна Ñо лиценцата на " "веб-Ñтраницата „%2$s“." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "КориÑник" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "КориÑнички нагодувања за оваа StatusNet веб-Ñтраница." -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "Ðеважечко ограничување за биографијата. Мора да е бројчено." -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "ÐЕважечки текÑÑ‚ за добредојде. Дозволени Ñе највеќе 255 знаци." -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "Ðеважечки Ð¾Ð¿Ð¸Ñ Ð¿Ð¾ оÑновно: „%1$s“ не е кориÑник." -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Профил" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "Ограничување за биографијата" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "МакÑимална големина на профилната биографија во знаци." -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Ðови кориÑници" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "Добредојде за нов кориÑник" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "ТекÑÑ‚ за добредојде на нови кориÑници (највеќе до 255 знаци)." -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 msgid "Default subscription" msgstr "ОÑновно-зададена претплата" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 msgid "Automatically subscribe new users to this user." msgstr "ÐвтоматÑки претплатувај нови кориÑници на овој кориÑник." -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 msgid "Invitations" msgstr "Покани" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "Поканите Ñе овозможени" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "Дали да им е дозволено на кориÑниците да канат други кориÑници." @@ -4433,7 +4461,7 @@ msgstr "" msgid "Plugins" msgstr "Приклучоци" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 msgid "Version" msgstr "Верзија" @@ -4574,9 +4602,8 @@ msgid "Could not create group." msgstr "Ðе можев да ја Ñоздадам групата." #: classes/User_group.php:471 -#, fuzzy msgid "Could not set group URI." -msgstr "Ðе можев да поÑтавам uri на групата." +msgstr "Ðе можев да поÑтавам URI на групата." #: classes/User_group.php:492 msgid "Could not set group membership." @@ -4627,120 +4654,190 @@ msgstr "Страница без наÑлов" msgid "Primary site navigation" msgstr "Главна навигација" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "Дома" - -#: lib/action.php:439 +#, fuzzy +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Личен профил и иÑторија на пријатели" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "Личен" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Промена на е-пошта, аватар, лозинка, профил" -#: lib/action.php:444 -msgid "Connect" -msgstr "Поврзи Ñе" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "Сметка" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Поврзи Ñе Ñо уÑлуги" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "Поврзи Ñе" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Промена на конфигурацијата на веб-Ñтраницата" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "Покани" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "ÐдминиÑтратор" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Поканете пријатели и колеги да Ви Ñе придружат на %s" -#: lib/action.php:458 -msgid "Logout" -msgstr "Одјави Ñе" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "Покани" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Одјава" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Одјави Ñе" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Создај Ñметка" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "РегиÑтрирај Ñе" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Ðајава" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Помош" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Ðајава" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Ðапомош!" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "Барај" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Помош" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Пребарајте луѓе или текÑÑ‚" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "Барај" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "Ðапомена за веб-Ñтраницата" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "Локални прегледи" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "Ðапомена за Ñтраницата" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "Споредна навигација" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Помош" + +#: lib/action.php:765 msgid "About" msgstr "За" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "ЧПП" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "УÑлови" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "ПриватноÑÑ‚" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "Изворен код" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Контакт" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "Значка" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "Лиценца на програмот StatusNet" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4749,12 +4846,12 @@ msgstr "" "**%%site.name%%** е ÑÐµÑ€Ð²Ð¸Ñ Ð·Ð° микроблогирање што ви го овозможува [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** е ÑÐµÑ€Ð²Ð¸Ñ Ð·Ð° микроблогирање." -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4765,45 +4862,45 @@ msgstr "" "верзија %s, доÑтапен пд [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "Лиценца на Ñодржините на веб-Ñтраницата" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Содржината и податоците на %1$s Ñе лични и доверливи." -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "ÐвторÑките права на Ñодржината и податоците Ñе во ÑопÑтвеноÑÑ‚ на %1$s. Сите " "права задржани." -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "ÐвторÑките права на Ñодржината и податоците им припаѓаат на учеÑниците. Сите " "права задржани." -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "Сите " -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "лиценца." -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "Прелом на Ñтраници" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "По" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "Пред" @@ -4819,50 +4916,103 @@ msgstr "Сè уште не е поддржана обработката на XML msgid "Can't handle embedded Base64 content yet." msgstr "Сè уште не е доÑтапна обработката на вметната Base64 Ñодржина." -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "Ðе можете да ја менувате оваа веб-Ñтраница." -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." msgstr "Менувањето на тој алатник не е дозволено." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "showForm() не е имплементирано." -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "saveSettings() не е имплементирано." -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "Ðе можам да ги избришам нагодувањата за изглед." -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 msgid "Basic site configuration" msgstr "ОÑновни нагодувања на веб-Ñтраницата" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "Веб-Ñтраница" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "Конфигурација на изгледот" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "Изглед" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 msgid "User configuration" msgstr "Конфигурација на кориÑник" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "КориÑник" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 msgid "Access configuration" msgstr "Конфигурација на приÑтапот" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "ПриÑтап" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 msgid "Paths configuration" msgstr "Конфигурација на патеки" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +#, fuzzy +msgctxt "MENU" +msgid "Paths" +msgstr "Патеки" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 msgid "Sessions configuration" msgstr "Конфигурација на ÑеÑиите" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "СеÑии" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4960,11 +5110,11 @@ msgstr "Забелешки кадешто Ñе јавува овој прило msgid "Tags for this attachment" msgstr "Ознаки за овој прилог" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 msgid "Password changing failed" msgstr "Менувањето на лозинката не уÑпеа" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 msgid "Password changing is not allowed" msgstr "Менувањето на лозинка не е дозволено" @@ -5279,19 +5429,19 @@ msgstr "" "tracks - Ñè уште не е имплементирано.\n" "tracking - Ñè уште не е имплементирано.\n" -#: lib/common.php:136 +#: lib/common.php:148 msgid "No configuration file found. " msgstr "Ðема пронајдено конфигурациÑка податотека. " -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "Побарав конфигурациони податотеки на Ñледниве меÑта: " -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "Препорачуваме да го пуштите инÑталатерот за да го поправите ова." -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "Оди на инÑталаторот." @@ -5885,7 +6035,6 @@ msgid "Available characters" msgstr "РаÑположиви знаци" #: lib/messageform.php:178 lib/noticeform.php:236 -#, fuzzy msgctxt "Send button for sending notice" msgid "Send" msgstr "ИÑпрати" @@ -6012,6 +6161,10 @@ msgstr "Одговори" msgid "Favorites" msgstr "Омилени" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "КориÑник" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Примени" @@ -6121,6 +6274,10 @@ msgstr "Пребарај по веб-Ñтраницата" msgid "Keyword(s)" msgstr "Клучен збор" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Барај" + #: lib/searchaction.php:162 msgid "Search help" msgstr "Помош Ñо пребарување" @@ -6172,6 +6329,15 @@ msgstr "Луѓе претплатени на %s" msgid "Groups %s is a member of" msgstr "Групи кадешто членува %s" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "Покани" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "Поканете пријатели и колеги да Ви Ñе придружат на %s" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6242,47 +6408,47 @@ msgstr "Порака" msgid "Moderate" msgstr "Модерирај" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "пред неколку Ñекунди" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "пред една минута" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "пред %d минути" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "пред еден чаÑ" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "пред %d чаÑа" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "пред еден ден" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "пред %d денови" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "пред еден меÑец" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "пред %d меÑеца" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "пред една година" diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index 244be4e61..a3e64e0cb 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -1,5 +1,6 @@ # Translation of StatusNet to Norwegian (bokmÃ¥l)‬ # +# Author@translatewiki.net: Laaknor # Author@translatewiki.net: Nghtwlkr # -- # This file is distributed under the same license as the StatusNet package. @@ -8,75 +9,82 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:49:09+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:03:19+0000\n" "Language-Team: Norwegian (bokmÃ¥l)‬\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "Tilgang" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 msgid "Site access settings" msgstr "Innstillinger for nettstedstilgang" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 msgid "Registration" msgstr "Registrering" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "Privat" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "Forhindre anonyme brukere (ikke innlogget) Ã¥ se nettsted?" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" -msgstr "Kun invitasjon" +#, fuzzy +msgctxt "LABEL" +msgid "Private" +msgstr "Privat" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "Gjør at registrering kun kan skje gjennom invitasjon." -#: actions/accessadminpanel.php:173 -msgid "Closed" -msgstr "Lukket" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "Kun invitasjon" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "Deaktiver nye registreringer." -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Lagre" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" +msgstr "Lukket" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 msgid "Save access settings" msgstr "Lagre tilgangsinnstillinger" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "Lagre" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "Ingen slik side" -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -102,40 +110,47 @@ msgstr "Ingen slik side" msgid "No such user." msgstr "Ingen slik bruker" -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, php-format msgid "%1$s and friends, page %2$d" msgstr "%1$s og venner, side %2$d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s og venner" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "Mating for venner av %s (RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "Mating for venner av %s (RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "Mating for venner av %s (Atom)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "Dette er tidslinjen for %s og venner, men ingen har postet noe enda." -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " @@ -144,7 +159,8 @@ msgstr "" "Prøv Ã¥ abbonere pÃ¥ flere personer, [bli med i en gruppe](%%action.groups%%) " "eller post noe selv." -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " @@ -154,7 +170,7 @@ msgstr "" "Ã¥ fÃ¥ hans eller hennes oppmerksomhet](%%%%action.newnotice%%%%?" "status_textarea=%3$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -163,7 +179,8 @@ msgstr "" "Hvorfor ikke [opprette en konto](%%%%action.register%%%%) og sÃ¥ knuff %s " "eller post en notis for Ã¥ fÃ¥ hans eller hennes oppmerksomhet." -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "Du og venner" @@ -501,7 +518,7 @@ msgstr "Ugyldig symbol." #: actions/unsubscribe.php:69 actions/userauthorization.php:52 #: lib/designsettings.php:294 msgid "There was a problem with your session token. Try again, please." -msgstr "" +msgstr "Det var et problem med din sesjons-autentisering. Prøv igjen." #: actions/apioauthauthorize.php:135 msgid "Invalid nickname / password!" @@ -555,7 +572,7 @@ msgstr "" "%3$s dine %4$s-kontodata. Du bør bare gi tilgang til din %4" "$s-konto til tredjeparter du stoler pÃ¥." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "Konto" @@ -684,7 +701,7 @@ msgstr "Gjentatt til %s" msgid "Repeats of %s" msgstr "Repetisjoner av %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "Notiser merket med %s" @@ -934,7 +951,7 @@ msgstr "Du er ikke eieren av dette programmet." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "" @@ -960,12 +977,13 @@ msgstr "Ikke slett dette programmet" msgid "Delete this application" msgstr "Slett dette programmet" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "Ikke logget inn." @@ -1023,7 +1041,7 @@ msgid "Delete this user" msgstr "Slett denne brukeren" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1124,7 +1142,18 @@ msgstr "" #: actions/designadminpanel.php:584 lib/designsettings.php:254 msgid "Reset back to default" -msgstr "" +msgstr "Tilbakestill til standardverdier" + +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Lagre" #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" @@ -1212,7 +1241,7 @@ msgstr "Klarte ikke Ã¥ oppdatere bruker." #: actions/editgroup.php:56 #, php-format msgid "Edit %s group" -msgstr "" +msgstr "Rediger %s gruppe" #: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 msgid "You must be logged in to create a group." @@ -1220,13 +1249,12 @@ msgstr "Du mÃ¥ være innlogget for Ã¥ opprette en gruppe." #: actions/editgroup.php:107 actions/editgroup.php:172 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 -#, fuzzy msgid "You must be an admin to edit the group." -msgstr "Gjør brukeren til en administrator for gruppen" +msgstr "Du mÃ¥ være en administrator for Ã¥ redigere gruppen." #: actions/editgroup.php:158 msgid "Use this form to edit the group." -msgstr "" +msgstr "Bruk dette skjemaet for Ã¥ redigere gruppen." #: actions/editgroup.php:205 actions/newgroup.php:145 #, php-format @@ -1243,7 +1271,7 @@ msgstr "Kunne ikke opprette alias." #: actions/editgroup.php:280 msgid "Options saved." -msgstr "" +msgstr "Lagret valg." #: actions/emailsettings.php:60 msgid "Email settings" @@ -1252,7 +1280,7 @@ msgstr "E-postinnstillinger" #: actions/emailsettings.php:71 #, php-format msgid "Manage how you get email from %%site.name%%." -msgstr "" +msgstr "Velg hvordan du mottar e-post fra %%site.name%%." #: actions/emailsettings.php:100 actions/imsettings.php:100 #: actions/smssettings.php:104 @@ -1315,7 +1343,7 @@ msgstr "Ny" #: actions/emailsettings.php:153 actions/imsettings.php:139 #: actions/smssettings.php:169 msgid "Preferences" -msgstr "" +msgstr "Innstillinger" #: actions/emailsettings.php:158 msgid "Send me notices of new subscriptions through email." @@ -1348,7 +1376,7 @@ msgstr "Publiser en MicroID for min e-postadresse." #: actions/emailsettings.php:302 actions/imsettings.php:264 #: actions/othersettings.php:180 actions/smssettings.php:284 msgid "Preferences saved." -msgstr "" +msgstr "Innstillinger lagret." #: actions/emailsettings.php:320 msgid "No email address." @@ -1501,11 +1529,11 @@ msgstr "Nytt nick" #: actions/file.php:42 msgid "No attachments." -msgstr "" +msgstr "Ingen vedlegg." #: actions/file.php:51 msgid "No uploaded attachments." -msgstr "" +msgstr "Ingen opplastede vedlegg." #: actions/finishremotesubscribe.php:69 msgid "Not expecting this response!" @@ -1524,9 +1552,8 @@ msgid "That user has blocked you from subscribing." msgstr "" #: actions/finishremotesubscribe.php:110 -#, fuzzy msgid "You are not authorized." -msgstr "Ikke autorisert." +msgstr "Du er ikke autorisert." #: actions/finishremotesubscribe.php:113 msgid "Could not convert request token to access token." @@ -1655,7 +1682,7 @@ msgstr "Logo oppdatert." #: actions/grouplogo.php:401 msgid "Failed updating logo." -msgstr "" +msgstr "Kunne ikke oppdatere logo." #: actions/groupmembers.php:100 lib/groupnav.php:92 #, php-format @@ -1665,13 +1692,13 @@ msgstr "%s gruppemedlemmer" #: actions/groupmembers.php:103 #, php-format msgid "%1$s group members, page %2$d" -msgstr "" +msgstr "%1$s gruppemedlemmer, side %2$d" #: actions/groupmembers.php:118 msgid "A list of the users in this group." msgstr "En liste over brukerne i denne gruppen." -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" @@ -1704,7 +1731,7 @@ msgstr "Grupper" #: actions/groups.php:64 #, php-format msgid "Groups, page %d" -msgstr "" +msgstr "Grupper, side %d" #: actions/groups.php:90 #, php-format @@ -1760,7 +1787,7 @@ msgstr "" #: actions/groupunblock.php:128 actions/unblock.php:86 msgid "Error removing the block." -msgstr "" +msgstr "Feil under oppheving av blokkering." #: actions/imsettings.php:59 #, fuzzy @@ -1904,7 +1931,7 @@ msgstr "" #: actions/invite.php:144 msgid "Invitation(s) sent to the following people:" -msgstr "" +msgstr "Invitasjon(er) sendt til følgende personer:" #: actions/invite.php:150 msgid "" @@ -1933,18 +1960,19 @@ msgstr "Personlig melding" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "Send" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s har invitert deg til %2$s" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2036,8 +2064,7 @@ msgstr "Feil brukernavn eller passord" msgid "Error setting user. You are probably not authorized." msgstr "Ikke autorisert." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Logg inn" @@ -2424,7 +2451,7 @@ msgstr "Klarer ikke Ã¥ lagre nytt passord." msgid "Password saved." msgstr "Passordet ble lagret" -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "" @@ -2457,7 +2484,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "" @@ -2742,7 +2768,8 @@ msgstr "Klarte ikke Ã¥ lagre profil." msgid "Couldn't save tags." msgstr "Klarte ikke Ã¥ lagre profil." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "" @@ -2755,46 +2782,46 @@ msgstr "" msgid "Could not retrieve public stream." msgstr "" -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "" -#: actions/public.php:167 +#: actions/public.php:168 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "%s offentlig strøm" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2803,7 +2830,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2974,8 +3001,7 @@ msgstr "" msgid "Registration successful" msgstr "" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "" @@ -3163,47 +3189,47 @@ msgstr "Gjentatt" msgid "Repeated!" msgstr "Gjentatt!" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "Svar til %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, php-format msgid "Replies to %1$s, page %2$d" msgstr "Svar til %1$s, side %2$d" -#: actions/replies.php:144 +#: actions/replies.php:145 #, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "Svarstrøm for %s (RSS 1.0)" -#: actions/replies.php:151 +#: actions/replies.php:152 #, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "Svarstrøm for %s (RSS 2.0)" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "Svarstrøm for %s (Atom)" -#: actions/replies.php:198 +#: actions/replies.php:199 #, fuzzy, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "Dette er tidslinjen for %s og venner, men ingen har postet noe enda." -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" -#: actions/replies.php:205 +#: actions/replies.php:206 #, fuzzy, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3233,7 +3259,6 @@ msgid "User is already sandboxed." msgstr "Du er allerede logget inn!" #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3258,7 +3283,7 @@ msgid "Turn on debugging output for sessions." msgstr "" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" msgstr "Innstillinger for IM" @@ -3351,35 +3376,35 @@ msgstr "%s og venner" msgid "Could not retrieve favorite notices." msgstr "" -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, fuzzy, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "Feed for %s sine venner" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, fuzzy, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "Feed for %s sine venner" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, fuzzy, php-format msgid "Feed for favorites of %s (Atom)" msgstr "Feed for %s sine venner" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " "they would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3387,7 +3412,7 @@ msgid "" "would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "" @@ -3942,22 +3967,22 @@ msgstr "Ingen Jabber ID." msgid "SMS" msgstr "" -#: actions/tag.php:68 +#: actions/tag.php:69 #, fuzzy, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "Mikroblogg av %s" -#: actions/tag.php:86 +#: actions/tag.php:87 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "" -#: actions/tag.php:92 +#: actions/tag.php:93 #, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "" -#: actions/tag.php:98 +#: actions/tag.php:99 #, fuzzy, php-format msgid "Notice feed for tag %s (Atom)" msgstr "Feed for taggen %s" @@ -4041,75 +4066,76 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +msgctxt "TITLE" msgid "User" msgstr "" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 #, fuzzy msgid "New users" msgstr "slett" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Default subscription" msgstr "Alle abonnementer" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "" "Abonner automatisk pÃ¥ de som abonnerer pÃ¥ meg (best for ikke-mennesker)" -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 #, fuzzy msgid "Invitations" msgstr "Bekreftelseskode" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "" @@ -4284,7 +4310,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 #, fuzzy msgid "Version" msgstr "Personlig" @@ -4481,122 +4507,187 @@ msgstr "" msgid "Primary site navigation" msgstr "" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "Hjem" - -#: lib/action.php:439 +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 -msgid "Change your email, avatar, password, profile" -msgstr "" +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "Personlig" +#. TRANS: Tooltip for main menu option "Account" #: lib/action.php:444 -msgid "Connect" -msgstr "Koble til" +#, fuzzy +msgctxt "TOOLTIP" +msgid "Change your email, avatar, password, profile" +msgstr "Endre passordet ditt" -#: lib/action.php:444 +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "Konto" + +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" -msgstr "" +msgstr "Koble til" + +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "Koble til" -#: lib/action.php:448 +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "Administrator" -#: lib/action.php:453 lib/subgroupnav.php:106 +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 #, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:458 -msgid "Logout" -msgstr "Logg ut" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "Kun invitasjon" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" -msgstr "" +msgstr "Tema for nettstedet." -#: lib/action.php:463 +#: lib/action.php:476 #, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Logg ut" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Opprett en ny konto" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "Registrering" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" -msgstr "" +msgstr "Tema for nettstedet." -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Hjelp" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Logg inn" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 #, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Hjelp" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "Søk" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Hjelp" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "Søk" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Hjelp" + +#: lib/action.php:765 msgid "About" msgstr "Om" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "OSS/FAQ" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "Kilde" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4605,12 +4696,12 @@ msgstr "" "**%%site.name%%** er en mikrobloggingtjeneste av [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** er en mikrobloggingtjeneste. " -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4618,41 +4709,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "" -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "" -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "" -#: lib/action.php:1149 +#: lib/action.php:1180 #, fuzzy msgid "Before" msgstr "Tidligere »" @@ -4669,50 +4760,101 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "" -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." msgstr "" -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "" -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "" -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "" -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 msgid "Basic site configuration" msgstr "" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "Nettstedslogo" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "Personlig" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 msgid "User configuration" msgstr "" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +msgctxt "MENU" +msgid "User" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 msgid "Access configuration" msgstr "" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "Tilgang" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 msgid "Paths configuration" msgstr "" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +msgctxt "MENU" +msgid "Paths" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 msgid "Sessions configuration" msgstr "" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "Personlig" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4813,12 +4955,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 #, fuzzy msgid "Password changing failed" msgstr "Passordet ble lagret" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 #, fuzzy msgid "Password changing is not allowed" msgstr "Passordet ble lagret" @@ -5098,20 +5240,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 #, fuzzy msgid "No configuration file found. " msgstr "Fant ikke bekreftelseskode." -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "" @@ -5758,6 +5900,10 @@ msgstr "Svar" msgid "Favorites" msgstr "" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" @@ -5874,6 +6020,10 @@ msgstr "Søk" msgid "Keyword(s)" msgstr "" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Søk" + #: lib/searchaction.php:162 #, fuzzy msgid "Search help" @@ -5927,6 +6077,15 @@ msgstr "Svar til %s" msgid "Groups %s is a member of" msgstr "" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6001,47 +6160,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "noen fÃ¥ sekunder siden" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "omtrent ett minutt siden" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "omtrent %d minutter siden" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "omtrent én time siden" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "omtrent %d timer siden" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "omtrent én dag siden" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "omtrent %d dager siden" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "omtrent én mÃ¥ned siden" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "omtrent %d mÃ¥neder siden" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "omtrent ett Ã¥r siden" diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index 68e4e941e..a9e757956 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -10,75 +10,82 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:49:20+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:03:32+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "Toegang" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 msgid "Site access settings" msgstr "Instellingen voor sitetoegang" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 msgid "Registration" msgstr "Registratie" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "Privé" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "Mogen anonieme gebruikers (niet aangemeld) de website bekijken?" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" -msgstr "Alleen op uitnodiging" +#, fuzzy +msgctxt "LABEL" +msgid "Private" +msgstr "Privé" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "Registratie alleen op uitnodiging." -#: actions/accessadminpanel.php:173 -msgid "Closed" -msgstr "Gesloten" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "Alleen op uitnodiging" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "Nieuwe registraties uitschakelen." -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Opslaan" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" +msgstr "Gesloten" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 msgid "Save access settings" msgstr "Toegangsinstellingen opslaan" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "Opslaan" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "Deze pagina bestaat niet" -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -104,34 +111,41 @@ msgstr "Deze pagina bestaat niet" msgid "No such user." msgstr "Onbekende gebruiker." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, php-format msgid "%1$s and friends, page %2$d" msgstr "%1$s en vrienden, pagina %2$d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s en vrienden" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "Feed voor vrienden van %s (RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "Feed voor vrienden van %s (RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "Feed voor vrienden van %s (Atom)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." @@ -139,7 +153,7 @@ msgstr "" "Dit is de tijdlijn voor %s en vrienden, maar niemand heeft nog mededelingen " "geplaatst." -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " @@ -148,7 +162,8 @@ msgstr "" "Probeer te abonneren op meer gebruikers, [word lid van een groep](%%action." "groups%%) of plaats zelf berichten." -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " @@ -158,7 +173,7 @@ msgstr "" "bericht voor die gebruiker plaatsen](%%%%action.newnotice%%%%?" "status_textarea=%3$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -167,7 +182,8 @@ msgstr "" "U kunt een [gebruiker aanmaken](%%%%action.register%%%%) en %s dan porren of " "een bericht sturen." -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "U en vrienden" @@ -573,7 +589,7 @@ msgstr "" "van het type \"%3$s tot uw gebruikersgegevens. Geef alleen " "toegang tot uw gebruiker bij %4$s aan derde partijen die u vertrouwt." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "Gebruiker" @@ -704,7 +720,7 @@ msgstr "Herhaald naar %s" msgid "Repeats of %s" msgstr "Herhaald van %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "Mededelingen met het label %s" @@ -956,7 +972,7 @@ msgstr "U bent niet de eigenaar van deze applicatie." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "Er is een probleem met uw sessietoken." @@ -982,12 +998,13 @@ msgstr "Deze applicatie niet verwijderen" msgid "Delete this application" msgstr "Deze applicatie verwijderen" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "Niet aangemeld." @@ -1046,7 +1063,7 @@ msgid "Delete this user" msgstr "Gebruiker verwijderen" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "Uiterlijk" @@ -1149,6 +1166,17 @@ msgstr "Standaardontwerp toepassen" msgid "Reset back to default" msgstr "Standaardinstellingen toepassen" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Opslaan" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Ontwerp opslaan" @@ -1709,7 +1737,7 @@ msgstr "%1$s groeps leden, pagina %2$d" msgid "A list of the users in this group." msgstr "Ledenlijst van deze groep" -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "Beheerder" @@ -1997,18 +2025,19 @@ msgstr "Persoonlijk bericht" msgid "Optionally add a personal message to the invitation." msgstr "Persoonlijk bericht bij de uitnodiging (optioneel)." -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "Verzenden" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s heeft u uitgenodigd voor %2$s" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2105,8 +2134,7 @@ msgstr "" "Er is een fout opgetreden bij het maken van de instellingen. U hebt " "waarschijnlijk niet de juiste rechten." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Aanmelden" @@ -2504,7 +2532,7 @@ msgstr "Het was niet mogelijk het nieuwe wachtwoord op te slaan." msgid "Password saved." msgstr "Het wachtwoord is opgeslagen." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "Paden" @@ -2537,7 +2565,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "De SSL-server is ongeldig. De maximale lengte is 255 tekens." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Website" @@ -2826,7 +2853,8 @@ msgstr "Het profiel kon niet opgeslagen worden." msgid "Couldn't save tags." msgstr "Het was niet mogelijk de labels op te slaan." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "De instellingen zijn opgeslagen." @@ -2839,28 +2867,28 @@ msgstr "Meer dan de paginalimiet (%s)" msgid "Could not retrieve public stream." msgstr "Het was niet mogelijk de publieke stream op te halen." -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "Openbare tijdlijn, pagina %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "Openbare tijdlijn" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "Publieke streamfeed (RSS 1.0)" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "Publieke streamfeed (RSS 1.0)" -#: actions/public.php:167 +#: actions/public.php:168 msgid "Public Stream Feed (Atom)" msgstr "Publieke streamfeed (Atom)" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2869,11 +2897,11 @@ msgstr "" "Dit is de publieke tijdlijn voor %%site.name%%, maar niemand heeft nog " "berichten geplaatst." -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "U kunt de eerste zijn die een bericht plaatst!" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2881,7 +2909,7 @@ msgstr "" "Waarom [registreert u geen gebruiker](%%action.register%%) en plaatst u als " "eerste een bericht?" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2894,7 +2922,7 @@ msgstr "" "net/). [Registreer nu](%%action.register%%) om mededelingen over uzelf te " "delen met vrienden, familie en collega's! [Meer lezen...](%%doc.help%%)" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3078,8 +3106,7 @@ msgstr "Sorry. De uitnodigingscode is ongeldig." msgid "Registration successful" msgstr "De registratie is voltooid" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "Registreren" @@ -3273,33 +3300,33 @@ msgstr "Herhaald" msgid "Repeated!" msgstr "Herhaald!" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "Antwoorden aan %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, php-format msgid "Replies to %1$s, page %2$d" msgstr "Antwoorden aan %1$s, pagina %2$d" -#: actions/replies.php:144 +#: actions/replies.php:145 #, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "Antwoordenfeed voor %s (RSS 1.0)" -#: actions/replies.php:151 +#: actions/replies.php:152 #, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "Antwoordenfeed voor %s (RSS 2.0)" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "Antwoordenfeed voor %s (Atom)" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " @@ -3308,7 +3335,7 @@ msgstr "" "Dit is de tijdlijn met de antwoorden aan %1$s, maar %2$s heeft nog geen " "antwoorden ontvangen." -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " @@ -3317,7 +3344,7 @@ msgstr "" "U kunt gesprekken aanknopen met andere gebruikers, op meer gebruikers " "abonneren of [lid worden van groepen](%%action.groups%%)." -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3344,7 +3371,6 @@ msgid "User is already sandboxed." msgstr "Deze gebruiker is al in de zandbak geplaatst." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "Sessies" @@ -3369,7 +3395,7 @@ msgid "Turn on debugging output for sessions." msgstr "Debuguitvoer voor sessies inschakelen." #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Websiteinstellingen opslaan" @@ -3463,22 +3489,22 @@ msgstr "Favoriete mededelingen van %1$s, pagina %2$d" msgid "Could not retrieve favorite notices." msgstr "Het was niet mogelijk de favoriete mededelingen op te halen." -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "Favorietenfeed van %s (RSS 1.0)" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "Favorietenfeed van %s (RSS 2.0)" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "Favorietenfeed van %s (Atom)" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." @@ -3487,7 +3513,7 @@ msgstr "" "toevoegen\" bij mededelingen die u aanstaan om ze op een lijst te bewaren en " "ze uit te lichten." -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " @@ -3497,7 +3523,7 @@ msgstr "" "een interessant bericht, en dan komt u misschien wel op de " "favorietenlijst. :)" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3508,7 +3534,7 @@ msgstr "" "action.register%%%%) en dan interessante mededelingen plaatsten die " "misschien aan favorietenlijsten zijn toe te voegen. :)" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "Dit is de manier om dat te delen wat u wilt." @@ -4097,22 +4123,22 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" -#: actions/tag.php:68 +#: actions/tag.php:69 #, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "Mededelingen met het label %1$s, pagina %2$d" -#: actions/tag.php:86 +#: actions/tag.php:87 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "Mededelingenfeed voor label %s (RSS 1.0)" -#: actions/tag.php:92 +#: actions/tag.php:93 #, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "Mededelingenfeed voor label %s (RSS 2.0)" -#: actions/tag.php:98 +#: actions/tag.php:99 #, php-format msgid "Notice feed for tag %s (Atom)" msgstr "Mededelingenfeed voor label %s (Atom)" @@ -4200,70 +4226,72 @@ msgstr "" "De licentie \"%1$s\" voor de stream die u wilt volgen is niet compatibel met " "de sitelicentie \"%2$s\"." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "Gebruiker" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "Gebruikersinstellingen voor deze StatusNet-website." -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "Ongeldige beschrijvingslimiet. Het moet een getal zijn." -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "Ongeldige welkomsttekst. De maximale lengte is 255 tekens." -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "Ongeldig standaardabonnement: \"%1$s\" is geen gebruiker." -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profiel" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "Profiellimiet" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "De maximale lengte van de profieltekst in tekens." -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Nieuwe gebruikers" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "Welkom voor nieuwe gebruikers" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "Welkomsttekst voor nieuwe gebruikers. Maximaal 255 tekens." -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 msgid "Default subscription" msgstr "Standaardabonnement" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 msgid "Automatically subscribe new users to this user." msgstr "Nieuwe gebruikers automatisch op deze gebruiker abonneren" -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 msgid "Invitations" msgstr "Uitnodigingen" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "Uitnodigingen ingeschakeld" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "Of gebruikers nieuwe gebruikers kunnen uitnodigen." @@ -4461,7 +4489,7 @@ msgstr "" msgid "Plugins" msgstr "Plug-ins" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 msgid "Version" msgstr "Versie" @@ -4609,7 +4637,6 @@ msgid "Could not create group." msgstr "Het was niet mogelijk de groep aan te maken." #: classes/User_group.php:471 -#, fuzzy msgid "Could not set group URI." msgstr "Het was niet mogelijk de groeps-URI in te stellen." @@ -4662,120 +4689,190 @@ msgstr "Naamloze pagina" msgid "Primary site navigation" msgstr "Primaire sitenavigatie" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "Start" - -#: lib/action.php:439 +#, fuzzy +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Persoonlijk profiel en tijdlijn van vrienden" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "Persoonlijk" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Uw e-mailadres, avatar, wachtwoord of profiel wijzigen" -#: lib/action.php:444 -msgid "Connect" -msgstr "Koppelen" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "Gebruiker" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Met diensten verbinden" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "Koppelen" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Websiteinstellingen wijzigen" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "Uitnodigen" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "Beheerder" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Vrienden en collega's uitnodigen om u te vergezellen op %s" -#: lib/action.php:458 -msgid "Logout" -msgstr "Afmelden" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "Uitnodigen" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Van de site afmelden" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Afmelden" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Gebruiker aanmaken" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "Registreren" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Bij de site aanmelden" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Help" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Aanmelden" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Help me!" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "Zoeken" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Help" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Naar gebruikers of tekst zoeken" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "Zoeken" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "Mededeling van de website" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "Lokale weergaven" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "Mededeling van de pagina" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "Secundaire sitenavigatie" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Help" + +#: lib/action.php:765 msgid "About" msgstr "Over" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "Veel gestelde vragen" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "Gebruiksvoorwaarden" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "Privacy" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "Broncode" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Contact" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "Widget" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "Licentie van de StatusNet-software" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4784,12 +4881,12 @@ msgstr "" "**%%site.name%%** is een microblogdienst van [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** is een microblogdienst. " -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4800,45 +4897,45 @@ msgstr "" "versie %s, beschikbaar onder de [GNU Affero General Public License](http://" "www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "Licentie voor siteinhoud" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Inhoud en gegevens van %1$s zijn persoonlijk en vertrouwelijk." -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "Auteursrechten op inhoud en gegevens rusten bij %1$s. Alle rechten " "voorbehouden." -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Auteursrechten op inhoud en gegevens rusten bij de respectievelijke " "gebruikers. Alle rechten voorbehouden." -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "Alle " -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "licentie." -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "Paginering" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "Later" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "Eerder" @@ -4854,50 +4951,103 @@ msgstr "Het is nog niet mogelijk ingebedde XML-inhoud te verwerken" msgid "Can't handle embedded Base64 content yet." msgstr "Het is nog niet mogelijk ingebedde Base64-inhoud te verwerken" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "U mag geen wijzigingen maken aan deze website." -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." msgstr "Wijzigingen aan dat venster zijn niet toegestaan." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "showForm() is niet geïmplementeerd." -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "saveSettings() is nog niet geïmplementeerd." -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "Het was niet mogelijk om de ontwerpinstellingen te verwijderen." -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 msgid "Basic site configuration" msgstr "Basisinstellingen voor de website" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "Website" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "Instellingen vormgeving" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "Uiterlijk" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 msgid "User configuration" msgstr "Gebruikersinstellingen" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "Gebruiker" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 msgid "Access configuration" msgstr "Toegangsinstellingen" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "Toegang" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 msgid "Paths configuration" msgstr "Padinstellingen" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +#, fuzzy +msgctxt "MENU" +msgid "Paths" +msgstr "Paden" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 msgid "Sessions configuration" msgstr "Sessieinstellingen" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "Sessies" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4996,11 +5146,11 @@ msgstr "Mededelingen die deze bijlage bevatten" msgid "Tags for this attachment" msgstr "Labels voor deze bijlage" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 msgid "Password changing failed" msgstr "Wachtwoord wijzigen is mislukt" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 msgid "Password changing is not allowed" msgstr "Wachtwoord wijzigen is niet toegestaan" @@ -5322,20 +5472,20 @@ msgstr "" "tracks - nog niet beschikbaar\n" "tracking - nog niet beschikbaar\n" -#: lib/common.php:136 +#: lib/common.php:148 msgid "No configuration file found. " msgstr "Er is geen instellingenbestand aangetroffen. " -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "Er is gezocht naar instellingenbestanden op de volgende plaatsen: " -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" "U kunt proberen de installer uit te voeren om dit probleem op te lossen." -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "Naar het installatieprogramma gaan." @@ -5928,10 +6078,9 @@ msgid "Available characters" msgstr "Beschikbare tekens" #: lib/messageform.php:178 lib/noticeform.php:236 -#, fuzzy msgctxt "Send button for sending notice" msgid "Send" -msgstr "Verzenden" +msgstr "OK" #: lib/noticeform.php:160 msgid "Send a notice" @@ -6056,6 +6205,10 @@ msgstr "Antwoorden" msgid "Favorites" msgstr "Favorieten" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "Gebruiker" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Postvak IN" @@ -6165,6 +6318,10 @@ msgstr "Site doorzoeken" msgid "Keyword(s)" msgstr "Term(en)" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Zoeken" + #: lib/searchaction.php:162 msgid "Search help" msgstr "Hulp bij zoeken" @@ -6216,6 +6373,15 @@ msgstr "Gebruikers met een abonnement op %s" msgid "Groups %s is a member of" msgstr "Groepen waar %s lid van is" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "Uitnodigen" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "Vrienden en collega's uitnodigen om u te vergezellen op %s" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6286,47 +6452,47 @@ msgstr "Bericht" msgid "Moderate" msgstr "Modereren" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "een paar seconden geleden" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "ongeveer een minuut geleden" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "ongeveer %d minuten geleden" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "ongeveer een uur geleden" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "ongeveer %d uur geleden" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "ongeveer een dag geleden" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "ongeveer %d dagen geleden" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "ongeveer een maand geleden" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "ongeveer %d maanden geleden" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "ongeveer een jaar geleden" diff --git a/locale/nn/LC_MESSAGES/statusnet.po b/locale/nn/LC_MESSAGES/statusnet.po index 6e4ba294f..ddd183e87 100644 --- a/locale/nn/LC_MESSAGES/statusnet.po +++ b/locale/nn/LC_MESSAGES/statusnet.po @@ -7,83 +7,89 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:49:15+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:03:22+0000\n" "Language-Team: Norwegian Nynorsk\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nn\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 #, fuzzy msgid "Access" msgstr "Godta" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 #, fuzzy msgid "Site access settings" msgstr "Avatar-innstillingar" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 #, fuzzy msgid "Registration" msgstr "Registrér" -#: actions/accessadminpanel.php:161 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. +#: actions/accessadminpanel.php:167 #, fuzzy +msgctxt "LABEL" msgid "Private" msgstr "Personvern" -#: actions/accessadminpanel.php:163 -msgid "Prohibit anonymous users (not logged in) from viewing site?" +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 +msgid "Make registration invitation only." msgstr "" -#: actions/accessadminpanel.php:167 +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 #, fuzzy msgid "Invite only" msgstr "Invitér" -#: actions/accessadminpanel.php:169 -msgid "Make registration invitation only." +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 +msgid "Disable new registrations." msgstr "" -#: actions/accessadminpanel.php:173 +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 #, fuzzy msgid "Closed" msgstr "Blokkér" -#: actions/accessadminpanel.php:175 -msgid "Disable new registrations." -msgstr "" - -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Lagra" - -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 #, fuzzy msgid "Save access settings" msgstr "Avatar-innstillingar" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "Lagra" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 #, fuzzy msgid "No such page" msgstr "Dette emneord finst ikkje." -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -109,61 +115,70 @@ msgstr "Dette emneord finst ikkje." msgid "No such user." msgstr "Brukaren finst ikkje." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, fuzzy, php-format msgid "%1$s and friends, page %2$d" msgstr "%s med vener, side %d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s med vener" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, fuzzy, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "Straum for vener av %s" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, fuzzy, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "Straum for vener av %s" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, fuzzy, php-format msgid "Feed for friends of %s (Atom)" msgstr "Straum for vener av %s" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "" -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " "something yourself." msgstr "" -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " "post a notice to his or her attention." msgstr "" -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 #, fuzzy msgid "You and friends" msgstr "%s med vener" @@ -566,7 +581,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "Konto" @@ -700,7 +715,7 @@ msgstr "Svar til %s" msgid "Repeats of %s" msgstr "Svar til %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "Notisar merka med %s" @@ -959,7 +974,7 @@ msgstr "Du er ikkje medlem av den gruppa." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "Det var eit problem med sesjons billetten din." @@ -985,12 +1000,13 @@ msgstr "Kan ikkje sletta notisen." msgid "Delete this application" msgstr "Slett denne notisen" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "Ikkje logga inn" @@ -1052,7 +1068,7 @@ msgid "Delete this user" msgstr "Slett denne notisen" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1163,6 +1179,17 @@ msgstr "" msgid "Reset back to default" msgstr "" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Lagra" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1740,7 +1767,7 @@ msgstr "%s medlemmar i gruppa, side %d" msgid "A list of the users in this group." msgstr "Ei liste over brukarane i denne gruppa." -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" @@ -2018,18 +2045,19 @@ msgstr "Personleg melding" msgid "Optionally add a personal message to the invitation." msgstr "Eventuelt legg til ei personleg melding til invitasjonen." -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "Send" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s har invitert deg til %2$s" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2121,8 +2149,7 @@ msgstr "Feil brukarnamn eller passord" msgid "Error setting user. You are probably not authorized." msgstr "Ikkje autorisert." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Logg inn" @@ -2528,7 +2555,7 @@ msgstr "Klarar ikkje lagra nytt passord." msgid "Password saved." msgstr "Lagra passord." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "" @@ -2561,7 +2588,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 #, fuzzy msgid "Site" msgstr "Invitér" @@ -2859,7 +2885,8 @@ msgstr "Kan ikkje lagra profil." msgid "Couldn't save tags." msgstr "Kan ikkje lagra merkelapp." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "Lagra innstillingar." @@ -2872,48 +2899,48 @@ msgstr "" msgid "Could not retrieve public stream." msgstr "Kan ikkje hente offentleg straum." -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "Offentleg tidsline, side %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "Offentleg tidsline" -#: actions/public.php:159 +#: actions/public.php:160 #, fuzzy msgid "Public Stream Feed (RSS 1.0)" msgstr "Offentleg straum" -#: actions/public.php:163 +#: actions/public.php:164 #, fuzzy msgid "Public Stream Feed (RSS 2.0)" msgstr "Offentleg straum" -#: actions/public.php:167 +#: actions/public.php:168 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "Offentleg straum" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2922,7 +2949,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:246 +#: actions/public.php:247 #, fuzzy, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3096,8 +3123,7 @@ msgstr "Feil med stadfestingskode." msgid "Registration successful" msgstr "Registreringa gikk bra" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "Registrér" @@ -3299,47 +3325,47 @@ msgstr "Lag" msgid "Repeated!" msgstr "Lag" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "Svar til %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, fuzzy, php-format msgid "Replies to %1$s, page %2$d" msgstr "Melding til %1$s pÃ¥ %2$s" -#: actions/replies.php:144 +#: actions/replies.php:145 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "Notisstraum for %s" -#: actions/replies.php:151 +#: actions/replies.php:152 #, fuzzy, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "Notisstraum for %s" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "Notisstraum for %s" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "" -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3367,7 +3393,6 @@ msgid "User is already sandboxed." msgstr "Brukar har blokkert deg." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3392,7 +3417,7 @@ msgid "Turn on debugging output for sessions." msgstr "" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" msgstr "Avatar-innstillingar" @@ -3489,35 +3514,35 @@ msgstr "%s's favoritt meldingar" msgid "Could not retrieve favorite notices." msgstr "Kunne ikkje hente fram favorittane." -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "Straum for vener av %s" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "Straum for vener av %s" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "Straum for vener av %s" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " "they would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3525,7 +3550,7 @@ msgid "" "would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "" @@ -4090,22 +4115,22 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" -#: actions/tag.php:68 +#: actions/tag.php:69 #, fuzzy, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "Brukarar sjølv-merka med %s, side %d" -#: actions/tag.php:86 +#: actions/tag.php:87 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "Notisstraum for %s" -#: actions/tag.php:92 +#: actions/tag.php:93 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "Notisstraum for %s" -#: actions/tag.php:98 +#: actions/tag.php:99 #, fuzzy, php-format msgid "Notice feed for tag %s (Atom)" msgstr "Notisstraum for %s" @@ -4195,76 +4220,78 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "Brukar" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 #, fuzzy msgid "New users" msgstr "Invitér nye brukarar" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Default subscription" msgstr "Alle tingingar" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "" "Automatisk ting notisane til dei som tingar mine (best for ikkje-menneskje)" -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 #, fuzzy msgid "Invitations" msgstr "Invitasjon(er) sendt" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 #, fuzzy msgid "Invitations enabled" msgstr "Invitasjon(er) sendt" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "" @@ -4451,7 +4478,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 #, fuzzy msgid "Version" msgstr "Personleg" @@ -4653,123 +4680,191 @@ msgstr "Ingen tittel" msgid "Primary site navigation" msgstr "Navigasjon for hovudsida" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "Heim" - -#: lib/action.php:439 +#, fuzzy +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Personleg profil og oversyn over vener" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "Personleg" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Endra e-posten, avataren, passordet eller profilen" -#: lib/action.php:444 -msgid "Connect" -msgstr "Kopla til" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "Konto" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 #, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Klarte ikkje Ã¥ omdirigera til tenaren: %s" -#: lib/action.php:448 +#: lib/action.php:453 #, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "Kopla til" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Navigasjon for hovudsida" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "Invitér" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "Administrator" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Inviter vennar og kollega til Ã¥ bli med deg pÃ¥ %s" -#: lib/action.php:458 -msgid "Logout" -msgstr "Logg ut" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "Invitér" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Logg ut or sida" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Logg ut" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Opprett ny konto" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "Registrér" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Logg inn or sida" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Hjelp" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Logg inn" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Hjelp meg!" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "Søk" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Hjelp" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Søk etter folk eller innhald" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "Søk" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "Statusmelding" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "Lokale syningar" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "Sidenotis" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "AndrenivÃ¥s side navigasjon" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Hjelp" + +#: lib/action.php:765 msgid "About" msgstr "Om" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "OSS" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "Personvern" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "Kjeldekode" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:751 +#: lib/action.php:782 #, fuzzy msgid "Badge" msgstr "Dult" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "StatusNets programvarelisens" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4778,12 +4873,12 @@ msgstr "" "**%%site.name%%** er ei mikrobloggingteneste av [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** er ei mikrobloggingteneste. " -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4794,42 +4889,42 @@ msgstr "" "%s, tilgjengeleg under [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:832 #, fuzzy msgid "Site content license" msgstr "StatusNets programvarelisens" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "Alle" -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "lisens." -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "Paginering" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "« Etter" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "Før »" @@ -4845,61 +4940,113 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 #, fuzzy msgid "You cannot make changes to this site." msgstr "Du kan ikkje sende melding til denne brukaren." -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 #, fuzzy msgid "Changes to that panel are not allowed." msgstr "Registrering ikkje tillatt." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 #, fuzzy msgid "showForm() not implemented." msgstr "Kommando ikkje implementert." -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 #, fuzzy msgid "saveSettings() not implemented." msgstr "Kommando ikkje implementert." -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 #, fuzzy msgid "Unable to delete design setting." msgstr "Klarte ikkje Ã¥ lagra Twitter-innstillingane dine!" -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 #, fuzzy msgid "Basic site configuration" msgstr "Stadfesting av epostadresse" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "Invitér" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Design configuration" msgstr "SMS bekreftelse" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "Personleg" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 #, fuzzy msgid "User configuration" msgstr "SMS bekreftelse" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "Brukar" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 #, fuzzy msgid "Access configuration" msgstr "SMS bekreftelse" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "Godta" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 #, fuzzy msgid "Paths configuration" msgstr "SMS bekreftelse" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +msgctxt "MENU" +msgid "Paths" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 #, fuzzy msgid "Sessions configuration" msgstr "SMS bekreftelse" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "Personleg" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -5000,12 +5147,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 #, fuzzy msgid "Password changing failed" msgstr "Endra passord" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 #, fuzzy msgid "Password changing is not allowed" msgstr "Endra passord" @@ -5286,20 +5433,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 #, fuzzy msgid "No configuration file found. " msgstr "Ingen stadfestingskode." -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:140 +#: lib/common.php:152 #, fuzzy msgid "Go to the installer." msgstr "Logg inn or sida" @@ -5951,6 +6098,10 @@ msgstr "Svar" msgid "Favorites" msgstr "Favorittar" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "Brukar" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Innboks" @@ -6068,6 +6219,10 @@ msgstr "Søk" msgid "Keyword(s)" msgstr "" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Søk" + #: lib/searchaction.php:162 #, fuzzy msgid "Search help" @@ -6122,6 +6277,15 @@ msgstr "Mennesker som tingar %s" msgid "Groups %s is a member of" msgstr "Grupper %s er medlem av" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "Invitér" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "Inviter vennar og kollega til Ã¥ bli med deg pÃ¥ %s" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6196,47 +6360,47 @@ msgstr "Melding" msgid "Moderate" msgstr "" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "eit par sekund sidan" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "omtrent eitt minutt sidan" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "~%d minutt sidan" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "omtrent ein time sidan" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "~%d timar sidan" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "omtrent ein dag sidan" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "~%d dagar sidan" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "omtrent ein mÃ¥nad sidan" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "~%d mÃ¥nadar sidan" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "omtrent eitt Ã¥r sidan" diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index 6b76680bc..a8cef8d36 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:49:23+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:03:35+0000\n" "Last-Translator: Piotr DrÄ…g \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -19,69 +19,76 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: out-statusnet\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "DostÄ™p" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 msgid "Site access settings" msgstr "Ustawienia dostÄ™pu witryny" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 msgid "Registration" msgstr "Rejestracja" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "Prywatna" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "Zabronić anonimowym użytkownikom (niezalogowanym) przeglÄ…dać witrynÄ™?" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" -msgstr "Tylko zaproszeni" +#, fuzzy +msgctxt "LABEL" +msgid "Private" +msgstr "Prywatna" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "Rejestracja tylko za zaproszeniem." -#: actions/accessadminpanel.php:173 -msgid "Closed" -msgstr "ZamkniÄ™te" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "Tylko zaproszeni" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "WyÅ‚Ä…czenie nowych rejestracji." -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Zapisz" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" +msgstr "ZamkniÄ™te" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 msgid "Save access settings" msgstr "Zapisz ustawienia dostÄ™pu" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "Zapisz" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "Nie ma takiej strony" -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -107,34 +114,41 @@ msgstr "Nie ma takiej strony" msgid "No such user." msgstr "Brak takiego użytkownika." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, php-format msgid "%1$s and friends, page %2$d" msgstr "%1$s i przyjaciele, strona %2$d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "Użytkownik %s i przyjaciele" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "KanaÅ‚ dla znajomych użytkownika %s (RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "KanaÅ‚ dla znajomych użytkownika %s (RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "KanaÅ‚ dla znajomych użytkownika %s (Atom)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." @@ -142,7 +156,7 @@ msgstr "" "To jest oÅ› czasu użytkownika %s i przyjaciół, ale nikt jeszcze nic nie " "wysÅ‚aÅ‚." -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " @@ -151,7 +165,8 @@ msgstr "" "Spróbuj subskrybować wiÄ™cej osób, [doÅ‚Ä…czyć do grupy](%%action.groups%%) lub " "wysÅ‚ać coÅ› samemu." -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " @@ -161,7 +176,7 @@ msgstr "" "[wysÅ‚ać coÅ› wymagajÄ…cego jego uwagi](%%%%action.newnotice%%%%?" "status_textarea=%3$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -170,7 +185,8 @@ msgstr "" "Dlaczego nie [zarejestrujesz konta](%%%%action.register%%%%) i wtedy " "szturchniesz użytkownika %s lub wyÅ›lesz wpis wymagajÄ…cego jego uwagi." -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "Ty i przyjaciele" @@ -563,7 +579,7 @@ msgstr "" "uzyskać możliwość %3$s danych konta %4$s. DostÄ™p do konta %4" "$s powinien być udostÄ™pniany tylko zaufanym osobom trzecim." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "Konto" @@ -692,7 +708,7 @@ msgstr "Powtórzone dla %s" msgid "Repeats of %s" msgstr "Powtórzenia %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "Wpisy ze znacznikiem %s" @@ -942,7 +958,7 @@ msgstr "Nie jesteÅ› wÅ‚aÅ›cicielem tej aplikacji." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "WystÄ…piÅ‚ problem z tokenem sesji." @@ -967,12 +983,13 @@ msgstr "Nie usuwaj tej aplikacji" msgid "Delete this application" msgstr "UsuÅ„ tÄ™ aplikacjÄ™" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "Niezalogowany." @@ -1030,7 +1047,7 @@ msgid "Delete this user" msgstr "UsuÅ„ tego użytkownika" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "WyglÄ…d" @@ -1131,6 +1148,17 @@ msgstr "Przywróć domyÅ›lny wyglÄ…d" msgid "Reset back to default" msgstr "Przywróć domyÅ›lne ustawienia" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Zapisz" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Zapisz wyglÄ…d" @@ -1679,7 +1707,7 @@ msgstr "CzÅ‚onkowie grupy %1$s, strona %2$d" msgid "A list of the users in this group." msgstr "Lista użytkowników znajdujÄ…cych siÄ™ w tej grupie." -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "Administrator" @@ -1963,18 +1991,19 @@ msgstr "Osobista wiadomość" msgid "Optionally add a personal message to the invitation." msgstr "Opcjonalnie dodaj osobistÄ… wiadomość do zaproszenia." -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "WyÅ›lij" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s zapraszajÄ… ciÄ™, abyÅ› doÅ‚Ä…czyÅ‚ do nich w %2$s" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2069,8 +2098,7 @@ msgstr "Niepoprawna nazwa użytkownika lub hasÅ‚o." msgid "Error setting user. You are probably not authorized." msgstr "BÅ‚Ä…d podczas ustawiania użytkownika. Prawdopodobnie brak upoważnienia." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Zaloguj siÄ™" @@ -2464,7 +2492,7 @@ msgstr "Nie można zapisać nowego hasÅ‚a." msgid "Password saved." msgstr "Zapisano hasÅ‚o." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "Åšcieżki" @@ -2497,7 +2525,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "NieprawidÅ‚owy serwer SSL. Maksymalna dÅ‚ugość to 255 znaków." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Witryny" @@ -2783,7 +2810,8 @@ msgstr "Nie można zapisać profilu." msgid "Couldn't save tags." msgstr "Nie można zapisać znaczników." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "Zapisano ustawienia." @@ -2796,28 +2824,28 @@ msgstr "Poza ograniczeniem strony (%s)" msgid "Could not retrieve public stream." msgstr "Nie można pobrać publicznego strumienia." -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "Publiczna oÅ› czasu, strona %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "Publiczna oÅ› czasu" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "KanaÅ‚ publicznego strumienia (RSS 1.0)" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "KanaÅ‚ publicznego strumienia (RSS 2.0)" -#: actions/public.php:167 +#: actions/public.php:168 msgid "Public Stream Feed (Atom)" msgstr "KanaÅ‚ publicznego strumienia (Atom)" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2826,11 +2854,11 @@ msgstr "" "To jest publiczna oÅ› czasu dla %%site.name%%, ale nikt jeszcze nic nie " "wysÅ‚aÅ‚." -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "ZostaÅ„ pierwszym, który coÅ› wyÅ›le." -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2838,7 +2866,7 @@ msgstr "" "Dlaczego nie [zarejestrujesz konta](%%action.register%%) i zostaniesz " "pierwszym, który coÅ› wyÅ›le." -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2851,7 +2879,7 @@ msgstr "" "[DoÅ‚Ä…cz teraz](%%action.register%%), aby dzielić siÄ™ wpisami o sobie z " "przyjaciółmi, rodzinÄ… i kolegami. ([Przeczytaj wiÄ™cej](%%doc.help%%))" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3029,8 +3057,7 @@ msgstr "NieprawidÅ‚owy kod zaproszenia." msgid "Registration successful" msgstr "Rejestracja powiodÅ‚a siÄ™" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "Zarejestruj siÄ™" @@ -3225,33 +3252,33 @@ msgstr "Powtórzono" msgid "Repeated!" msgstr "Powtórzono." -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "Odpowiedzi na %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, php-format msgid "Replies to %1$s, page %2$d" msgstr "odpowiedzi dla użytkownika %1$s, strona %2$s" -#: actions/replies.php:144 +#: actions/replies.php:145 #, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "KanaÅ‚ odpowiedzi dla użytkownika %s (RSS 1.0)" -#: actions/replies.php:151 +#: actions/replies.php:152 #, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "KanaÅ‚ odpowiedzi dla użytkownika %s (RSS 2.0)" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "KanaÅ‚ odpowiedzi dla użytkownika %s (Atom)" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " @@ -3260,7 +3287,7 @@ msgstr "" "To jest oÅ› czasu wyÅ›wietlajÄ…ca odpowiedzi na wpisy użytkownika %1$s, ale %2" "$s nie otrzymaÅ‚ jeszcze wpisów wymagajÄ…cych jego uwagi." -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " @@ -3269,7 +3296,7 @@ msgstr "" "Można nawiÄ…zać rozmowÄ™ z innymi użytkownikami, subskrybować wiÄ™cej osób lub " "[doÅ‚Ä…czyć do grup](%%action.groups%%)." -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3296,7 +3323,6 @@ msgid "User is already sandboxed." msgstr "Użytkownik jest już ograniczony." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "Sesje" @@ -3321,7 +3347,7 @@ msgid "Turn on debugging output for sessions." msgstr "WÅ‚Ä…cza wyjÅ›cie debugowania dla sesji." #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Zapisz ustawienia witryny" @@ -3414,22 +3440,22 @@ msgstr "Ulubione wpisy użytkownika %1$s, strona %2$d" msgid "Could not retrieve favorite notices." msgstr "Nie można odebrać ulubionych wpisów." -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "KanaÅ‚ dla ulubionych wpisów użytkownika %s (RSS 1.0)" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "KanaÅ‚ dla ulubionych wpisów użytkownika %s (RSS 2.0)" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "KanaÅ‚ dla ulubionych wpisów użytkownika %s (Atom)" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." @@ -3438,7 +3464,7 @@ msgstr "" "na wpisach, które chciaÅ‚byÅ› dodać do zakÅ‚adek na później lub rzucić na nie " "trochÄ™ Å›wiatÅ‚a." -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " @@ -3447,7 +3473,7 @@ msgstr "" "Użytkownik %s nie dodaÅ‚ jeszcze żadnych wpisów do ulubionych. WyÅ›lij coÅ› " "interesujÄ…cego, aby chcieli dodać to do swoich ulubionych. :)" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3458,7 +3484,7 @@ msgstr "" "[zarejestrujesz konta](%%%%action.register%%%%) i wyÅ›lesz coÅ› " "interesujÄ…cego, aby chcieli dodać to do swoich ulubionych. :)" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "To jest sposób na współdzielenie tego, co chcesz." @@ -4041,22 +4067,22 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" -#: actions/tag.php:68 +#: actions/tag.php:69 #, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "Wpisy ze znacznikiem %1$s, strona %2$d" -#: actions/tag.php:86 +#: actions/tag.php:87 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "KanaÅ‚ wpisów dla znacznika %s (RSS 1.0)" -#: actions/tag.php:92 +#: actions/tag.php:93 #, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "KanaÅ‚ wpisów dla znacznika %s (RSS 2.0)" -#: actions/tag.php:98 +#: actions/tag.php:99 #, php-format msgid "Notice feed for tag %s (Atom)" msgstr "KanaÅ‚ wpisów dla znacznika %s (Atom)" @@ -4143,70 +4169,72 @@ msgstr "" "Licencja nasÅ‚uchiwanego strumienia \"%1$s\" nie jest zgodna z licencjÄ… " "witryny \"%2$s\"." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "Użytkownik" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "Ustawienia użytkownika dla tej witryny StatusNet." -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "NieprawidÅ‚owe ograniczenie informacji o sobie. Musi być liczbowa." -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "NieprawidÅ‚owy tekst powitania. Maksymalna dÅ‚ugość to 255 znaków." -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "NieprawidÅ‚owa domyÅ›lna subskrypcja: \"%1$s\" nie jest użytkownikiem." -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "Ograniczenie informacji o sobie" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "Maksymalna dÅ‚ugość informacji o sobie jako liczba znaków." -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Nowi użytkownicy" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "Powitanie nowego użytkownika" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "Tekst powitania nowych użytkowników (maksymalnie 255 znaków)." -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 msgid "Default subscription" msgstr "DomyÅ›lna subskrypcja" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 msgid "Automatically subscribe new users to this user." msgstr "Automatyczne subskrybowanie nowych użytkowników do tego użytkownika." -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 msgid "Invitations" msgstr "Zaproszenia" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "Zaproszenia sÄ… wÅ‚Ä…czone" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "Czy zezwolić użytkownikom zapraszanie nowych użytkowników." @@ -4401,7 +4429,7 @@ msgstr "" msgid "Plugins" msgstr "Wtyczki" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 msgid "Version" msgstr "Wersja" @@ -4543,7 +4571,6 @@ msgid "Could not create group." msgstr "Nie można utworzyć grupy." #: classes/User_group.php:471 -#, fuzzy msgid "Could not set group URI." msgstr "Nie można ustawić adresu URI grupy." @@ -4596,120 +4623,190 @@ msgstr "Strona bez nazwy" msgid "Primary site navigation" msgstr "Główna nawigacja witryny" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "Strona domowa" - -#: lib/action.php:439 +#, fuzzy +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Profil osobisty i oÅ› czasu przyjaciół" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "Osobiste" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "ZmieÅ„ adres e-mail, awatar, hasÅ‚o, profil" -#: lib/action.php:444 -msgid "Connect" -msgstr "PoÅ‚Ä…cz" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "Konto" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "PoÅ‚Ä…cz z serwisami" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "PoÅ‚Ä…cz" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "ZmieÅ„ konfiguracjÄ™ witryny" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "ZaproÅ›" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "Administrator" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "ZaproÅ› przyjaciół i kolegów do doÅ‚Ä…czenia do ciebie na %s" -#: lib/action.php:458 -msgid "Logout" -msgstr "Wyloguj siÄ™" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "ZaproÅ›" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Wyloguj siÄ™ z witryny" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Wyloguj siÄ™" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Utwórz konto" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "Zarejestruj siÄ™" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Zaloguj siÄ™ na witrynie" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Pomoc" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Zaloguj siÄ™" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Pomóż mi." -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "Wyszukaj" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Pomoc" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Wyszukaj osoby lub tekst" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "Wyszukaj" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "Wpis witryny" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "Lokalne widoki" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "Wpis strony" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "Druga nawigacja witryny" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Pomoc" + +#: lib/action.php:765 msgid "About" msgstr "O usÅ‚udze" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "TOS" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "Prywatność" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "Kod źródÅ‚owy" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "Odznaka" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "Licencja oprogramowania StatusNet" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4718,12 +4815,12 @@ msgstr "" "**%%site.name%%** jest usÅ‚ugÄ… mikroblogowania prowadzonÄ… przez [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** jest usÅ‚ugÄ… mikroblogowania. " -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4734,45 +4831,45 @@ msgstr "" "status.net/) w wersji %s, dostÄ™pnego na [Powszechnej Licencji Publicznej GNU " "Affero](http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "Licencja zawartoÅ›ci witryny" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Treść i dane %1$s sÄ… prywatne i poufne." -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "Prawa autorskie do treÅ›ci i danych sÄ… wÅ‚asnoÅ›ciÄ… %1$s. Wszystkie prawa " "zastrzeżone." -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Prawa autorskie do treÅ›ci i danych sÄ… wÅ‚asnoÅ›ciÄ… współtwórców. Wszystkie " "prawa zastrzeżone." -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "Wszystko " -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "licencja." -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "Paginacja" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "Później" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "WczeÅ›niej" @@ -4788,50 +4885,103 @@ msgstr "Nie można jeszcze obsÅ‚ugiwać zagnieżdżonej treÅ›ci XML." msgid "Can't handle embedded Base64 content yet." msgstr "Nie można jeszcze obsÅ‚ugiwać zagnieżdżonej treÅ›ci Base64." -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "Nie można wprowadzić zmian witryny." -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." msgstr "Zmiany w tym panelu nie sÄ… dozwolone." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "showForm() nie jest zaimplementowane." -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "saveSettings() nie jest zaimplementowane." -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "Nie można usunąć ustawienia wyglÄ…du." -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 msgid "Basic site configuration" msgstr "Podstawowa konfiguracja witryny" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "Witryny" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "Konfiguracja wyglÄ…du" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "WyglÄ…d" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 msgid "User configuration" msgstr "Konfiguracja użytkownika" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "Użytkownik" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 msgid "Access configuration" msgstr "Konfiguracja dostÄ™pu" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "DostÄ™p" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 msgid "Paths configuration" msgstr "Konfiguracja Å›cieżek" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +#, fuzzy +msgctxt "MENU" +msgid "Paths" +msgstr "Åšcieżki" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 msgid "Sessions configuration" msgstr "Konfiguracja sesji" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "Sesje" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4931,11 +5081,11 @@ msgstr "Powiadamia, kiedy pojawia siÄ™ ten zaÅ‚Ä…cznik" msgid "Tags for this attachment" msgstr "Znaczniki dla tego zaÅ‚Ä…cznika" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 msgid "Password changing failed" msgstr "Zmiana hasÅ‚a nie powiodÅ‚a siÄ™" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 msgid "Password changing is not allowed" msgstr "Zmiana hasÅ‚a nie jest dozwolona" @@ -5255,19 +5405,19 @@ msgstr "" "tracks - jeszcze nie zaimplementowano\n" "tracking - jeszcze nie zaimplementowano\n" -#: lib/common.php:136 +#: lib/common.php:148 msgid "No configuration file found. " msgstr "Nie odnaleziono pliku konfiguracji." -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "Szukano plików konfiguracji w nastÄ™pujÄ…cych miejscach: " -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "Należy uruchomić instalator, aby to naprawić." -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "Przejdź do instalatora." @@ -5855,7 +6005,6 @@ msgid "Available characters" msgstr "DostÄ™pne znaki" #: lib/messageform.php:178 lib/noticeform.php:236 -#, fuzzy msgctxt "Send button for sending notice" msgid "Send" msgstr "WyÅ›lij" @@ -5982,6 +6131,10 @@ msgstr "Odpowiedzi" msgid "Favorites" msgstr "Ulubione" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "Użytkownik" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Odebrane" @@ -6092,6 +6245,10 @@ msgstr "Przeszukaj witrynÄ™" msgid "Keyword(s)" msgstr "SÅ‚owa kluczowe" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Wyszukaj" + #: lib/searchaction.php:162 msgid "Search help" msgstr "Przeszukaj pomoc" @@ -6143,6 +6300,15 @@ msgstr "Osoby subskrybowane do %s" msgid "Groups %s is a member of" msgstr "Grupy %s sÄ… czÅ‚onkiem" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "ZaproÅ›" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "ZaproÅ› przyjaciół i kolegów do doÅ‚Ä…czenia do ciebie na %s" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6213,47 +6379,47 @@ msgstr "Wiadomość" msgid "Moderate" msgstr "Moderuj" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "kilka sekund temu" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "okoÅ‚o minutÄ™ temu" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "okoÅ‚o %d minut temu" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "okoÅ‚o godzinÄ™ temu" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "okoÅ‚o %d godzin temu" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "blisko dzieÅ„ temu" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "okoÅ‚o %d dni temu" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "okoÅ‚o miesiÄ…c temu" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "okoÅ‚o %d miesiÄ™cy temu" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "okoÅ‚o rok temu" diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index 381fc5df8..2598008d9 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -9,78 +9,85 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:49:27+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:03:38+0000\n" "Language-Team: Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "Acesso" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 #, fuzzy msgid "Site access settings" msgstr "Gravar configurações do site" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 #, fuzzy msgid "Registration" msgstr "Registar" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "Privado" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "Proibir utilizadores anónimos (sem sessão iniciada) de ver o site?" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" -msgstr "Só por convite" +#, fuzzy +msgctxt "LABEL" +msgid "Private" +msgstr "Privado" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "Permitir o registo só a convidados." -#: actions/accessadminpanel.php:173 -msgid "Closed" -msgstr "Fechado" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "Só por convite" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "Impossibilitar registos novos." -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Gravar" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" +msgstr "Fechado" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 #, fuzzy msgid "Save access settings" msgstr "Gravar configurações do site" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "Gravar" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "Página não encontrada." -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -106,41 +113,48 @@ msgstr "Página não encontrada." msgid "No such user." msgstr "Utilizador não encontrado." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, fuzzy, php-format msgid "%1$s and friends, page %2$d" msgstr "Perfis bloqueados de %1$s, página %2$d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s e amigos" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "Fonte para os amigos de %s (RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "Fonte para os amigos de %s (RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "Fonte para os amigos de %s (Atom)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "" "Estas são as notas de %s e dos amigos, mas ainda não publicaram nenhuma." -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " @@ -149,7 +163,8 @@ msgstr "" "Tente subscrever mais pessoas, [juntar-se a um grupo] (%%action.groups%%) ou " "publicar qualquer coisa." -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " @@ -158,7 +173,7 @@ msgstr "" "Pode tentar [dar um toque em %1$s](../%2$s) a partir do perfil ou [publicar " "qualquer coisa à sua atenção](%%%%action.newnotice%%%%?status_textarea=%3$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -167,7 +182,8 @@ msgstr "" "Podia [registar uma conta](%%action.register%%) e depois tocar %s ou " "publicar uma nota à sua atenção." -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "Você e seus amigos" @@ -559,7 +575,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "Conta" @@ -690,7 +706,7 @@ msgstr "Repetida para %s" msgid "Repeats of %s" msgstr "Repetências de %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "Notas categorizadas com %s" @@ -944,7 +960,7 @@ msgstr "Não é membro deste grupo." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "Ocorreu um problema com a sua sessão." @@ -973,12 +989,13 @@ msgstr "Não apagar esta nota" msgid "Delete this application" msgstr "Apagar esta nota" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "Não iniciou sessão." @@ -1036,7 +1053,7 @@ msgid "Delete this user" msgstr "Apagar este utilizador" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "Estilo" @@ -1139,6 +1156,17 @@ msgstr "Repor estilos predefinidos" msgid "Reset back to default" msgstr "Repor predefinição" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Gravar" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Gravar o estilo" @@ -1706,7 +1734,7 @@ msgstr "Membros do grupo %1$s, página %2$d" msgid "A list of the users in this group." msgstr "Uma lista dos utilizadores neste grupo." -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "Gestor" @@ -1991,18 +2019,19 @@ msgstr "Mensagem pessoal" msgid "Optionally add a personal message to the invitation." msgstr "Pode optar por acrescentar uma mensagem pessoal ao convite" -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "Enviar" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s convidou-o a juntar-se a ele no %2$s" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2097,8 +2126,7 @@ msgstr "Nome de utilizador ou senha incorrectos." msgid "Error setting user. You are probably not authorized." msgstr "Erro ao preparar o utilizador. Provavelmente não está autorizado." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Entrar" @@ -2505,7 +2533,7 @@ msgstr "Não é possível guardar a nova senha." msgid "Password saved." msgstr "Senha gravada." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "Localizações" @@ -2538,7 +2566,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Servidor SSL inválido. O tamanho máximo é 255 caracteres." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Site" @@ -2822,7 +2849,8 @@ msgstr "Não foi possível gravar o perfil." msgid "Couldn't save tags." msgstr "Não foi possível gravar as categorias." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "Configurações gravadas." @@ -2835,28 +2863,28 @@ msgstr "Além do limite de página (%s)" msgid "Could not retrieve public stream." msgstr "Não foi possível importar as notas públicas." -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "Notas públicas, página %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "Notas públicas" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "Fonte de Notas Públicas (RSS 1.0)" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "Fonte de Notas Públicas (RSS 2.0)" -#: actions/public.php:167 +#: actions/public.php:168 msgid "Public Stream Feed (Atom)" msgstr "Fonte de Notas Públicas (Atom)" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2865,11 +2893,11 @@ msgstr "" "Estas são as notas públicas do site %%site.name%% mas ninguém publicou nada " "ainda." -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "Seja a primeira pessoa a publicar!" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2877,7 +2905,7 @@ msgstr "" "Podia [registar uma conta](%%action.register%%) e ser a primeira pessoa a " "publicar!" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2890,7 +2918,7 @@ msgstr "" "[StatusNet](http://status.net/). [Registe-se agora](%%action.register%%) " "para partilhar notas sobre si, família e amigos! ([Saber mais](%%doc.help%%))" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3072,8 +3100,7 @@ msgstr "Desculpe, código de convite inválido." msgid "Registration successful" msgstr "Registo efectuado" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "Registar" @@ -3267,33 +3294,33 @@ msgstr "Repetida" msgid "Repeated!" msgstr "Repetida!" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "Respostas a %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, fuzzy, php-format msgid "Replies to %1$s, page %2$d" msgstr "Respostas a %1$s em %2$s!" -#: actions/replies.php:144 +#: actions/replies.php:145 #, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "Fonte de respostas a %s (RSS 1.0)" -#: actions/replies.php:151 +#: actions/replies.php:152 #, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "Fonte de respostas a %s (RSS 2.0)" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "Fonte de respostas a %s (Atom)" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " @@ -3302,7 +3329,7 @@ msgstr "" "Estas são as notas de resposta a %1$s, mas %2$s ainda não recebeu nenhuma " "resposta." -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " @@ -3311,7 +3338,7 @@ msgstr "" "Pode meter conversa com outros utilizadores, subscrever mais pessoas ou " "[juntar-se a grupos](%%action.groups%%)." -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3338,7 +3365,6 @@ msgid "User is already sandboxed." msgstr "Utilizador já está impedido de criar notas públicas." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "Sessões" @@ -3364,7 +3390,7 @@ msgid "Turn on debugging output for sessions." msgstr "Ligar a impressão de dados de depuração, para sessões." #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Gravar configurações do site" @@ -3460,22 +3486,22 @@ msgstr "Notas favoritas de %s" msgid "Could not retrieve favorite notices." msgstr "Não foi possível importar notas favoritas." -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "Fonte dos favoritos de %s (RSS 1.0)" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "Fonte dos favoritos de %s (RSS 2.0)" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "Fonte dos favoritos de %s (Atom)" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." @@ -3484,7 +3510,7 @@ msgstr "" "notas de que goste, para marcá-las para mais tarde ou para lhes dar " "relevância." -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " @@ -3493,7 +3519,7 @@ msgstr "" "%s ainda não adicionou nenhuma nota às favoritas. Publique algo interessante " "que mude este estado de coisas :)" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3504,7 +3530,7 @@ msgstr "" "conta](%%action.register%%) e publicar algo interessante que mude este " "estado de coisas :)" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "Esta é uma forma de partilhar aquilo de que gosta." @@ -4087,22 +4113,22 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" -#: actions/tag.php:68 +#: actions/tag.php:69 #, fuzzy, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "Utilizadores auto-categorizados com %1$s - página %2$d" -#: actions/tag.php:86 +#: actions/tag.php:87 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "Fonte de notas para a categoria %s (RSS 1.0)" -#: actions/tag.php:92 +#: actions/tag.php:93 #, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "Fonte de notas para a categoria %s (RSS 2.0)" -#: actions/tag.php:98 +#: actions/tag.php:99 #, php-format msgid "Notice feed for tag %s (Atom)" msgstr "Fonte de notas para a categoria %s (Atom)" @@ -4188,70 +4214,72 @@ msgstr "" "Licença ‘%1$s’ da listenee stream não é compatível com a licença ‘%2$s’ do " "site." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "Utilizador" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "Configurações do utilizador para este site StatusNet." -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "Limite da biografia inválido. Tem de ser numérico." -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "Texto de boas-vindas inválido. Tamanho máx. é 255 caracteres." -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "Subscrição predefinida é inválida: '%1$s' não é utilizador." -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Perfil" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "Limite da Biografia" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "Tamanho máximo de uma biografia em caracteres." -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Utilizadores novos" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "Boas-vindas a utilizadores novos" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "Texto de boas-vindas a utilizadores novos (máx. 255 caracteres)." -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 msgid "Default subscription" msgstr "Subscrição predefinida" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 msgid "Automatically subscribe new users to this user." msgstr "Novos utilizadores subscrevem automaticamente este utilizador." -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 msgid "Invitations" msgstr "Convites" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "Convites habilitados" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "Permitir, ou não, que utilizadores convidem utilizadores novos." @@ -4446,7 +4474,7 @@ msgstr "" msgid "Plugins" msgstr "Plugins" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 msgid "Version" msgstr "Versão" @@ -4645,120 +4673,190 @@ msgstr "Página sem título" msgid "Primary site navigation" msgstr "Navegação primária deste site" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "Início" - -#: lib/action.php:439 +#, fuzzy +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Perfil pessoal e notas dos amigos" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "Pessoal" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Altere o seu endereço electrónico, avatar, senha, perfil" -#: lib/action.php:444 -msgid "Connect" -msgstr "Ligar" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "Conta" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Ligar aos serviços" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "Ligar" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Alterar a configuração do site" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "Convidar" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "Gestor" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Convidar amigos e colegas para se juntarem a si em %s" -#: lib/action.php:458 -msgid "Logout" -msgstr "Sair" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "Convidar" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Terminar esta sessão" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Sair" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Criar uma conta" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "Registar" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Iniciar uma sessão" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Ajuda" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Entrar" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Ajudem-me!" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "Pesquisa" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Ajuda" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Procurar pessoas ou pesquisar texto" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "Pesquisa" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "Aviso do site" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "Vistas locais" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "Aviso da página" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "Navegação secundária deste site" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Ajuda" + +#: lib/action.php:765 msgid "About" msgstr "Sobre" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "Termos" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "Privacidade" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "Código" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Contacto" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "Emblema" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "Licença de software do StatusNet" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4767,12 +4865,12 @@ msgstr "" "**%%site.name%%** é um serviço de microblogues disponibilizado por [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** é um serviço de microblogues. " -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4783,41 +4881,41 @@ msgstr "" "disponibilizado nos termos da [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "Licença de conteúdos do site" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "Tudo " -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "licença." -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "Paginação" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "Posteriores" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "Anteriores" @@ -4833,53 +4931,106 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "Não pode fazer alterações a este site." -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." msgstr "Não são permitidas alterações a esse painel." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "showForm() não implementado." -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "saveSettings() não implementado." -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "Não foi possível apagar a configuração do estilo." -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 msgid "Basic site configuration" msgstr "Configuração básica do site" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "Site" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "Configuração do estilo" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "Estilo" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 #, fuzzy msgid "User configuration" msgstr "Configuração das localizações" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "Utilizador" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 #, fuzzy msgid "Access configuration" msgstr "Configuração do estilo" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "Acesso" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 msgid "Paths configuration" msgstr "Configuração das localizações" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +#, fuzzy +msgctxt "MENU" +msgid "Paths" +msgstr "Localizações" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 #, fuzzy msgid "Sessions configuration" msgstr "Configuração do estilo" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "Sessões" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4979,11 +5130,11 @@ msgstr "Notas em que este anexo aparece" msgid "Tags for this attachment" msgstr "Categorias para este anexo" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 msgid "Password changing failed" msgstr "Não foi possível mudar a palavra-chave" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 msgid "Password changing is not allowed" msgstr "Não é permitido mudar a palavra-chave" @@ -5299,19 +5450,19 @@ msgstr "" "tracks - ainda não implementado.\n" "tracking - ainda não implementado.\n" -#: lib/common.php:136 +#: lib/common.php:148 msgid "No configuration file found. " msgstr "Ficheiro de configuração não encontrado. " -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "Procurei ficheiros de configuração nos seguintes sítios: " -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "Talvez queira correr o instalador para resolver esta questão." -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "Ir para o instalador." @@ -6027,6 +6178,10 @@ msgstr "Respostas" msgid "Favorites" msgstr "Favoritas" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "Utilizador" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Recebidas" @@ -6136,6 +6291,10 @@ msgstr "Pesquisar site" msgid "Keyword(s)" msgstr "Categorias" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Pesquisa" + #: lib/searchaction.php:162 msgid "Search help" msgstr "Pesquisar ajuda" @@ -6187,6 +6346,15 @@ msgstr "Pessoas que subscrevem %s" msgid "Groups %s is a member of" msgstr "Grupos de que %s é membro" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "Convidar" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "Convidar amigos e colegas para se juntarem a si em %s" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6257,47 +6425,47 @@ msgstr "Mensagem" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "há alguns segundos" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "há cerca de um minuto" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "há cerca de %d minutos" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "há cerca de uma hora" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "há cerca de %d horas" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "há cerca de um dia" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "há cerca de %d dias" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "há cerca de um mês" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "há cerca de %d meses" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "há cerca de um ano" diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index e43c91ed2..041a2d4a3 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -11,75 +11,82 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:49:30+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:03:41+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "Acesso" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 msgid "Site access settings" msgstr "Configurações de acesso ao site" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 msgid "Registration" msgstr "Registro" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "Particular" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "Impedir usuários anônimos (não autenticados) de visualizar o site?" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" -msgstr "Somente convidados" +#, fuzzy +msgctxt "LABEL" +msgid "Private" +msgstr "Particular" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "Cadastro liberado somente para convidados." -#: actions/accessadminpanel.php:173 -msgid "Closed" -msgstr "Fechado" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "Somente convidados" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "Desabilita novos registros." -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Salvar" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" +msgstr "Fechado" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 msgid "Save access settings" msgstr "Salvar as configurações de acesso" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "Salvar" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "Esta página não existe." -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -105,34 +112,41 @@ msgstr "Esta página não existe." msgid "No such user." msgstr "Este usuário não existe." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, php-format msgid "%1$s and friends, page %2$d" msgstr "%1$s e amigos, pág. %2$d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s e amigos" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "Fonte de mensagens dos amigos de %s (RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "Fonte de mensagens dos amigos de %s (RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "Fonte de mensagens dos amigos de %s (Atom)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." @@ -140,7 +154,7 @@ msgstr "" "Esse é o fluxo de mensagens de %s e seus amigos, mas ninguém publicou nada " "ainda." -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " @@ -149,7 +163,8 @@ msgstr "" "Tente assinar mais pessoas, [unir-ser a um grupo](%%action.groups%%) ou " "publicar algo." -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " @@ -159,7 +174,7 @@ msgstr "" "[publicar alguma coisa que desperte seu interesse](%%%%action.newnotice%%%%?" "status_textarea=%3$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -168,7 +183,8 @@ msgstr "" "Por que não [registrar uma conta](%%%%action.register%%%%) e então chamar a " "atenção de %s ou publicar uma mensagem para sua atenção." -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "Você e amigos" @@ -568,7 +584,7 @@ msgstr "" "fornecer acesso à sua conta %4$s somente para terceiros nos quais você " "confia." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "Conta" @@ -697,7 +713,7 @@ msgstr "Repetida para %s" msgid "Repeats of %s" msgstr "Repetições de %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "Mensagens etiquetadas como %s" @@ -949,7 +965,7 @@ msgstr "Você não é o dono desta aplicação." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "Ocorreu um problema com o seu token de sessão." @@ -975,12 +991,13 @@ msgstr "Não excluir esta aplicação" msgid "Delete this application" msgstr "Excluir esta aplicação" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "Você não está autenticado." @@ -1038,7 +1055,7 @@ msgid "Delete this user" msgstr "Excluir este usuário" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "Aparência" @@ -1141,6 +1158,17 @@ msgstr "Restaura a aparência padrão" msgid "Reset back to default" msgstr "Restaura de volta ao padrão" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Salvar" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Salvar a aparência" @@ -1698,7 +1726,7 @@ msgstr "Membros do grupo %1$s, pág. %2$d" msgid "A list of the users in this group." msgstr "Uma lista dos usuários deste grupo." -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "Admin" @@ -1984,18 +2012,19 @@ msgstr "Mensagem pessoal" msgid "Optionally add a personal message to the invitation." msgstr "Você pode, opcionalmente, adicionar uma mensagem pessoal ao convite." -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "Enviar" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s convidou você para se juntar a %2$s" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2092,8 +2121,7 @@ msgid "Error setting user. You are probably not authorized." msgstr "" "Erro na configuração do usuário. Você provavelmente não tem autorização." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Entrar" @@ -2495,7 +2523,7 @@ msgstr "Não é possível salvar a nova senha." msgid "Password saved." msgstr "A senha foi salva." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "Caminhos" @@ -2529,7 +2557,6 @@ msgstr "" "Servidor SSL inválido. O comprimento máximo deve ser de 255 caracteres." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Site" @@ -2813,7 +2840,8 @@ msgstr "Não foi possível salvar o perfil." msgid "Couldn't save tags." msgstr "Não foi possível salvar as etiquetas." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "As configurações foram salvas." @@ -2826,28 +2854,28 @@ msgstr "Além do limite da página (%s)" msgid "Could not retrieve public stream." msgstr "Não foi possível recuperar o fluxo público." -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "Mensagens públicas, pág. %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "Mensagens públicas" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "Fonte de mensagens públicas (RSS 1.0)" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "Fonte de mensagens públicas (RSS 2.0)" -#: actions/public.php:167 +#: actions/public.php:168 msgid "Public Stream Feed (Atom)" msgstr "Fonte de mensagens públicas (Atom)" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2856,11 +2884,11 @@ msgstr "" "Esse é o fluxo de mensagens públicas de %%site.name%%, mas ninguém publicou " "nada ainda." -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "Seja o primeiro a publicar!" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2868,7 +2896,7 @@ msgstr "" "Por que você não [registra uma conta](%%action.register%%) pra ser o " "primeiro a publicar?" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2881,7 +2909,7 @@ msgstr "" "[Cadastre-se agora](%%action.register%%) para compartilhar notícias sobre " "você com seus amigos, família e colegas! ([Saiba mais](%%doc.help%%))" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3064,8 +3092,7 @@ msgstr "Desculpe, mas o código do convite é inválido." msgid "Registration successful" msgstr "Registro realizado com sucesso" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "Registrar-se" @@ -3258,33 +3285,33 @@ msgstr "Repetida" msgid "Repeated!" msgstr "Repetida!" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "Respostas para %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, php-format msgid "Replies to %1$s, page %2$d" msgstr "Respostas para %1$s, pág. %2$d" -#: actions/replies.php:144 +#: actions/replies.php:145 #, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "Fonte de respostas para %s (RSS 1.0)" -#: actions/replies.php:151 +#: actions/replies.php:152 #, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "Fonte de respostas para %s (RSS 2.0)" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "Fonte de respostas para %s (Atom)" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " @@ -3293,7 +3320,7 @@ msgstr "" "Esse é o fluxo de mensagens de resposta para %1$s, mas %2$s ainda não " "recebeu nenhuma mensagem direcionada a ele(a)." -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " @@ -3302,7 +3329,7 @@ msgstr "" "Você pode envolver outros usuários na conversa. Pra isso, assine mais " "pessoas ou [associe-se a grupos](%%action.groups%%)." -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3330,7 +3357,6 @@ msgid "User is already sandboxed." msgstr "O usuário já está em isolamento." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "Sessões" @@ -3355,7 +3381,7 @@ msgid "Turn on debugging output for sessions." msgstr "Ativa a saída de depuração para as sessões." #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Salvar as configurações do site" @@ -3448,22 +3474,22 @@ msgstr "Mensagens favoritas de %1$s, pág. %2$d" msgid "Could not retrieve favorite notices." msgstr "Não foi possível recuperar as mensagens favoritas." -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "Fonte para favoritas de %s (RSS 1.0)" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "Fonte para favoritas de %s (RSS 2.0)" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "Fonte para favoritas de %s (Atom)" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." @@ -3472,7 +3498,7 @@ msgstr "" "\"Favorita\" nas mensagens que você quer guardar para referência futura ou " "para destacar." -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " @@ -3481,7 +3507,7 @@ msgstr "" "%s não adicionou nenhuma mensagem às suas favoritas. Publique alguma coisa " "interessante para para as pessoas marcarem como favorita. :)" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3492,7 +3518,7 @@ msgstr "" "[registra uma conta](%%%%action.register%%%%) e publica alguma coisa " "interessante para as pessoas marcarem como favorita? :)" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "Esta é uma forma de compartilhar o que você gosta." @@ -4075,22 +4101,22 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" -#: actions/tag.php:68 +#: actions/tag.php:69 #, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "Mensagens etiquetadas com %1$s, pág. %2$d" -#: actions/tag.php:86 +#: actions/tag.php:87 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "Fonte de mensagens de %s (RSS 1.0)" -#: actions/tag.php:92 +#: actions/tag.php:93 #, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "Fonte de mensagens de %s (RSS 2.0)" -#: actions/tag.php:98 +#: actions/tag.php:99 #, php-format msgid "Notice feed for tag %s (Atom)" msgstr "Fonte de mensagens de %s (Atom)" @@ -4176,71 +4202,73 @@ msgstr "" "A licença '%1$s' do fluxo do usuário não é compatível com a licença '%2$s' " "do site." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "Usuário" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "Configurações de usuário para este site StatusNet." -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "Limite da descrição inválido. Seu valor deve ser numérico." -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" "Mensagem de boas vindas inválida. O comprimento máximo é de 255 caracteres." -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "Assinatura padrão inválida: '%1$s' não é um usuário." -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Perfil" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "Limite da descrição" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "Comprimento máximo da descrição do perfil, em caracteres." -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Novos usuários" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "Boas vindas aos novos usuários" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "Texto de boas vindas para os novos usuários (máx. 255 caracteres)." -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 msgid "Default subscription" msgstr "Assinatura padrão" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 msgid "Automatically subscribe new users to this user." msgstr "Os novos usuários assinam esse usuário automaticamente." -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 msgid "Invitations" msgstr "Convites" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "Convites habilitados" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "Define se os usuários podem ou não convidar novos usuários." @@ -4438,7 +4466,7 @@ msgstr "" msgid "Plugins" msgstr "Plugins" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 msgid "Version" msgstr "Versão" @@ -4632,120 +4660,190 @@ msgstr "Página sem título" msgid "Primary site navigation" msgstr "Navegação primária no site" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "Início" - -#: lib/action.php:439 +#, fuzzy +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Perfil pessoal e fluxo de mensagens dos amigos" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "Pessoal" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Mude seu e-mail, avatar, senha, perfil" -#: lib/action.php:444 -msgid "Connect" -msgstr "Conectar" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "Conta" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Conecte-se a outros serviços" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "Conectar" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Mude as configurações do site" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "Convidar" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "Admin" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Convide seus amigos e colegas para unir-se a você no %s" -#: lib/action.php:458 -msgid "Logout" -msgstr "Sair" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "Convidar" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Sai do site" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Sair" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Cria uma conta" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "Registrar-se" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Autentique-se no site" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Ajuda" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Entrar" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Ajudem-me!" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "Procurar" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Ajuda" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Procura por pessoas ou textos" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "Procurar" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "Mensagem do site" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "Visualizações locais" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "Notícia da página" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "Navegação secundária no site" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Ajuda" + +#: lib/action.php:765 msgid "About" msgstr "Sobre" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "Termos de uso" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "Privacidade" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "Fonte" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Contato" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "Mini-aplicativo" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "Licença do software StatusNet" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4754,12 +4852,12 @@ msgstr "" "**%%site.name%%** é um serviço de microblog disponibilizado por [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** é um serviço de microblog. " -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4770,43 +4868,43 @@ msgstr "" "versão %s, disponível sob a [GNU Affero General Public License] (http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "Licença do conteúdo do site" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "O conteúdo e os dados de %1$s são privados e confidenciais." -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "Conteúdo e dados licenciados sob %1$s. Todos os direitos reservados." -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Conteúdo e dados licenciados pelos colaboradores. Todos os direitos " "reservados." -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "Todas " -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "licença." -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "Paginação" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "Próximo" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "Anterior" @@ -4822,50 +4920,103 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "Você não pode fazer alterações neste site." -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." msgstr "Não são permitidas alterações a esse painel." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "showForm() não implementado." -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "saveSettings() não implementado." -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "Não foi possível excluir as configurações da aparência." -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 msgid "Basic site configuration" msgstr "Configuração básica do site" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "Site" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "Configuração da aparência" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "Aparência" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 msgid "User configuration" msgstr "Configuração do usuário" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "Usuário" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 msgid "Access configuration" msgstr "Configuração do acesso" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "Acesso" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 msgid "Paths configuration" msgstr "Configuração dos caminhos" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +#, fuzzy +msgctxt "MENU" +msgid "Paths" +msgstr "Caminhos" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 msgid "Sessions configuration" msgstr "Configuração das sessões" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "Sessões" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4965,11 +5116,11 @@ msgstr "Mensagens onde este anexo aparece" msgid "Tags for this attachment" msgstr "Etiquetas para este anexo" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 msgid "Password changing failed" msgstr "Não foi possível alterar a senha" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 msgid "Password changing is not allowed" msgstr "Não é permitido alterar a senha" @@ -5287,19 +5438,19 @@ msgstr "" "tracks - não implementado ainda\n" "tracking - não implementado ainda\n" -#: lib/common.php:136 +#: lib/common.php:148 msgid "No configuration file found. " msgstr "Não foi encontrado nenhum arquivo de configuração. " -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "Eu procurei pelos arquivos de configuração nos seguintes lugares: " -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "Você pode querer executar o instalador para corrigir isto." -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "Ir para o instalador." @@ -6017,6 +6168,10 @@ msgstr "Respostas" msgid "Favorites" msgstr "Favoritas" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "Usuário" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Recebidas" @@ -6126,6 +6281,10 @@ msgstr "Procurar no site" msgid "Keyword(s)" msgstr "Palavra(s)-chave" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Procurar" + #: lib/searchaction.php:162 msgid "Search help" msgstr "Ajuda da procura" @@ -6177,6 +6336,15 @@ msgstr "Assinantes de %s" msgid "Groups %s is a member of" msgstr "Grupos dos quais %s é membro" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "Convidar" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "Convide seus amigos e colegas para unir-se a você no %s" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6247,47 +6415,47 @@ msgstr "Mensagem" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "alguns segundos atrás" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "cerca de 1 minuto atrás" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "cerca de %d minutos atrás" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "cerca de 1 hora atrás" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "cerca de %d horas atrás" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "cerca de 1 dia atrás" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "cerca de %d dias atrás" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "cerca de 1 mês atrás" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "cerca de %d meses atrás" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "cerca de 1 ano atrás" diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index 74fd8a944..4db3b0684 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -12,77 +12,84 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:49:33+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:03:44+0000\n" "Language-Team: Russian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%" "10< =4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "ПринÑÑ‚ÑŒ" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 msgid "Site access settings" msgstr "ÐаÑтройки доÑтупа к Ñайту" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 msgid "Registration" msgstr "РегиÑтрациÑ" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "Личное" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "" "Запретить анонимным (не авторизовавшимÑÑ) пользователÑм проÑматривать Ñайт?" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" -msgstr "Только по приглашениÑм" +#, fuzzy +msgctxt "LABEL" +msgid "Private" +msgstr "Личное" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "Разрешить региÑтрацию только по приглашениÑм." -#: actions/accessadminpanel.php:173 -msgid "Closed" -msgstr "Закрыта" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "Только по приглашениÑм" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "Отключить новые региÑтрации." -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Сохранить" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" +msgstr "Закрыта" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 msgid "Save access settings" msgstr "Сохранить наÑтройки доÑтупа" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "Сохранить" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "Ðет такой Ñтраницы" -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -108,40 +115,47 @@ msgstr "Ðет такой Ñтраницы" msgid "No such user." msgstr "Ðет такого пользователÑ." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, php-format msgid "%1$s and friends, page %2$d" msgstr "%1$s и друзьÑ, Ñтраница %2$d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s и друзьÑ" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "Лента друзей %s (RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "Лента друзей %s (RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "Лента друзей %s (Atom)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "Это лента %s и друзей, однако пока никто ничего не отправил." -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " @@ -150,7 +164,8 @@ msgstr "" "Попробуйте подпиÑатьÑÑ Ð½Ð° большее чиÑло людей, [приÑоединитеÑÑŒ к группе](%%" "action.groups%%) или отправьте что-нибудь Ñами." -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " @@ -160,7 +175,7 @@ msgstr "" "что-нибудь Ð´Ð»Ñ Ð¿Ñ€Ð¸Ð²Ð»ÐµÑ‡ÐµÐ½Ð¸Ñ ÐµÐ³Ð¾ или её вниманиÑ](%%%%action.newnotice%%%%?" "status_textarea=%3$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -169,7 +184,8 @@ msgstr "" "Почему бы не [зарегиÑтрироватьÑÑ](%%action.register%%), чтобы «подтолкнуть» %" "s или отправить запиÑÑŒ Ð´Ð»Ñ Ð¿Ñ€Ð¸Ð²Ð»ÐµÑ‡ÐµÐ½Ð¸Ñ ÐµÐ³Ð¾ или её вниманиÑ?" -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "Ð’Ñ‹ и друзьÑ" @@ -566,7 +582,7 @@ msgstr "" "предоÑтавлÑÑ‚ÑŒ разрешение на доÑтуп к вашей учётной запиÑи %4$s только тем " "Ñторонним приложениÑм, которым вы доверÑете." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "ÐаÑтройки" @@ -695,7 +711,7 @@ msgstr "Повторено Ð´Ð»Ñ %s" msgid "Repeats of %s" msgstr "Повторы за %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "ЗапиÑи Ñ Ñ‚ÐµÐ³Ð¾Ð¼ %s" @@ -946,7 +962,7 @@ msgstr "Ð’Ñ‹ не ÑвлÑетеÑÑŒ владельцем Ñтого прило #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "Проблема Ñ Ð’Ð°ÑˆÐµÐ¹ ÑеÑÑией. Попробуйте ещё раз, пожалуйÑта." @@ -972,12 +988,13 @@ msgstr "Ðе удалÑйте Ñто приложение" msgid "Delete this application" msgstr "Удалить Ñто приложение" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "Ðе авторизован." @@ -1035,7 +1052,7 @@ msgid "Delete this user" msgstr "Удалить Ñтого пользователÑ" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "Оформление" @@ -1138,6 +1155,17 @@ msgstr "ВоÑÑтановить оформление по умолчанию" msgid "Reset back to default" msgstr "ВоÑÑтановить Ð·Ð½Ð°Ñ‡ÐµÐ½Ð¸Ñ Ð¿Ð¾ умолчанию" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Сохранить" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Сохранить оформление" @@ -1699,7 +1727,7 @@ msgstr "УчаÑтники группы %1$s, Ñтраница %2$d" msgid "A list of the users in this group." msgstr "СпиÑок пользователей, ÑвлÑющихÑÑ Ñ‡Ð»ÐµÐ½Ð°Ð¼Ð¸ Ñтой группы." -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "ÐаÑтройки" @@ -1985,18 +2013,19 @@ msgstr "Личное Ñообщение" msgid "Optionally add a personal message to the invitation." msgstr "Можно добавить к приглашению личное Ñообщение." -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" -msgstr "ОК" +msgstr "Отправить" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s приглаÑил Ð²Ð°Ñ Ð¿Ñ€Ð¸ÑоединитьÑÑ Ðº нему на %2$s" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2091,8 +2120,7 @@ msgstr "Ðекорректное Ð¸Ð¼Ñ Ð¸Ð»Ð¸ пароль." msgid "Error setting user. You are probably not authorized." msgstr "Ошибка уÑтановки пользователÑ. Ð’Ñ‹, вероÑтно, не авторизованы." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Вход" @@ -2486,7 +2514,7 @@ msgstr "Ðе удаётÑÑ Ñохранить новый пароль." msgid "Password saved." msgstr "Пароль Ñохранён." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "Пути" @@ -2519,7 +2547,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Ðеверный SSL-Ñервер. МакÑÐ¸Ð¼Ð°Ð»ÑŒÐ½Ð°Ñ Ð´Ð»Ð¸Ð½Ð° ÑоÑтавлÑет 255 Ñимволов." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Сайт" @@ -2801,7 +2828,8 @@ msgstr "Ðе удаётÑÑ Ñохранить профиль." msgid "Couldn't save tags." msgstr "Ðе удаётÑÑ Ñохранить теги." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "ÐаÑтройки Ñохранены." @@ -2814,39 +2842,39 @@ msgstr "Превышен предел Ñтраницы (%s)" msgid "Could not retrieve public stream." msgstr "Ðе удаётÑÑ Ð²ÐµÑ€Ð½ÑƒÑ‚ÑŒ публичный поток." -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "ÐžÐ±Ñ‰Ð°Ñ Ð»ÐµÐ½Ñ‚Ð°, Ñтраница %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "ÐžÐ±Ñ‰Ð°Ñ Ð»ÐµÐ½Ñ‚Ð°" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "Лента публичного потока (RSS 1.0)" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "Лента публичного потока (RSS 2.0)" -#: actions/public.php:167 +#: actions/public.php:168 msgid "Public Stream Feed (Atom)" msgstr "Лента публичного потока (Atom)" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "Это Ð¾Ð±Ñ‰Ð°Ñ Ð»ÐµÐ½Ñ‚Ð° %%site.name%%, однако пока никто ничего не отправил." -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "Создайте первую запиÑÑŒ!" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2854,7 +2882,7 @@ msgstr "" "Почему бы не [зарегиÑтрироватьÑÑ](%%action.register%%), чтобы Ñтать первым " "отправителем?" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2868,7 +2896,7 @@ msgstr "" "register%%), чтобы держать в курÑе Ñвоих Ñобытий поклонников, друзей, " "родÑтвенников и коллег! ([Читать далее](%%doc.help%%))" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3046,8 +3074,7 @@ msgstr "Извините, неверный приглаÑительный код msgid "Registration successful" msgstr "РегиÑÑ‚Ñ€Ð°Ñ†Ð¸Ñ ÑƒÑпешна!" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "РегиÑтрациÑ" @@ -3242,33 +3269,33 @@ msgstr "Повторено" msgid "Repeated!" msgstr "Повторено!" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "Ответы Ð´Ð»Ñ %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, php-format msgid "Replies to %1$s, page %2$d" msgstr "Ответы Ð´Ð»Ñ %1$s, Ñтраница %2$d" -#: actions/replies.php:144 +#: actions/replies.php:145 #, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "Лента запиÑей Ð´Ð»Ñ %s (RSS 1.0)" -#: actions/replies.php:151 +#: actions/replies.php:152 #, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "Лента запиÑей Ð´Ð»Ñ %s (RSS 2.0)" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "Лента запиÑей Ð´Ð»Ñ %s (Atom)" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " @@ -3276,7 +3303,7 @@ msgid "" msgstr "" "Эта лента Ñодержит ответы на запиÑи %1$s, однако %2$s пока не получал их." -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " @@ -3285,7 +3312,7 @@ msgstr "" "Ð’Ñ‹ можете вовлечь других пользователей в разговор, подпиÑавшиÑÑŒ на большее " "чиÑло людей или [приÑоединившиÑÑŒ к группам](%%action.groups%%)." -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3314,7 +3341,6 @@ msgid "User is already sandboxed." msgstr "Пользователь уже в режиме пеÑочницы." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "СеÑÑии" @@ -3339,7 +3365,7 @@ msgid "Turn on debugging output for sessions." msgstr "Включить отладочный вывод Ð´Ð»Ñ ÑеÑÑий." #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Сохранить наÑтройки Ñайта" @@ -3433,22 +3459,22 @@ msgstr "Любимые запиÑи %1$s, Ñтраница %2$d" msgid "Could not retrieve favorite notices." msgstr "Ðе удаётÑÑ Ð²Ð¾ÑÑтановить любимые запиÑи." -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "Лента друзей %s (RSS 1.0)" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "Лента друзей %s (RSS 2.0)" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "Лента друзей %s (Atom)" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." @@ -3456,7 +3482,7 @@ msgstr "" "Ð’Ñ‹ пока не выбрали ни одной любимой запиÑи. Ðажмите на кнопку Ð´Ð¾Ð±Ð°Ð²Ð»ÐµÐ½Ð¸Ñ Ð² " "любимые Ñ€Ñдом Ñ Ð¿Ð¾Ð½Ñ€Ð°Ð²Ð¸Ð²ÑˆÐµÐ¹ÑÑ Ð·Ð°Ð¿Ð¸Ñью, чтобы позже уделить ей внимание." -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " @@ -3465,7 +3491,7 @@ msgstr "" "%s пока не выбрал ни одной любимой запиÑи. Ðапишите такую интереÑную запиÑÑŒ, " "которую он добавит её в чиÑло любимых :)" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3476,7 +3502,7 @@ msgstr "" "[зарегиÑтрироватьÑÑ](%%%%action.register%%%%) и не напиÑать что-нибудь " "интереÑное, что понравилоÑÑŒ бы Ñтому пользователю? :)" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "Это ÑпоÑоб разделить то, что вам нравитÑÑ." @@ -4064,22 +4090,22 @@ msgstr "Jabber" msgid "SMS" msgstr "СМС" -#: actions/tag.php:68 +#: actions/tag.php:69 #, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "ЗапиÑи Ñ Ñ‚ÐµÐ³Ð¾Ð¼ %1$s, Ñтраница %2$d" -#: actions/tag.php:86 +#: actions/tag.php:87 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "Лента запиÑей Ð´Ð»Ñ Ñ‚ÐµÐ³Ð° %s (RSS 1.0)" -#: actions/tag.php:92 +#: actions/tag.php:93 #, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "Лента запиÑей Ð´Ð»Ñ Ñ‚ÐµÐ³Ð° %s (RSS 2.0)" -#: actions/tag.php:98 +#: actions/tag.php:99 #, php-format msgid "Notice feed for tag %s (Atom)" msgstr "Лента запиÑей Ð´Ð»Ñ Ñ‚ÐµÐ³Ð° %s (Atom)" @@ -4165,71 +4191,73 @@ msgid "" msgstr "" "Ð›Ð¸Ñ†ÐµÐ½Ð·Ð¸Ñ Ð¿Ñ€Ð¾Ñматриваемого потока «%1$s» неÑовмеÑтима Ñ Ð»Ð¸Ñ†ÐµÐ½Ð·Ð¸ÐµÐ¹ Ñайта «%2$s»." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "Пользователь" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "ПользовательÑкие наÑтройки Ð´Ð»Ñ Ñтого Ñайта StatusNet." -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "Ðеверное ограничение биографии. Должно быть чиÑлом." -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" "Ðеверный текÑÑ‚ приветÑтвиÑ. МакÑÐ¸Ð¼Ð°Ð»ÑŒÐ½Ð°Ñ Ð´Ð»Ð¸Ð½Ð° ÑоÑтавлÑет 255 Ñимволов." -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "ÐÐµÐ²ÐµÑ€Ð½Ð°Ñ Ð¿Ð¾Ð´Ð¿Ð¸Ñка по умолчанию: «%1$s» не ÑвлÑетÑÑ Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»ÐµÐ¼." -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Профиль" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "Ограничение биографии" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "МакÑÐ¸Ð¼Ð°Ð»ÑŒÐ½Ð°Ñ Ð´Ð»Ð¸Ð½Ð° биографии Ð¿Ñ€Ð¾Ñ„Ð¸Ð»Ñ Ð² Ñимволах." -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Ðовые пользователи" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "ПриветÑтвие новым пользователÑм" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "ТекÑÑ‚ приветÑÑ‚Ð²Ð¸Ñ Ð´Ð»Ñ Ð½Ð¾Ð²Ñ‹Ñ… пользователей (макÑимум 255 Ñимволов)." -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 msgid "Default subscription" msgstr "ПодпиÑка по умолчанию" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 msgid "Automatically subscribe new users to this user." msgstr "ÐвтоматичеÑки подпиÑывать новых пользователей на Ñтого пользователÑ." -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 msgid "Invitations" msgstr "ПриглашениÑ" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "ÐŸÑ€Ð¸Ð³Ð»Ð°ÑˆÐµÐ½Ð¸Ñ Ð²ÐºÐ»ÑŽÑ‡ÐµÐ½Ñ‹" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "Разрешать ли пользователÑм приглашать новых пользователей." @@ -4424,7 +4452,7 @@ msgstr "" msgid "Plugins" msgstr "Плагины" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 msgid "Version" msgstr "ВерÑиÑ" @@ -4563,9 +4591,8 @@ msgid "Could not create group." msgstr "Ðе удаётÑÑ Ñоздать группу." #: classes/User_group.php:471 -#, fuzzy msgid "Could not set group URI." -msgstr "Ðе удаётÑÑ Ð½Ð°Ð·Ð½Ð°Ñ‡Ð¸Ñ‚ÑŒ uri группы." +msgstr "Ðе удаётÑÑ Ð½Ð°Ð·Ð½Ð°Ñ‡Ð¸Ñ‚ÑŒ URI группы." #: classes/User_group.php:492 msgid "Could not set group membership." @@ -4616,120 +4643,190 @@ msgstr "Страница без названиÑ" msgid "Primary site navigation" msgstr "Ð“Ð»Ð°Ð²Ð½Ð°Ñ Ð½Ð°Ð²Ð¸Ð³Ð°Ñ†Ð¸Ñ" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "Моё" - -#: lib/action.php:439 +#, fuzzy +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Личный профиль и лента друзей" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "Личное" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Изменить ваш email, аватару, пароль, профиль" -#: lib/action.php:444 -msgid "Connect" -msgstr "Соединить" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "ÐаÑтройки" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Соединить Ñ ÑервиÑами" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "Соединить" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Изменить конфигурацию Ñайта" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "ПриглаÑить" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "ÐаÑтройки" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "ПриглаÑите друзей и коллег Ñтать такими же как вы учаÑтниками %s" -#: lib/action.php:458 -msgid "Logout" -msgstr "Выход" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "ПриглаÑить" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Выйти" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Выход" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Создать новый аккаунт" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "РегиÑтрациÑ" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Войти" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Помощь" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Вход" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Помощь" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "ПоиÑк" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Помощь" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "ИÑкать людей или текÑÑ‚" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "ПоиÑк" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "ÐÐ¾Ð²Ð°Ñ Ð·Ð°Ð¿Ð¸ÑÑŒ" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "Локальные виды" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "ÐÐ¾Ð²Ð°Ñ Ð·Ð°Ð¿Ð¸ÑÑŒ" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "ÐÐ°Ð²Ð¸Ð³Ð°Ñ†Ð¸Ñ Ð¿Ð¾ подпиÑкам" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Помощь" + +#: lib/action.php:765 msgid "About" msgstr "О проекте" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "ЧаВо" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "TOS" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "ПользовательÑкое Ñоглашение" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "ИÑходный код" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "ÐšÐ¾Ð½Ñ‚Ð°ÐºÑ‚Ð½Ð°Ñ Ð¸Ð½Ñ„Ð¾Ñ€Ð¼Ð°Ñ†Ð¸Ñ" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "Бедж" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "StatusNet лицензиÑ" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4738,12 +4835,12 @@ msgstr "" "**%%site.name%%** — Ñто ÑÐµÑ€Ð²Ð¸Ñ Ð¼Ð¸ÐºÑ€Ð¾Ð±Ð»Ð¾Ð³Ð¸Ð½Ð³Ð°, Ñозданный Ð´Ð»Ñ Ð²Ð°Ñ Ð¿Ñ€Ð¸ помощи [%" "%site.broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** — ÑÐµÑ€Ð²Ð¸Ñ Ð¼Ð¸ÐºÑ€Ð¾Ð±Ð»Ð¾Ð³Ð¸Ð½Ð³Ð°. " -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4755,44 +4852,44 @@ msgstr "" "лицензией [GNU Affero General Public License](http://www.fsf.org/licensing/" "licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "Ð›Ð¸Ñ†ÐµÐ½Ð·Ð¸Ñ Ñодержимого Ñайта" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Содержание и данные %1$s ÑвлÑÑŽÑ‚ÑÑ Ð»Ð¸Ñ‡Ð½Ñ‹Ð¼Ð¸ и конфиденциальными." -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "ÐвторÑкие права на Ñодержание и данные принадлежат %1$s. Ð’Ñе права защищены." -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "ÐвторÑкие права на Ñодержание и данные принадлежат разработчикам. Ð’Ñе права " "защищены." -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "All " -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "license." -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "Разбиение на Ñтраницы" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "Сюда" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "Туда" @@ -4808,50 +4905,103 @@ msgstr "Пока ещё Ð½ÐµÐ»ÑŒÐ·Ñ Ð¾Ð±Ñ€Ð°Ð±Ð°Ñ‚Ñ‹Ð²Ð°Ñ‚ÑŒ вÑтроенны msgid "Can't handle embedded Base64 content yet." msgstr "Пока ещё Ð½ÐµÐ»ÑŒÐ·Ñ Ð¾Ð±Ñ€Ð°Ð±Ð°Ñ‚Ñ‹Ð²Ð°Ñ‚ÑŒ вÑтроенное Ñодержание Base64." -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "Ð’Ñ‹ не можете изменÑÑ‚ÑŒ Ñтот Ñайт." -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." msgstr "Ð˜Ð·Ð¼ÐµÐ½ÐµÐ½Ð¸Ñ Ð´Ð»Ñ Ñтой панели недопуÑтимы." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "showForm() не реализована." -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "saveSettings() не реализована." -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "Ðе удаётÑÑ ÑƒÐ´Ð°Ð»Ð¸Ñ‚ÑŒ наÑтройки оформлениÑ." -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 msgid "Basic site configuration" msgstr "ОÑÐ½Ð¾Ð²Ð½Ð°Ñ ÐºÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ñайта" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "Сайт" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¾Ñ„Ð¾Ñ€Ð¼Ð»ÐµÐ½Ð¸Ñ" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "Оформление" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 msgid "User configuration" msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "Пользователь" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 msgid "Access configuration" msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð´Ð¾Ñтупа" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "ПринÑÑ‚ÑŒ" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 msgid "Paths configuration" msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¿ÑƒÑ‚ÐµÐ¹" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +#, fuzzy +msgctxt "MENU" +msgid "Paths" +msgstr "Пути" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 msgid "Sessions configuration" msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ ÑеÑÑий" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "СеÑÑии" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4951,11 +5101,11 @@ msgstr "Сообщает, где поÑвлÑетÑÑ Ñто вложение" msgid "Tags for this attachment" msgstr "Теги Ð´Ð»Ñ Ñтого вложениÑ" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 msgid "Password changing failed" msgstr "Изменение Ð¿Ð°Ñ€Ð¾Ð»Ñ Ð½Ðµ удалоÑÑŒ" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 msgid "Password changing is not allowed" msgstr "Смена Ð¿Ð°Ñ€Ð¾Ð»Ñ Ð½Ðµ разрешена" @@ -5271,19 +5421,19 @@ msgstr "" "tracks — пока не реализовано.\n" "tracking — пока не реализовано.\n" -#: lib/common.php:136 +#: lib/common.php:148 msgid "No configuration file found. " msgstr "Конфигурационный файл не найден. " -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "Конфигурационные файлы иÑкалиÑÑŒ в Ñледующих меÑтах: " -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "Возможно, вы решите запуÑтить уÑтановщик Ð´Ð»Ñ Ð¸ÑÐ¿Ñ€Ð°Ð²Ð»ÐµÐ½Ð¸Ñ Ñтого." -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "Перейти к уÑтановщику" @@ -5872,10 +6022,9 @@ msgid "Available characters" msgstr "6 или больше знаков" #: lib/messageform.php:178 lib/noticeform.php:236 -#, fuzzy msgctxt "Send button for sending notice" msgid "Send" -msgstr "ОК" +msgstr "Отправить" #: lib/noticeform.php:160 msgid "Send a notice" @@ -5999,6 +6148,10 @@ msgstr "Ответы" msgid "Favorites" msgstr "Любимое" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "Пользователь" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "ВходÑщие" @@ -6108,6 +6261,10 @@ msgstr "ПоиÑк по Ñайту" msgid "Keyword(s)" msgstr "Ключевые Ñлова" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "ПоиÑк" + #: lib/searchaction.php:162 msgid "Search help" msgstr "Справка по поиÑку" @@ -6159,6 +6316,15 @@ msgstr "Люди подпиÑанные на %s" msgid "Groups %s is a member of" msgstr "Группы, в которых ÑоÑтоит %s" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "ПриглаÑить" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "ПриглаÑите друзей и коллег Ñтать такими же как вы учаÑтниками %s" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6229,47 +6395,47 @@ msgstr "Сообщение" msgid "Moderate" msgstr "Модерировать" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "пару Ñекунд назад" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "около минуты назад" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "около %d минут(Ñ‹) назад" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "около чаÑа назад" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "около %d чаÑа(ов) назад" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "около Ð´Ð½Ñ Ð½Ð°Ð·Ð°Ð´" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "около %d днÑ(ей) назад" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "около меÑÑца назад" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "около %d меÑÑца(ев) назад" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "около года назад" diff --git a/locale/statusnet.po b/locale/statusnet.po index 1546fbd83..3f4ad499f 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 14:58-0800\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -17,64 +17,69 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=INTEGER; plural=EXPRESSION;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 msgid "Site access settings" msgstr "" -#: actions/accessadminpanel.php:158 -msgid "Registration" -msgstr "" - +#. TRANS: Form legend for registration form. #: actions/accessadminpanel.php:161 -msgid "Private" +msgid "Registration" msgstr "" -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" +msgctxt "LABEL" +msgid "Private" msgstr "" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "" -#: actions/accessadminpanel.php:173 -msgid "Closed" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" msgstr "" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "" -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" msgstr "" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 msgid "Save access settings" msgstr "" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +msgctxt "BUTTON" +msgid "Save" +msgstr "" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "" -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -100,61 +105,70 @@ msgstr "" msgid "No such user." msgstr "" -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, php-format msgid "%1$s and friends, page %2$d" msgstr "" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "" -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " "something yourself." msgstr "" -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " "post a notice to his or her attention." msgstr "" -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "" @@ -479,7 +493,6 @@ msgstr "" #: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 #: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 #: actions/othersettings.php:145 actions/passwordsettings.php:138 -#: actions/plugindisable.php:69 actions/pluginenable.php:69 #: actions/profilesettings.php:194 actions/recoverpassword.php:337 #: actions/register.php:165 actions/remotesubscribe.php:77 #: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 @@ -667,7 +680,7 @@ msgstr "" msgid "Repeats of %s" msgstr "" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "" @@ -914,7 +927,7 @@ msgstr "" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "" @@ -937,13 +950,13 @@ msgstr "" msgid "Delete this application" msgstr "" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 -#: actions/nudge.php:63 actions/plugindisable.php:51 -#: actions/pluginenable.php:51 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "" @@ -997,7 +1010,7 @@ msgid "Delete this user" msgstr "" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1098,6 +1111,17 @@ msgstr "" msgid "Reset back to default" msgstr "" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1887,17 +1911,18 @@ msgstr "" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 -msgctxt "Send button for inviting friends" +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 +msgctxt "BUTTON" msgid "Send" msgstr "" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2345,7 +2370,7 @@ msgstr "" msgid "Password saved." msgstr "" -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "" @@ -2378,7 +2403,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "" @@ -2519,22 +2543,6 @@ msgstr "" msgid "Users self-tagged with %1$s - page %2$d" msgstr "" -#: actions/plugindisable.php:76 -msgid "Plugin inactive or missing." -msgstr "" - -#: actions/plugindisable.php:90 -msgid "Disabled" -msgstr "" - -#: actions/pluginenable.php:76 -msgid "Plugin already active." -msgstr "" - -#: actions/pluginenable.php:92 -msgid "Enabled" -msgstr "" - #: actions/postnotice.php:84 msgid "Invalid notice content" msgstr "" @@ -2670,7 +2678,8 @@ msgstr "" msgid "Couldn't save tags." msgstr "" -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "" @@ -2683,45 +2692,45 @@ msgstr "" msgid "Could not retrieve public stream." msgstr "" -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "" -#: actions/public.php:167 +#: actions/public.php:168 msgid "Public Stream Feed (Atom)" msgstr "" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2730,7 +2739,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3066,47 +3075,47 @@ msgstr "" msgid "Repeated!" msgstr "" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "" -#: actions/replies.php:127 +#: actions/replies.php:128 #, php-format msgid "Replies to %1$s, page %2$d" msgstr "" -#: actions/replies.php:144 +#: actions/replies.php:145 #, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "" -#: actions/replies.php:151 +#: actions/replies.php:152 #, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "" -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3131,7 +3140,6 @@ msgid "User is already sandboxed." msgstr "" #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3156,7 +3164,7 @@ msgid "Turn on debugging output for sessions." msgstr "" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "" @@ -3247,35 +3255,35 @@ msgstr "" msgid "Could not retrieve favorite notices." msgstr "" -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " "they would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3283,7 +3291,7 @@ msgid "" "would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "" @@ -3822,22 +3830,22 @@ msgstr "" msgid "SMS" msgstr "" -#: actions/tag.php:68 +#: actions/tag.php:69 #, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "" -#: actions/tag.php:86 +#: actions/tag.php:87 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "" -#: actions/tag.php:92 +#: actions/tag.php:93 #, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "" -#: actions/tag.php:98 +#: actions/tag.php:99 #, php-format msgid "Notice feed for tag %s (Atom)" msgstr "" @@ -3917,70 +3925,71 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 -msgctxt "User admin panel title" +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +msgctxt "TITLE" msgid "User" msgstr "" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 msgid "Default subscription" msgstr "" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 msgid "Automatically subscribe new users to this user." msgstr "" -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 msgid "Invitations" msgstr "" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "" @@ -4153,7 +4162,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 msgid "Version" msgstr "" @@ -4338,181 +4347,183 @@ msgstr "" msgid "Primary site navigation" msgstr "" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgctxt "" -"Main menu option when logged in for access to personal profile and friends " -"timeline" -msgid "Personal" -msgstr "" - -#: lib/action.php:439 -msgctxt "Tooltip for main menu option \"Personal\"" +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 -msgctxt "Main menu option when logged in for access to user settings" -msgid "Account" +#: lib/action.php:442 +msgctxt "MENU" +msgid "Personal" msgstr "" -#: lib/action.php:441 -msgctxt "Tooltip for main menu option \"Account\"" +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:444 -msgctxt "" -"Main menu option when logged in and connection are possible for access to " -"options to connect to other services" -msgid "Connect" +#: lib/action.php:447 +msgctxt "MENU" +msgid "Account" msgstr "" -#: lib/action.php:444 -msgctxt "Tooltip for main menu option \"Services\"" +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "" -#: lib/action.php:448 -msgctxt "" -"Main menu option when logged in and site admin for access to site " -"configuration" -msgid "Admin" +#: lib/action.php:453 +msgctxt "MENU" +msgid "Connect" msgstr "" -#: lib/action.php:448 -msgctxt "Tooltip for menu option \"Admin\"" +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "" -#: lib/action.php:452 -msgctxt "" -"Main menu option when logged in and invitation are allowed for inviting new " -"users" -msgid "Invite" +#: lib/action.php:460 +msgctxt "MENU" +msgid "Admin" msgstr "" -#: lib/action.php:453 +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 #, php-format -msgctxt "Tooltip for main menu option \"Invite\"" +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:458 -msgctxt "Main menu option when logged in to log out the current user" -msgid "Logout" +#: lib/action.php:467 +msgctxt "MENU" +msgid "Invite" msgstr "" -#: lib/action.php:458 -msgctxt "Tooltip for main menu option \"Logout\"" +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "" -#: lib/action.php:463 -msgctxt "Main menu option when not logged in to register a new account" -msgid "Register" +#: lib/action.php:476 +msgctxt "MENU" +msgid "Logout" msgstr "" -#: lib/action.php:463 -msgctxt "Tooltip for main menu option \"Register\"" +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +msgctxt "TOOLTIP" msgid "Create an account" msgstr "" -#: lib/action.php:466 -msgctxt "Main menu option when not logged in to log in" -msgid "Login" +#: lib/action.php:484 +msgctxt "MENU" +msgid "Register" msgstr "" -#: lib/action.php:466 -msgctxt "Tooltip for main menu option \"Login\"" +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "" -#: lib/action.php:469 -msgctxt "Main menu option for help on the StatusNet site" -msgid "Help" +#: lib/action.php:490 +msgctxt "MENU" +msgid "Login" msgstr "" -#: lib/action.php:469 -msgctxt "Tooltip for main menu option \"Help\"" +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +msgctxt "TOOLTIP" msgid "Help me!" msgstr "" -#: lib/action.php:472 -msgctxt "" -"Main menu option when logged in or when the StatusNet instance is not private" -msgid "Search" +#: lib/action.php:496 +msgctxt "MENU" +msgid "Help" msgstr "" -#: lib/action.php:472 -msgctxt "Tooltip for main menu option \"Search\"" +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "" -#: lib/action.php:493 +#: lib/action.php:502 +msgctxt "MENU" +msgid "Search" +msgstr "" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:732 +#: lib/action.php:763 msgid "Help" msgstr "" -#: lib/action.php:734 +#: lib/action.php:765 msgid "About" msgstr "" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." "broughtby%%](%%site.broughtbyurl%%). " msgstr "" -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4520,41 +4531,41 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "" -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "" -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "" @@ -4570,54 +4581,97 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "" -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." msgstr "" -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "" -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "" -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "" -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 msgid "Basic site configuration" msgstr "" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +msgctxt "MENU" +msgid "Site" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "" -#: lib/adminpanelaction.php:332 lib/personalgroupnav.php:115 -msgid "User" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +msgctxt "MENU" +msgid "Design" msgstr "" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 msgid "User configuration" msgstr "" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +msgctxt "MENU" +msgid "User" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 msgid "Access configuration" msgstr "" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +msgctxt "MENU" +msgid "Access" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 msgid "Paths configuration" msgstr "" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +msgctxt "MENU" +msgid "Paths" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 msgid "Sessions configuration" msgstr "" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +msgctxt "MENU" +msgid "Sessions" +msgstr "" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4988,19 +5042,19 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 msgid "No configuration file found. " msgstr "" -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "" @@ -5620,6 +5674,10 @@ msgstr "" msgid "Favorites" msgstr "" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" @@ -5863,47 +5921,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index 1848c355c..b1ac66f65 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -9,76 +9,83 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:49:36+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:03:47+0000\n" "Language-Team: Swedish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "Ã…tkomst" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 msgid "Site access settings" msgstr "Inställningar för webbplatsÃ¥tkomst" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 msgid "Registration" msgstr "Registrering" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "Privat" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "" "Skall anonyma användare (inte inloggade) förhindras frÃ¥n att se webbplatsen?" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" -msgstr "Endast inbjudan" +#, fuzzy +msgctxt "LABEL" +msgid "Private" +msgstr "Privat" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "Gör sÃ¥ att registrering endast sker genom inbjudan." -#: actions/accessadminpanel.php:173 -msgid "Closed" -msgstr "Stängd" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "Endast inbjudan" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "Inaktivera nya registreringar." -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Spara" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" +msgstr "Stängd" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 msgid "Save access settings" msgstr "Spara inställningar för Ã¥tkomst" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "Spara" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "Ingen sÃ¥dan sida" -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -104,40 +111,47 @@ msgstr "Ingen sÃ¥dan sida" msgid "No such user." msgstr "Ingen sÃ¥dan användare." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, php-format msgid "%1$s and friends, page %2$d" msgstr "%1$s och vänner, sida %2$d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s och vänner" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "Flöden för %ss vänner (RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "Flöden för %ss vänner (RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "Flöden för %ss vänner (Atom)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "Detta är tidslinjen för %s och vänner, men ingen har skrivit nÃ¥got än." -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " @@ -146,7 +160,8 @@ msgstr "" "Prova att prenumerera pÃ¥ fler personer, [gÃ¥ med i en grupp](%%action.groups%" "%) eller skriv nÃ¥got själv." -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " @@ -156,7 +171,7 @@ msgstr "" "nÃ¥gonting för hans eller hennes uppmärksamhet](%%%%action.newnotice%%%%?" "status_textarea=%3$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -165,7 +180,8 @@ msgstr "" "Varför inte [registrera ett konto](%%%%action.register%%%%) och sedan knuffa " "%s eller skriva en notis för hans eller hennes uppmärksamhet." -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "Du och vänner" @@ -554,7 +570,7 @@ msgstr "" "möjligheten att %3$s din %4$s kontoinformation. Du bör bara " "ge tillgÃ¥ng till ditt %4$s-konto till tredje-parter du litar pÃ¥." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "Konto" @@ -683,7 +699,7 @@ msgstr "Upprepat till %s" msgid "Repeats of %s" msgstr "Upprepningar av %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "Notiser taggade med %s" @@ -935,7 +951,7 @@ msgstr "Du är inte ägaren av denna applikation." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "Det var ett problem med din sessions-token." @@ -961,12 +977,13 @@ msgstr "Ta inte bort denna applikation" msgid "Delete this application" msgstr "Ta bort denna applikation" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "Inte inloggad." @@ -1024,7 +1041,7 @@ msgid "Delete this user" msgstr "Ta bort denna användare" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "Utseende" @@ -1127,6 +1144,17 @@ msgstr "Ã…terställ standardutseende" msgid "Reset back to default" msgstr "Ã…terställ till standardvärde" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Spara" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Spara utseende" @@ -1678,7 +1706,7 @@ msgstr "%1$s gruppmedlemmar, sida %2$d" msgid "A list of the users in this group." msgstr "En lista av användarna i denna grupp." -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "Administratör" @@ -1963,18 +1991,19 @@ msgstr "Personligt meddelande" msgid "Optionally add a personal message to the invitation." msgstr "Om du vill, skriv ett personligt meddelande till inbjudan." -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "Skicka" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s har bjudit in dig att gÃ¥ med dem pÃ¥ %2$s" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2036,9 +2065,8 @@ msgid "You must be logged in to join a group." msgstr "Du mÃ¥ste vara inloggad för att kunna gÃ¥ med i en grupp." #: actions/joingroup.php:88 actions/leavegroup.php:88 -#, fuzzy msgid "No nickname or ID." -msgstr "Inget smeknamn." +msgstr "Inget smeknamn eller ID." #: actions/joingroup.php:141 #, php-format @@ -2070,8 +2098,7 @@ msgstr "Felaktigt användarnamn eller lösenord." msgid "Error setting user. You are probably not authorized." msgstr "Fel vid inställning av användare. Du har sannolikt inte tillstÃ¥nd." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Logga in" @@ -2465,7 +2492,7 @@ msgstr "Kan inte spara nytt lösenord." msgid "Password saved." msgstr "Lösenord sparat." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "Sökvägar" @@ -2498,7 +2525,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Ogiltigt SSL-servernamn. Den maximala längden är 255 tecken." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Webbplats" @@ -2783,7 +2809,8 @@ msgstr "Kunde inte spara profil." msgid "Couldn't save tags." msgstr "Kunde inte spara taggar." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "Inställningar sparade." @@ -2796,28 +2823,28 @@ msgstr "Bortom sidbegränsningen (%s)" msgid "Could not retrieve public stream." msgstr "Kunde inte hämta publik ström." -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "Publik tidslinje, sida %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "Publik tidslinje" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "Publikt flöde av ström (RSS 1.0)" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "Publikt flöde av ström (RSS 2.0)" -#: actions/public.php:167 +#: actions/public.php:168 msgid "Public Stream Feed (Atom)" msgstr "Publikt flöde av ström (Atom)" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2826,11 +2853,11 @@ msgstr "" "Detta är den publika tidslinjen för %%site.name%% men ingen har postat nÃ¥got " "än." -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "Bli först att posta!" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2838,7 +2865,7 @@ msgstr "" "Varför inte [registrera ett konto](%%action.register%%) och bli först att " "posta!" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2851,7 +2878,7 @@ msgstr "" "net/). [GÃ¥ med nu](%%action.register%%) för att dela notiser om dig själv " "med vänner, familj och kollegor! ([Läs mer](%%doc.help%%))" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3030,8 +3057,7 @@ msgstr "Tyvärr, ogiltig inbjudningskod." msgid "Registration successful" msgstr "Registreringen genomförd" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "Registrera" @@ -3228,33 +3254,33 @@ msgstr "Upprepad" msgid "Repeated!" msgstr "Upprepad!" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "Svarat till %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, php-format msgid "Replies to %1$s, page %2$d" msgstr "Svar till %1$s, sida %2$s" -#: actions/replies.php:144 +#: actions/replies.php:145 #, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "Flöde med svar för %s (RSS 1.0)" -#: actions/replies.php:151 +#: actions/replies.php:152 #, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "Flöde med svar för %s (RSS 2.0)" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "Flöde med svar för %s (Atom)" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " @@ -3263,7 +3289,7 @@ msgstr "" "Detta är tidslinjen som visar svar till %s1$ men %2$s har inte tagit emot en " "notis för dennes uppmärksamhet än." -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " @@ -3272,7 +3298,7 @@ msgstr "" "Du kan engagera andra användare i en konversation, prenumerera pÃ¥ fler " "personer eller [gÃ¥ med i grupper](%%action.groups%%)." -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3299,7 +3325,6 @@ msgid "User is already sandboxed." msgstr "Användare är redan flyttad till sandlÃ¥dan." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "Sessioner" @@ -3324,7 +3349,7 @@ msgid "Turn on debugging output for sessions." msgstr "Sätt pÃ¥ felsökningsutdata för sessioner." #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Spara webbplatsinställningar" @@ -3418,22 +3443,22 @@ msgstr "%1$ss favoritnotiser, sida %2$d" msgid "Could not retrieve favorite notices." msgstr "Kunde inte hämta favoritnotiser." -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "Flöde för %ss favoriter (RSS 1.0)" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "Flöde för %ss favoriter (RSS 2.0)" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "Flöde för %ss favoriter (Atom)" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." @@ -3442,7 +3467,7 @@ msgstr "" "bredvid nÃ¥gon notis du skulle vilja bokmärka för senare tillfälle eller för " "att sätta strÃ¥lkastarljuset pÃ¥." -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " @@ -3451,7 +3476,7 @@ msgstr "" "%s har inte lagt till nÃ¥gra notiser till sina favoriter ännu. Posta nÃ¥got " "intressant de skulle lägga till sina favoriter :)" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3462,7 +3487,7 @@ msgstr "" "[registrera ett konto](%%%%action.register%%%%) och posta nÃ¥got intressant " "de skulle lägga till sina favoriter :)" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "Detta är ett sätt att dela med av det du gillar." @@ -4039,22 +4064,22 @@ msgstr "Jabber" msgid "SMS" msgstr "SMS" -#: actions/tag.php:68 +#: actions/tag.php:69 #, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "Notiser taggade med %1$s, sida %2$d" -#: actions/tag.php:86 +#: actions/tag.php:87 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "Flöde av notiser för tagg %s (RSS 1.0)" -#: actions/tag.php:92 +#: actions/tag.php:93 #, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "Flöde av notiser för tagg %s (RSS 2.0)" -#: actions/tag.php:98 +#: actions/tag.php:99 #, php-format msgid "Notice feed for tag %s (Atom)" msgstr "Flöde av notiser för tagg %s (Atom)" @@ -4141,72 +4166,74 @@ msgstr "" "Licensen för lyssnarströmmen '%1$s' är inte förenlig med webbplatslicensen '%" "2$s'." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "Användare" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "Användarinställningar för denna StatusNet-webbplats" -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "Ogiltig begränsning av biografi. MÃ¥ste vara numerisk." -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "Ogiltig välkomsttext. Maximal längd är 255 tecken." -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "Ogiltig standardprenumeration: '%1$s' är inte användare." -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "Begränsning av biografi" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "Maximal teckenlängd av profilbiografi." -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Nya användare" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "Välkomnande av ny användare" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "Välkomsttext för nya användare (max 255 tecken)." -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 msgid "Default subscription" msgstr "Standardprenumerationer" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 msgid "Automatically subscribe new users to this user." msgstr "" "Lägg automatiskt till en prenumeration pÃ¥ denna användare för alla nya " "användare." -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 msgid "Invitations" msgstr "Inbjudningar" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "Inbjudningar aktiverade" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "Hurvida användare skall tillÃ¥tas bjuda in nya användare." @@ -4402,7 +4429,7 @@ msgstr "" msgid "Plugins" msgstr "Insticksmoduler" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 msgid "Version" msgstr "Version" @@ -4442,9 +4469,8 @@ msgid "Group leave failed." msgstr "Grupputträde misslyckades." #: classes/Local_group.php:41 -#, fuzzy msgid "Could not update local group." -msgstr "Kunde inte uppdatera grupp." +msgstr "Kunde inte uppdatera lokal grupp." #: classes/Login_token.php:76 #, php-format @@ -4542,18 +4568,16 @@ msgid "Could not create group." msgstr "Kunde inte skapa grupp." #: classes/User_group.php:471 -#, fuzzy msgid "Could not set group URI." -msgstr "Kunde inte ställa in gruppmedlemskap." +msgstr "Kunde inte ställa in grupp-URI." #: classes/User_group.php:492 msgid "Could not set group membership." msgstr "Kunde inte ställa in gruppmedlemskap." #: classes/User_group.php:506 -#, fuzzy msgid "Could not save local group info." -msgstr "Kunde inte spara prenumeration." +msgstr "Kunde inte spara lokal gruppinformation." #: lib/accountsettingsaction.php:108 msgid "Change your profile settings" @@ -4596,120 +4620,190 @@ msgstr "Namnlös sida" msgid "Primary site navigation" msgstr "Primär webbplatsnavigation" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "Hem" - -#: lib/action.php:439 +#, fuzzy +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Personlig profil och vänners tidslinje" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "Personligt" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Ändra din e-post, avatar, lösenord, profil" -#: lib/action.php:444 -msgid "Connect" -msgstr "Anslut" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "Konto" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Anslut till tjänster" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "Anslut" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Ändra webbplatskonfiguration" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "Bjud in" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "Administratör" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Bjud in vänner och kollegor att gÃ¥ med dig pÃ¥ %s" -#: lib/action.php:458 -msgid "Logout" -msgstr "Logga ut" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "Bjud in" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Logga ut frÃ¥n webbplatsen" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Logga ut" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Skapa ett konto" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "Registrera" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Logga in pÃ¥ webbplatsen" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Hjälp" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Logga in" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Hjälp mig!" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "Sök" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Hjälp" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Sök efter personer eller text" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "Sök" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "Webbplatsnotis" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "Lokala vyer" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "Sidnotis" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "Sekundär webbplatsnavigation" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Hjälp" + +#: lib/action.php:765 msgid "About" msgstr "Om" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "FrÃ¥gor & svar" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "Användarvillkor" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "Sekretess" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "Källa" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "Emblem" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "Programvarulicens för StatusNet" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4718,12 +4812,12 @@ msgstr "" "**%%site.name%%** är en mikrobloggtjänst tillhandahÃ¥llen av [%%site.broughtby" "%%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** är en mikrobloggtjänst. " -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4734,42 +4828,42 @@ msgstr "" "version %s, tillgänglig under [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "Licens för webbplatsinnehÃ¥ll" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "InnehÃ¥ll och data av %1$s är privat och konfidensiell." -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "InnehÃ¥ll och data copyright av %1$s. Alla rättigheter reserverade." -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "InnehÃ¥ll och data copyright av medarbetare. Alla rättigheter reserverade." -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "Alla " -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "licens." -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "Numrering av sidor" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "Senare" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "Tidigare" @@ -4785,50 +4879,103 @@ msgstr "Kan inte hantera inbäddat XML-innehÃ¥ll ännu." msgid "Can't handle embedded Base64 content yet." msgstr "Kan inte hantera inbäddat Base64-innehÃ¥ll ännu." -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "Du kan inte göra förändringar av denna webbplats." -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." msgstr "Ändringar av den panelen tillÃ¥ts inte." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "showForm() är inte implementerat." -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "saveSetting() är inte implementerat." -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "Kunde inte ta bort utseendeinställning." -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 msgid "Basic site configuration" msgstr "Grundläggande webbplatskonfiguration" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "Webbplats" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "Konfiguration av utseende" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "Utseende" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 msgid "User configuration" msgstr "Konfiguration av användare" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "Användare" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 msgid "Access configuration" msgstr "Konfiguration av Ã¥tkomst" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "Ã…tkomst" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 msgid "Paths configuration" msgstr "Konfiguration av sökvägar" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +#, fuzzy +msgctxt "MENU" +msgid "Paths" +msgstr "Sökvägar" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 msgid "Sessions configuration" msgstr "Konfiguration av sessioner" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "Sessioner" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4927,11 +5074,11 @@ msgstr "Notiser där denna bilaga förekommer" msgid "Tags for this attachment" msgstr "Taggar för denna billaga" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 msgid "Password changing failed" msgstr "Byte av lösenord misslyckades" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 msgid "Password changing is not allowed" msgstr "Byte av lösenord är inte tillÃ¥tet" @@ -5245,19 +5392,19 @@ msgstr "" "tracks - inte implementerat än.\n" "tracking - inte implementerat än.\n" -#: lib/common.php:136 +#: lib/common.php:148 msgid "No configuration file found. " msgstr "Ingen konfigurationsfil hittades. " -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "Jag letade efter konfigurationsfiler pÃ¥ följande platser: " -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "Du kanske vill köra installeraren för att Ã¥tgärda detta." -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "GÃ¥ till installeraren." @@ -5844,7 +5991,6 @@ msgid "Available characters" msgstr "Tillgängliga tecken" #: lib/messageform.php:178 lib/noticeform.php:236 -#, fuzzy msgctxt "Send button for sending notice" msgid "Send" msgstr "Skicka" @@ -5971,6 +6117,10 @@ msgstr "Svar" msgid "Favorites" msgstr "Favoriter" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "Användare" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Inkorg" @@ -6080,6 +6230,10 @@ msgstr "Sök webbplats" msgid "Keyword(s)" msgstr "Nyckelord" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Sök" + #: lib/searchaction.php:162 msgid "Search help" msgstr "Sök hjälp" @@ -6131,6 +6285,15 @@ msgstr "Personer som prenumererar pÃ¥ %s" msgid "Groups %s is a member of" msgstr "Grupper %s är en medlem i" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "Bjud in" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "Bjud in vänner och kollegor att gÃ¥ med dig pÃ¥ %s" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6201,47 +6364,47 @@ msgstr "Meddelande" msgid "Moderate" msgstr "Moderera" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "ett par sekunder sedan" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "för nÃ¥n minut sedan" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "för %d minuter sedan" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "för en timma sedan" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "för %d timmar sedan" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "för en dag sedan" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "för %d dagar sedan" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "för en mÃ¥nad sedan" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "för %d mÃ¥nader sedan" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "för ett Ã¥r sedan" diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index b9baffb4a..f0527f3fa 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -9,78 +9,85 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:49:39+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:03:50+0000\n" "Language-Team: Telugu\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 #, fuzzy msgid "Access" msgstr "అంగీకరించà±" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 msgid "Site access settings" msgstr "సైటౠఅందà±à°¬à°¾à°Ÿà± అమరికలà±" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 msgid "Registration" msgstr "నమోదà±" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "అంతరంగికం" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "à°…à°œà±à°žà°¾à°¤ (à°ªà±à°°à°µà±‡à°¶à°¿à°‚చని) వాడà±à°•à°°à±à°²à°¨à°¿ సైటà±à°¨à°¿ చూడకà±à°‚à°¡à°¾ నిషేధించాలా?" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" -msgstr "ఆహà±à°µà°¾à°¨à°¿à°¤à±à°²à°•à± మాతà±à°°à°®à±‡" +#, fuzzy +msgctxt "LABEL" +msgid "Private" +msgstr "అంతరంగికం" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "ఆహà±à°µà°¾à°¨à°¿à°¤à±à°²à± మాతà±à°°à°®à±‡ నమోదౠఅవà±à°µà°—లిగేలా చెయà±à°¯à°¿." -#: actions/accessadminpanel.php:173 -#, fuzzy -msgid "Closed" -msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ వాడà±à°•à°°à°¿ లేరà±." +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "ఆహà±à°µà°¾à°¨à°¿à°¤à±à°²à°•à± మాతà±à°°à°®à±‡" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "కొతà±à°¤ నమోదà±à°²à°¨à± అచేతనంచేయి." -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "à°­à°¦à±à°°à°ªà°°à°šà±" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +#, fuzzy +msgid "Closed" +msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ వాడà±à°•à°°à°¿ లేరà±." -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 #, fuzzy msgid "Save access settings" msgstr "సైటౠఅమరికలనౠభదà±à°°à°ªà°°à°šà±" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "à°­à°¦à±à°°à°ªà°°à°šà±" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ పేజీ లేదà±" -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -106,61 +113,70 @@ msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ పేజీ లేదà±" msgid "No such user." msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ వాడà±à°•à°°à°¿ లేరà±." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, php-format msgid "%1$s and friends, page %2$d" msgstr "%1$s మరియౠమితà±à°°à±à°²à±, పేజీ %2$d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s మరియౠమితà±à°°à±à°²à±" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "%s యొకà±à°• మితà±à°°à±à°² ఫీడౠ(RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "%s యొకà±à°• మితà±à°°à±à°² ఫీడౠ(RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "%s యొకà±à°• మితà±à°°à±à°² ఫీడౠ(ఆటమà±)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "ఇది %s మరియౠమితà±à°°à±à°² కాలరేఖ కానీ ఇంకా ఎవరూ à°à°®à±€ రాయలేదà±." -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " "something yourself." msgstr "ఇతరà±à°²à°•à°¿ చందా చేరండి, [à°à°¦à±ˆà°¨à°¾ à°—à±à°‚à°ªà±à°²à±‹ చేరండి](%%action.groups%%) లేదా మీరే à°à°¦à±ˆà°¨à°¾ à°µà±à°°à°¾à°¯à°‚à°¡à°¿." -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " "post a notice to his or her attention." msgstr "" -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "మీరౠమరియౠమీ à°¸à±à°¨à±‡à°¹à°¿à°¤à±à°²à±" @@ -553,7 +569,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "ఖాతా" @@ -682,7 +698,7 @@ msgstr "%sà°•à°¿ à°¸à±à°ªà°‚దనలà±" msgid "Repeats of %s" msgstr "%s యొకà±à°• à°ªà±à°¨à°°à°¾à°µà±ƒà°¤à°¾à°²à±" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "" @@ -932,7 +948,7 @@ msgstr "మీరౠఈ ఉపకరణం యొకà±à°• యజమాని #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "" @@ -957,12 +973,13 @@ msgstr "à°ˆ ఉపకరణానà±à°¨à°¿ తొలగించకà±" msgid "Delete this application" msgstr "à°ˆ ఉపకరణానà±à°¨à°¿ తొలగించà±" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "లోనికి à°ªà±à°°à°µà±‡à°¶à°¿à°‚చలేదà±." @@ -1018,7 +1035,7 @@ msgid "Delete this user" msgstr "à°ˆ వాడà±à°•à°°à°¿à°¨à°¿ తొలగించà±" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "రూపà±à°°à±‡à°–à°²à±" @@ -1119,6 +1136,17 @@ msgstr "" msgid "Reset back to default" msgstr "" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "à°­à°¦à±à°°à°ªà°°à°šà±" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "రూపà±à°°à±‡à°–లని à°­à°¦à±à°°à°ªà°°à°šà±" @@ -1662,7 +1690,7 @@ msgstr "%1$s à°—à±à°‚పౠసభà±à°¯à±à°²à±, పేజీ %2$d" msgid "A list of the users in this group." msgstr "à°ˆ à°—à±à°‚à°ªà±à°²à±‹ వాడà±à°•à°°à±à°²à± జాబితా." -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -1927,18 +1955,19 @@ msgstr "à°µà±à°¯à°•à±à°¤à°¿à°—à°¤ సందేశం" msgid "Optionally add a personal message to the invitation." msgstr "à°à°šà±à°›à°¿à°•à°‚à°—à°¾ ఆహà±à°µà°¾à°¨à°¾à°¨à°¿à°•à°¿ à°µà±à°¯à°•à±à°¤à°¿à°—à°¤ సందేశం చేరà±à°šà°‚à°¡à°¿." -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "పంపించà±" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%2$sలో చేరమని %1$s మిమà±à°®à°²à±à°¨à°¿ ఆహà±à°µà°¾à°¨à°¿à°‚చారà±" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2008,8 +2037,7 @@ msgstr "వాడà±à°•à°°à°¿à°ªà±‡à°°à± లేదా సంకేతపదం msgid "Error setting user. You are probably not authorized." msgstr "" -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "à°ªà±à°°à°µà±‡à°¶à°¿à°‚à°šà°‚à°¡à°¿" @@ -2402,7 +2430,7 @@ msgstr "కొతà±à°¤ సంకేతపదానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°° msgid "Password saved." msgstr "సంకేతపదం à°­à°¦à±à°°à°®à°¯à±à°¯à°¿à°‚ది." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "" @@ -2435,7 +2463,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "సైటà±" @@ -2722,7 +2749,8 @@ msgstr "à°ªà±à°°à±Šà°«à±ˆà°²à±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°²à±‡à°•à±à°¨à± msgid "Couldn't save tags." msgstr "à°Ÿà±à°¯à°¾à°—à±à°²à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°²à±‡à°•à±à°¨à±à°¨à°¾à°‚." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "అమరికలౠభదà±à°°à°®à°¯à±à°¯à°¾à°¯à°¿." @@ -2735,48 +2763,48 @@ msgstr "" msgid "Could not retrieve public stream." msgstr "" -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "à°ªà±à°°à°œà°¾ కాలరేఖ, పేజీ %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "à°ªà±à°°à°œà°¾ కాలరేఖ" -#: actions/public.php:159 +#: actions/public.php:160 #, fuzzy msgid "Public Stream Feed (RSS 1.0)" msgstr "à°ªà±à°°à°œà°¾ వాహిని ఫీడà±" -#: actions/public.php:163 +#: actions/public.php:164 #, fuzzy msgid "Public Stream Feed (RSS 2.0)" msgstr "à°ªà±à°°à°œà°¾ వాహిని ఫీడà±" -#: actions/public.php:167 +#: actions/public.php:168 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "à°ªà±à°°à°œà°¾ వాహిని ఫీడà±" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2785,7 +2813,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2958,8 +2986,7 @@ msgstr "à°•à±à°·à°®à°¿à°‚à°šà°‚à°¡à°¿, తపà±à°ªà± ఆహà±à°µà°¾à°¨ à°¸ msgid "Registration successful" msgstr "నమోదౠవిజయవంతం" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "నమోదà±" @@ -3144,40 +3171,40 @@ msgstr "సృషà±à°Ÿà°¿à°¤à°‚" msgid "Repeated!" msgstr "సృషà±à°Ÿà°¿à°¤à°‚" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "%sà°•à°¿ à°¸à±à°ªà°‚దనలà±" -#: actions/replies.php:127 +#: actions/replies.php:128 #, fuzzy, php-format msgid "Replies to %1$s, page %2$d" msgstr "%sà°•à°¿ à°¸à±à°ªà°‚దనలà±" -#: actions/replies.php:144 +#: actions/replies.php:145 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "%s యొకà±à°• సందేశమà±à°² ఫీడà±" -#: actions/replies.php:151 +#: actions/replies.php:152 #, fuzzy, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "%s యొకà±à°• సందేశమà±à°² ఫీడà±" -#: actions/replies.php:158 +#: actions/replies.php:159 #, fuzzy, php-format msgid "Replies feed for %s (Atom)" msgstr "%s యొకà±à°• సందేశమà±à°² ఫీడà±" -#: actions/replies.php:198 +#: actions/replies.php:199 #, fuzzy, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "ఇది %s మరియౠమితà±à°°à±à°² కాలరేఖ కానీ ఇంకా ఎవరూ à°à°®à±€ రాయలేదà±." -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " @@ -3186,7 +3213,7 @@ msgstr "" "మీరౠఇతర వాడà±à°•à°°à±à°²à°¤à±‹ సంభాషించవచà±à°šà±, మరింత మంది à°µà±à°¯à°•à±à°¤à±à°²à°•à± చందాచేరవచà±à°šà± లేదా [à°—à±à°‚à°ªà±à°²à°²à±‹ చేరవచà±à°šà±]" "(%%action.groups%%)." -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3213,7 +3240,6 @@ msgid "User is already sandboxed." msgstr "వాడà±à°•à°°à°¿à°¨à°¿ ఇపà±à°ªà°Ÿà°¿à°•à±‡ à°—à±à°‚à°ªà±à°¨à±à°‚à°¡à°¿ నిరోధించారà±." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3239,7 +3265,7 @@ msgid "Turn on debugging output for sessions." msgstr "" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "సైటౠఅమరికలనౠభదà±à°°à°ªà°°à°šà±" @@ -3333,35 +3359,35 @@ msgstr "%1$sà°•à°¿ ఇషà±à°Ÿà°®à±ˆà°¨ నోటీసà±à°²à±, పేజీ msgid "Could not retrieve favorite notices." msgstr "" -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, fuzzy, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "%s యొకà±à°• మితà±à°°à±à°² ఫీడà±" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, fuzzy, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "%s యొకà±à°• మితà±à°°à±à°² ఫీడà±" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "%s యొకà±à°• ఇషà±à°Ÿà°¾à°‚శాల ఫీడౠ(ఆటమà±)" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " "they would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3369,7 +3395,7 @@ msgid "" "would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "మీకౠనచà±à°šà°¿à°¨à°µà°¿ పంచà±à°•à±‹à°¡à°¾à°¨à°¿à°•à°¿ ఇదొక మారà±à°—à°‚." @@ -3917,22 +3943,22 @@ msgstr "జాబరà±" msgid "SMS" msgstr "" -#: actions/tag.php:68 +#: actions/tag.php:69 #, fuzzy, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "%s యొకà±à°• మైకà±à°°à±‹à°¬à±à°²à°¾à°—à±" -#: actions/tag.php:86 +#: actions/tag.php:87 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "%s యొకà±à°• సందేశమà±à°² ఫీడà±" -#: actions/tag.php:92 +#: actions/tag.php:93 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "%s యొకà±à°• సందేశమà±à°² ఫీడà±" -#: actions/tag.php:98 +#: actions/tag.php:99 #, fuzzy, php-format msgid "Notice feed for tag %s (Atom)" msgstr "%s యొకà±à°• సందేశమà±à°² ఫీడà±" @@ -4016,71 +4042,73 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "వాడà±à°•à°°à°¿" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "à°ˆ à°¸à±à°Ÿà±‡à°Ÿà°¸à±‌నెటౠసైటà±à°•à°¿ వాడà±à°•à°°à°¿ అమరికలà±." -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "à°ªà±à°°à±Šà°«à±ˆà°²à±" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "à°¸à±à°µà°ªà°°à°¿à°šà°¯ పరిమితి" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "à°¸à±à°µà°ªà°°à°¿à°šà°¯à°‚ యొకà±à°• à°—à°°à°¿à°·à±à°  పొడవà±, à°…à°•à±à°·à°°à°¾à°²à°²à±‹." -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "కొతà±à°¤ వాడà±à°•à°°à±à°²à±" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "కొతà±à°¤ వాడà±à°•à°°à°¿ à°¸à±à°µà°¾à°—తం" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "కొతà±à°¤ వాడà±à°•à°°à±à°²à°•à±ˆ à°¸à±à°µà°¾à°—à°¤ సందేశం (255 à°…à°•à±à°·à°°à°¾à°²à± à°—à°°à°¿à°·à±à° à°‚)." -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 msgid "Default subscription" msgstr "à°…à°ªà±à°°à°®à±‡à°¯ చందా" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "ఉపయోగించాలà±à°¸à°¿à°¨ యాంతà±à°°à°¿à°• à°•à±à°¦à°¿à°‚పౠసేవ." -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 msgid "Invitations" msgstr "ఆహà±à°µà°¾à°¨à°¾à°²à±" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "ఆహà±à°µà°¾à°¨à°¾à°²à°¨à°¿ చేతనంచేసాం" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "వాడà±à°•à°°à±à°²à°¨à± కొతà±à°¤ వారిని ఆహà±à°µà°¾à°¨à°¿à°‚చడానికి à°…à°¨à±à°®à°¤à°¿à°‚చాలా వదà±à°¦à°¾." @@ -4253,7 +4281,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 msgid "Version" msgstr "సంచిక" @@ -4447,122 +4475,190 @@ msgstr "" msgid "Primary site navigation" msgstr "" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "à°®à±à°‚గిలి" - -#: lib/action.php:439 +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "à°µà±à°¯à°•à±à°¤à°¿à°—à°¤" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "మీ ఈమెయిలà±, అవతారం, సంకేతపదం మరియౠపà±à°°à±Œà°«à±ˆà°³à±à°³à°¨à± మారà±à°šà±à°•à±‹à°‚à°¡à°¿" -#: lib/action.php:444 -msgid "Connect" -msgstr "à°…à°¨à±à°¸à°‚ధానించà±" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "ఖాతా" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" -msgstr "" +msgstr "à°…à°¨à±à°¸à°‚ధానాలà±" + +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "à°…à°¨à±à°¸à°‚ధానించà±" -#: lib/action.php:448 +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 #, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "చందాలà±" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "ఆహà±à°µà°¾à°¨à°¿à°‚à°šà±" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "నిరà±à°µà°¾à°¹à°•à±à°²à±" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" -msgstr "" +msgstr "à°ˆ ఫారానà±à°¨à°¿ ఉపయోగించి మీ à°¸à±à°¨à±‡à°¹à°¿à°¤à±à°²à°¨à± మరియౠసహోదà±à°¯à±‹à°—à±à°²à°¨à± à°ˆ సేవనౠవినియోగించà±à°•à±‹à°®à°¨à°¿ ఆహà±à°µà°¾à°¨à°¿à°‚à°šà°‚à°¡à°¿." -#: lib/action.php:458 -msgid "Logout" -msgstr "నిషà±à°•à±à°°à°®à°¿à°‚à°šà±" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "ఆహà±à°µà°¾à°¨à°¿à°‚à°šà±" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "సైటౠనà±à°‚à°¡à°¿ నిషà±à°•à±à°°à°®à°¿à°‚à°šà±" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "నిషà±à°•à±à°°à°®à°¿à°‚à°šà±" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "కొతà±à°¤ ఖాతా సృషà±à°Ÿà°¿à°‚à°šà±" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "నమోదà±" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "సైటà±à°²à±‹à°¨à°¿ à°ªà±à°°à°µà±‡à°¶à°¿à°‚à°šà±" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "సహాయం" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "à°ªà±à°°à°µà±‡à°¶à°¿à°‚à°šà°‚à°¡à°¿" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "సహాయం కావాలి!" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "వెతà±à°•à±" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "సహాయం" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" -msgstr "" +msgstr "మరినà±à°¨à°¿ à°—à±à°‚à°ªà±à°²à°•à±ˆ వెతà±à°•à±" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "వెతà±à°•à±" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "సైటౠగమనిక" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "à°¸à±à°¥à°¾à°¨à°¿à°• వీకà±à°·à°£à°²à±" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "పేజీ గమనిక" -#: lib/action.php:727 +#: lib/action.php:758 #, fuzzy msgid "Secondary site navigation" msgstr "చందాలà±" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "సహాయం" + +#: lib/action.php:765 msgid "About" msgstr "à°—à±à°°à°¿à°‚à°šà°¿" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "à°ªà±à°°à°¶à±à°¨à°²à±" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "సేవా నియమాలà±" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "అంతరంగికత" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "మూలమà±" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "సంపà±à°°à°¦à°¿à°‚à°šà±" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "బాడà±à°œà°¿" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "à°¸à±à°Ÿà±‡à°Ÿà°¸à±â€Œà°¨à±†à°Ÿà± మృదూపకరణ లైసెనà±à°¸à±" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4571,12 +4667,12 @@ msgstr "" "**%%site.name%%** అనేది [%%site.broughtby%%](%%site.broughtbyurl%%) వారౠ" "అందిసà±à°¤à±à°¨à±à°¨ మైకà±à°°à±‹ à°¬à±à°²à°¾à°—ింగౠసదà±à°ªà°¾à°¯à°‚. " -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** అనేది మైకà±à°°à±‹ à°¬à±à°²à°¾à°—ింగౠసదà±à°ªà°¾à°¯à°‚." -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4587,42 +4683,42 @@ msgstr "" "html) à°•à°¿à°‚à°¦ లభà±à°¯à°®à°¯à±à°¯à±‡ [à°¸à±à°Ÿà±‡à°Ÿà°¸à±‌నెటà±](http://status.net/) మైకà±à°°à±‹à°¬à±à°²à°¾à°—ింగౠఉపకరణం సంచిక %s " "పై నడà±à°¸à±à°¤à±à°‚ది." -#: lib/action.php:801 +#: lib/action.php:832 #, fuzzy msgid "Site content license" msgstr "కొతà±à°¤ సందేశం" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "à°…à°¨à±à°¨à±€ " -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "" -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "పేజీకరణ" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "తరà±à°µà°¾à°¤" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "ఇంతకà±à°°à°¿à°¤à°‚" @@ -4638,53 +4734,105 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "à°ˆ సైటà±à°•à°¿ మీరౠమారà±à°ªà±à°²à± చేయలేరà±." -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." msgstr "" -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "" -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "" -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "" -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 msgid "Basic site configuration" msgstr "à°ªà±à°°à°¾à°¥à°®à°¿à°• సైటౠసà±à°µà°°à±‚పణం" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "సైటà±" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "రూపకలà±à°ªà°¨ à°¸à±à°µà°°à±‚పణం" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "రూపà±à°°à±‡à°–à°²à±" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 msgid "User configuration" msgstr "వాడà±à°•à°°à°¿ à°¸à±à°µà°°à±‚పణం" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "వాడà±à°•à°°à°¿" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 #, fuzzy msgid "Access configuration" msgstr "SMS నిరà±à°§à°¾à°°à°£" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "అంగీకరించà±" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 #, fuzzy msgid "Paths configuration" msgstr "SMS నిరà±à°§à°¾à°°à°£" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +msgctxt "MENU" +msgid "Paths" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 #, fuzzy msgid "Sessions configuration" msgstr "రూపకలà±à°ªà°¨ à°¸à±à°µà°°à±‚పణం" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "సంచిక" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4783,12 +4931,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 #, fuzzy msgid "Password changing failed" msgstr "సంకేతపదం మారà±à°ªà±" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 #, fuzzy msgid "Password changing is not allowed" msgstr "సంకేతపదం మారà±à°ªà±" @@ -5068,20 +5216,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 #, fuzzy msgid "No configuration file found. " msgstr "నిరà±à°§à°¾à°°à°£ సంకేతం లేదà±." -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "" @@ -5736,6 +5884,10 @@ msgstr "à°¸à±à°ªà°‚దనలà±" msgid "Favorites" msgstr "ఇషà±à°Ÿà°¾à°‚శాలà±" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "వాడà±à°•à°°à°¿" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "వచà±à°šà°¿à°¨à°µà°¿" @@ -5847,6 +5999,10 @@ msgstr "సైటà±à°¨à°¿ వెతà±à°•à±" msgid "Keyword(s)" msgstr "కీపదమà±(à°²à±)" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "వెతà±à°•à±" + #: lib/searchaction.php:162 msgid "Search help" msgstr "సహాయంలో వెతà±à°•à±" @@ -5900,6 +6056,15 @@ msgstr "%sà°•à°¿ చందాచేరిన à°µà±à°¯à°•à±à°¤à±à°²à±" msgid "Groups %s is a member of" msgstr "%s సభà±à°¯à±à°²à±à°—à°¾ ఉనà±à°¨ à°—à±à°‚à°ªà±à°²à±" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "ఆహà±à°µà°¾à°¨à°¿à°‚à°šà±" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -5973,47 +6138,47 @@ msgstr "సందేశం" msgid "Moderate" msgstr "" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "కొనà±à°¨à°¿ à°•à±à°·à°£à°¾à°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "à°“ నిమిషం à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "%d నిమిషాల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "à°’à°• à°—à°‚à°Ÿ à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "%d à°—à°‚à°Ÿà°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "à°“ రోజౠకà±à°°à°¿à°¤à°‚" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "%d రోజà±à°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "à°“ నెల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "%d నెలల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "à°’à°• సంవతà±à°¸à°°à°‚ à°•à±à°°à°¿à°¤à°‚" diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index 68586c171..71aaa6813 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -9,82 +9,88 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:49:43+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:03:53+0000\n" "Language-Team: Turkish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 #, fuzzy msgid "Access" msgstr "Kabul et" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 #, fuzzy msgid "Site access settings" msgstr "Ayarlar" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 #, fuzzy msgid "Registration" msgstr "Kayıt" -#: actions/accessadminpanel.php:161 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. +#: actions/accessadminpanel.php:167 #, fuzzy +msgctxt "LABEL" msgid "Private" msgstr "Gizlilik" -#: actions/accessadminpanel.php:163 -msgid "Prohibit anonymous users (not logged in) from viewing site?" +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 +msgid "Make registration invitation only." msgstr "" -#: actions/accessadminpanel.php:167 +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 msgid "Invite only" msgstr "" -#: actions/accessadminpanel.php:169 -msgid "Make registration invitation only." +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 +msgid "Disable new registrations." msgstr "" -#: actions/accessadminpanel.php:173 +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 #, fuzzy msgid "Closed" msgstr "Böyle bir kullanıcı yok." -#: actions/accessadminpanel.php:175 -msgid "Disable new registrations." -msgstr "" - -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Kaydet" - -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 #, fuzzy msgid "Save access settings" msgstr "Ayarlar" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "Kaydet" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 #, fuzzy msgid "No such page" msgstr "Böyle bir durum mesajı yok." -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -110,61 +116,70 @@ msgstr "Böyle bir durum mesajı yok." msgid "No such user." msgstr "Böyle bir kullanıcı yok." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, fuzzy, php-format msgid "%1$s and friends, page %2$d" msgstr "%s ve arkadaÅŸları" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s ve arkadaÅŸları" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, fuzzy, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "%s için arkadaÅŸ güncellemeleri RSS beslemesi" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, fuzzy, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "%s için arkadaÅŸ güncellemeleri RSS beslemesi" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, fuzzy, php-format msgid "Feed for friends of %s (Atom)" msgstr "%s için arkadaÅŸ güncellemeleri RSS beslemesi" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "" -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " "something yourself." msgstr "" -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " "post a notice to his or her attention." msgstr "" -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 #, fuzzy msgid "You and friends" msgstr "%s ve arkadaÅŸları" @@ -568,7 +583,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 #, fuzzy msgid "Account" msgstr "Hakkında" @@ -703,7 +718,7 @@ msgstr "%s için cevaplar" msgid "Repeats of %s" msgstr "%s için cevaplar" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "" @@ -966,7 +981,7 @@ msgstr "Bize o profili yollamadınız" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "" @@ -992,12 +1007,13 @@ msgstr "Böyle bir durum mesajı yok." msgid "Delete this application" msgstr "Kendinizi ve ilgi alanlarınızı 140 karakter ile anlatın" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "GiriÅŸ yapılmadı." @@ -1055,7 +1071,7 @@ msgid "Delete this user" msgstr "Böyle bir kullanıcı yok." #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1166,6 +1182,17 @@ msgstr "" msgid "Reset back to default" msgstr "" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Kaydet" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1732,7 +1759,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -2008,18 +2035,19 @@ msgstr "" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "Gönder" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2091,8 +2119,7 @@ msgstr "Yanlış kullanıcı adı veya parola." msgid "Error setting user. You are probably not authorized." msgstr "YetkilendirilmemiÅŸ." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "GiriÅŸ" @@ -2493,7 +2520,7 @@ msgstr "Yeni parola kaydedilemedi." msgid "Password saved." msgstr "Parola kaydedildi." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "" @@ -2526,7 +2553,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "" @@ -2823,7 +2849,8 @@ msgstr "Profil kaydedilemedi." msgid "Couldn't save tags." msgstr "Profil kaydedilemedi." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "Ayarlar kaydedildi." @@ -2836,48 +2863,48 @@ msgstr "" msgid "Could not retrieve public stream." msgstr "" -#: actions/public.php:129 +#: actions/public.php:130 #, fuzzy, php-format msgid "Public timeline, page %d" msgstr "Genel zaman çizgisi" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "Genel zaman çizgisi" -#: actions/public.php:159 +#: actions/public.php:160 #, fuzzy msgid "Public Stream Feed (RSS 1.0)" msgstr "Genel Durum Akış RSS Beslemesi" -#: actions/public.php:163 +#: actions/public.php:164 #, fuzzy msgid "Public Stream Feed (RSS 2.0)" msgstr "Genel Durum Akış RSS Beslemesi" -#: actions/public.php:167 +#: actions/public.php:168 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "Genel Durum Akış RSS Beslemesi" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2886,7 +2913,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3059,8 +3086,7 @@ msgstr "Onay kodu hatası." msgid "Registration successful" msgstr "" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "Kayıt" @@ -3238,47 +3264,47 @@ msgstr "Yarat" msgid "Repeated!" msgstr "Yarat" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "%s için cevaplar" -#: actions/replies.php:127 +#: actions/replies.php:128 #, fuzzy, php-format msgid "Replies to %1$s, page %2$d" msgstr "%s için cevaplar" -#: actions/replies.php:144 +#: actions/replies.php:145 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "%s için durum RSS beslemesi" -#: actions/replies.php:151 +#: actions/replies.php:152 #, fuzzy, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "%s için durum RSS beslemesi" -#: actions/replies.php:158 +#: actions/replies.php:159 #, fuzzy, php-format msgid "Replies feed for %s (Atom)" msgstr "%s için durum RSS beslemesi" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "" -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3306,7 +3332,6 @@ msgid "User is already sandboxed." msgstr "Kullanıcının profili yok." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3331,7 +3356,7 @@ msgid "Turn on debugging output for sessions." msgstr "" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" msgstr "Ayarlar" @@ -3427,35 +3452,35 @@ msgstr "%s ve arkadaÅŸları" msgid "Could not retrieve favorite notices." msgstr "" -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, fuzzy, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "%s için arkadaÅŸ güncellemeleri RSS beslemesi" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, fuzzy, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "%s için arkadaÅŸ güncellemeleri RSS beslemesi" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, fuzzy, php-format msgid "Feed for favorites of %s (Atom)" msgstr "%s için arkadaÅŸ güncellemeleri RSS beslemesi" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " "they would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3463,7 +3488,7 @@ msgid "" "would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "" @@ -4021,22 +4046,22 @@ msgstr "JabberID yok." msgid "SMS" msgstr "" -#: actions/tag.php:68 +#: actions/tag.php:69 #, fuzzy, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "%s adli kullanicinin durum mesajlari" -#: actions/tag.php:86 +#: actions/tag.php:87 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "%s için durum RSS beslemesi" -#: actions/tag.php:92 +#: actions/tag.php:93 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "%s için durum RSS beslemesi" -#: actions/tag.php:98 +#: actions/tag.php:99 #, fuzzy, php-format msgid "Notice feed for tag %s (Atom)" msgstr "%s için durum RSS beslemesi" @@ -4125,73 +4150,74 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +msgctxt "TITLE" msgid "User" msgstr "" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Profil" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Default subscription" msgstr "Bütün abonelikler" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "Takip talebine izin verildi" -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 #, fuzzy msgid "Invitations" msgstr "Yer" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "" @@ -4371,7 +4397,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 #, fuzzy msgid "Version" msgstr "KiÅŸisel" @@ -4573,127 +4599,188 @@ msgstr "" msgid "Primary site navigation" msgstr "" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "BaÅŸlangıç" - -#: lib/action.php:439 +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 -msgid "Change your email, avatar, password, profile" -msgstr "" +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "KiÅŸisel" +#. TRANS: Tooltip for main menu option "Account" #: lib/action.php:444 -msgid "Connect" -msgstr "BaÄŸlan" +#, fuzzy +msgctxt "TOOLTIP" +msgid "Change your email, avatar, password, profile" +msgstr "Parolayı deÄŸiÅŸtir" -#: lib/action.php:444 +#: lib/action.php:447 #, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "Hakkında" + +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Sunucuya yönlendirme yapılamadı: %s" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "BaÄŸlan" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 #, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Abonelikler" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" +#: lib/action.php:460 +msgctxt "MENU" +msgid "Admin" msgstr "" -#: lib/action.php:453 lib/subgroupnav.php:106 +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 #, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:458 -msgid "Logout" -msgstr "Çıkış" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "Geçersiz büyüklük." -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Çıkış" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 #, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Yeni hesap oluÅŸtur" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "Kayıt" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Yardım" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "GiriÅŸ" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 #, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Yardım" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "Ara" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Yardım" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "Ara" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 #, fuzzy msgid "Site notice" msgstr "Yeni durum mesajı" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "" -#: lib/action.php:625 +#: lib/action.php:656 #, fuzzy msgid "Page notice" msgstr "Yeni durum mesajı" -#: lib/action.php:727 +#: lib/action.php:758 #, fuzzy msgid "Secondary site navigation" msgstr "Abonelikler" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Yardım" + +#: lib/action.php:765 msgid "About" msgstr "Hakkında" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "SSS" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "Gizlilik" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "Kaynak" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Ä°letiÅŸim" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4702,12 +4789,12 @@ msgstr "" "**%%site.name%%** [%%site.broughtby%%](%%site.broughtbyurl%%)\" tarafından " "hazırlanan anında mesajlaÅŸma ağıdır. " -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** bir aninda mesajlaÅŸma sosyal ağıdır." -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4718,43 +4805,43 @@ msgstr "" "licenses/agpl-3.0.html) lisansı ile korunan [StatusNet](http://status.net/) " "microbloglama yazılımının %s. versiyonunu kullanmaktadır." -#: lib/action.php:801 +#: lib/action.php:832 #, fuzzy msgid "Site content license" msgstr "Yeni durum mesajı" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "" -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "" -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "" -#: lib/action.php:1141 +#: lib/action.php:1172 #, fuzzy msgid "After" msgstr "« Sonra" -#: lib/action.php:1149 +#: lib/action.php:1180 #, fuzzy msgid "Before" msgstr "Önce »" @@ -4771,56 +4858,107 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "" -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." msgstr "" -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "" -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "" -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "" -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 #, fuzzy msgid "Basic site configuration" msgstr "Eposta adresi onayı" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "Yeni durum mesajı" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Design configuration" msgstr "Eposta adresi onayı" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "KiÅŸisel" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 #, fuzzy msgid "User configuration" msgstr "Eposta adresi onayı" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +msgctxt "MENU" +msgid "User" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 #, fuzzy msgid "Access configuration" msgstr "Eposta adresi onayı" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "Kabul et" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 #, fuzzy msgid "Paths configuration" msgstr "Eposta adresi onayı" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +msgctxt "MENU" +msgid "Paths" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 #, fuzzy msgid "Sessions configuration" msgstr "Eposta adresi onayı" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "KiÅŸisel" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4923,12 +5061,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 #, fuzzy msgid "Password changing failed" msgstr "Parola kaydedildi." -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 #, fuzzy msgid "Password changing is not allowed" msgstr "Parola kaydedildi." @@ -5208,20 +5346,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 #, fuzzy msgid "No configuration file found. " msgstr "Onay kodu yok." -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "" @@ -5875,6 +6013,10 @@ msgstr "Cevaplar" msgid "Favorites" msgstr "" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" @@ -5991,6 +6133,10 @@ msgstr "Ara" msgid "Keyword(s)" msgstr "" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Ara" + #: lib/searchaction.php:162 #, fuzzy msgid "Search help" @@ -6045,6 +6191,15 @@ msgstr "Uzaktan abonelik" msgid "Groups %s is a member of" msgstr "" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6119,47 +6274,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "birkaç saniye önce" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "yaklaşık bir dakika önce" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "yaklaşık %d dakika önce" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "yaklaşık bir saat önce" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "yaklaşık %d saat önce" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "yaklaşık bir gün önce" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "yaklaşık %d gün önce" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "yaklaşık bir ay önce" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "yaklaşık %d ay önce" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "yaklaşık bir yıl önce" diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index 24e5fe96b..fd168ba50 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -10,78 +10,85 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:49:46+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:03:56+0000\n" "Language-Team: Ukrainian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%" "10< =4 && (n%100<10 or n%100>=20) ? 1 : 2);\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 msgid "Access" msgstr "ПогодитиÑÑŒ" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 msgid "Site access settings" msgstr "Параметри доÑтупу на Ñайт" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 msgid "Registration" msgstr "РеєÑтраціÑ" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "Приватно" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "" "Заборонити анонімним відвідувачам (Ñ‚Ñ–, що не увійшли до ÑиÑтеми) переглÑдати " "Ñайт?" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" -msgstr "Лише за запрошеннÑми" +#, fuzzy +msgctxt "LABEL" +msgid "Private" +msgstr "Приватно" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "Зробити регіÑтрацію лише за запрошеннÑми." -#: actions/accessadminpanel.php:173 -msgid "Closed" -msgstr "Закрито" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "Лише за запрошеннÑми" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "СкаÑувати подальшу регіÑтрацію." -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "Зберегти" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" +msgstr "Закрито" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 msgid "Save access settings" msgstr "Зберегти параметри доÑтупу" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "Зберегти" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "Ðемає такої Ñторінки" -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -107,40 +114,47 @@ msgstr "Ðемає такої Ñторінки" msgid "No such user." msgstr "Такого кориÑтувача немає." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, php-format msgid "%1$s and friends, page %2$d" msgstr "%1$s та друзі, Ñторінка %2$d" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s з друзÑми" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "Стрічка допиÑів Ð´Ð»Ñ Ð´Ñ€ÑƒÐ·Ñ–Ð² %s (RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "Стрічка допиÑів Ð´Ð»Ñ Ð´Ñ€ÑƒÐ·Ñ–Ð² %s (RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "Стрічка допиÑів Ð´Ð»Ñ Ð´Ñ€ÑƒÐ·Ñ–Ð² %s (Atom)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "Це Ñтрічка допиÑів %s Ñ– друзів, але вона поки що порожнÑ." -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " @@ -149,7 +163,8 @@ msgstr "" "Спробуйте до когоÑÑŒ підпиÑатиÑÑŒ, [приєднатиÑÑŒ до групи](%%action.groups%%) " "або напишіть щоÑÑŒ Ñамі." -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " @@ -158,7 +173,7 @@ msgstr "" "Ви можете [«розштовхати» %1$s](../%2$s) зі Ñторінки його профілю або [щоÑÑŒ " "йому напиÑати](%%%%action.newnotice%%%%?status_textarea=%3$s)." -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " @@ -167,7 +182,8 @@ msgstr "" "Чому б не [зареєÑтруватиÑÑŒ](%%%%action.register%%%%) Ñ– не Ñпробувати " "«розштовхати» %s або щоÑÑŒ йому напиÑати." -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 msgid "You and friends" msgstr "Ви з друзÑми" @@ -563,7 +579,7 @@ msgstr "" "на доÑтуп до Вашого акаунту %4$s лише тим Ñтороннім додаткам, Ñким Ви " "довірÑєте." -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "Ðкаунт" @@ -694,7 +710,7 @@ msgstr "Ð’Ñ‚Ð¾Ñ€ÑƒÐ²Ð°Ð½Ð½Ñ Ð·Ð° %s" msgid "Repeats of %s" msgstr "Ð’Ñ‚Ð¾Ñ€ÑƒÐ²Ð°Ð½Ð½Ñ %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "ДопиÑи позначені з %s" @@ -944,7 +960,7 @@ msgstr "Ви не Ñ” влаÑником цього додатку." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "Виникли певні проблеми з токеном поточної ÑеÑÑ–Ñ—." @@ -970,12 +986,13 @@ msgstr "Ðе видалÑти додаток" msgid "Delete this application" msgstr "Видалити додаток" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "Ðе увійшли." @@ -1031,7 +1048,7 @@ msgid "Delete this user" msgstr "Видалити цього кориÑтувача" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "Дизайн" @@ -1134,6 +1151,17 @@ msgstr "Оновити Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ð·Ð° замовчуваннÑм" msgid "Reset back to default" msgstr "ПовернутиÑÑŒ до початкових налаштувань" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Зберегти" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "Зберегти дизайн" @@ -1683,7 +1711,7 @@ msgstr "УчаÑники групи %1$s, Ñторінка %2$d" msgid "A list of the users in this group." msgstr "СпиÑок учаÑників цієї групи." -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "Ðдмін" @@ -1969,18 +1997,19 @@ msgstr "ОÑобиÑÑ‚Ñ– повідомленнÑ" msgid "Optionally add a personal message to the invitation." msgstr "Можна додати перÑональне Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ð´Ð¾ Ð·Ð°Ð¿Ñ€Ð¾ÑˆÐµÐ½Ð½Ñ (опціонально)." -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" -msgstr "Так!" +msgstr "ÐадіÑлати" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s запроÑив(ла) Ð’Ð°Ñ Ð¿Ñ€Ð¸Ñ”Ð´Ð½Ð°Ñ‚Ð¸ÑÑ Ð´Ð¾ нього(неї) на %2$s" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2076,8 +2105,7 @@ msgstr "Ðеточне Ñ–Ð¼â€™Ñ Ð°Ð±Ð¾ пароль." msgid "Error setting user. You are probably not authorized." msgstr "Помилка. Можливо, Ви не авторизовані." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Увійти" @@ -2475,7 +2503,7 @@ msgstr "Ðеможна зберегти новий пароль." msgid "Password saved." msgstr "Пароль збережено." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "ШлÑÑ…" @@ -2508,7 +2536,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "Помилковий SSL-Ñервер. МакÑимальна довжина 255 знаків." #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "Сайт" @@ -2792,7 +2819,8 @@ msgstr "Ðе вдалоÑÑ Ð·Ð±ÐµÑ€ÐµÐ³Ñ‚Ð¸ профіль." msgid "Couldn't save tags." msgstr "Ðе вдалоÑÑ Ð·Ð±ÐµÑ€ÐµÐ³Ñ‚Ð¸ теґи." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "ÐÐ°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ð·Ð±ÐµÑ€ÐµÐ¶ÐµÐ½Ð¾." @@ -2805,28 +2833,28 @@ msgstr "ДоÑÑгнуто ліміту Ñторінки (%s)" msgid "Could not retrieve public stream." msgstr "Ðе вдаєтьÑÑ Ð²Ñ–Ð´Ð½Ð¾Ð²Ð¸Ñ‚Ð¸ загальну Ñтрічку." -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "Загальний Ñтрічка, Ñторінка %d" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "Загальна Ñтрічка" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "Стрічка публічних допиÑів (RSS 1.0)" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "Стрічка публічних допиÑів (RSS 2.0)" -#: actions/public.php:167 +#: actions/public.php:168 msgid "Public Stream Feed (Atom)" msgstr "Стрічка публічних допиÑів (Atom)" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " @@ -2834,11 +2862,11 @@ msgid "" msgstr "" "Це публічна Ñтрічка допиÑів Ñайту %%site.name%%, але вона поки що порожнÑ." -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "Станьте першим! Ðапишіть щоÑÑŒ!" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" @@ -2846,7 +2874,7 @@ msgstr "" "Чому б не [зареєÑтруватиÑÑŒ](%%action.register%%) Ñ– не зробити Ñвій перший " "допиÑ!" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2860,7 +2888,7 @@ msgstr "" "розділити Ñвоє Ð¶Ð¸Ñ‚Ñ‚Ñ Ð· друзÑми, родиною Ñ– колегами! ([ДізнатиÑÑ Ð±Ñ–Ð»ÑŒÑˆÐµ](%%" "doc.help%%))" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3040,8 +3068,7 @@ msgstr "Даруйте, помилка у коді запрошеннÑ." msgid "Registration successful" msgstr "РеєÑÑ‚Ñ€Ð°Ñ†Ñ–Ñ ÑƒÑпішна" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "РеєÑтраціÑ" @@ -3234,33 +3261,33 @@ msgstr "ВторуваннÑ" msgid "Repeated!" msgstr "Вторувати!" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "Відповіді до %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, php-format msgid "Replies to %1$s, page %2$d" msgstr "Відповіді до %1$s, Ñторінка %2$d" -#: actions/replies.php:144 +#: actions/replies.php:145 #, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "Стрічка відповідей до %s (RSS 1.0)" -#: actions/replies.php:151 +#: actions/replies.php:152 #, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "Стрічка відповідей до %s (RSS 2.0)" -#: actions/replies.php:158 +#: actions/replies.php:159 #, php-format msgid "Replies feed for %s (Atom)" msgstr "Стрічка відповідей до %s (Atom)" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " @@ -3269,7 +3296,7 @@ msgstr "" "Ð¦Ñ Ñтрічка допиÑів міÑтить відповіді Ð´Ð»Ñ %1$s, але %2$s поки що нічого не " "отримав у відповідь." -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " @@ -3278,7 +3305,7 @@ msgstr "" "Ви можете долучити інших кориÑтувачів до ÑпілкуваннÑ, підпиÑавшиÑÑŒ до " "більшої кількоÑÑ‚Ñ– людей або [приєднавшиÑÑŒ до груп](%%action.groups%%)." -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3305,7 +3332,6 @@ msgid "User is already sandboxed." msgstr "КориÑтувача ізольовано доки наберетьÑÑ ÑƒÐ¼Ñƒ-розуму." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "СеÑÑ–Ñ—" @@ -3330,7 +3356,7 @@ msgid "Turn on debugging output for sessions." msgstr "Виводити дані ÑеÑÑ–Ñ— наладки." #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Зберегти Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ñайту" @@ -3423,22 +3449,22 @@ msgstr "Обрані допиÑи %1$s, Ñторінка %2$d" msgid "Could not retrieve favorite notices." msgstr "Ðе можна відновити обрані допиÑи." -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "Стрічка обраних допиÑів %s (RSS 1.0)" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "Стрічка обраних допиÑів %s (RSS 2.0)" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "Стрічка обраних допиÑів %s (Atom)" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." @@ -3447,7 +3473,7 @@ msgstr "" "допиÑÑ– Ñкий Ви вподобали, аби повернутиÑÑŒ до нього пізніше, або звернути на " "нього увагу інших." -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " @@ -3456,7 +3482,7 @@ msgstr "" "%s поки що не вподобав жодних допиÑів. Може Ви б напиÑали йому щоÑÑŒ " "цікаве? :)" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3467,7 +3493,7 @@ msgstr "" "action.register%%%%) Ñ– не напиÑати щоÑÑŒ цікаве, що мало б ÑподобатиÑÑŒ цьому " "кориÑтувачеві :)" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "Це ÑпоÑіб поділитиÑÑŒ з уÑіма тим, що вам подобаєтьÑÑ." @@ -4048,22 +4074,22 @@ msgstr "Jabber" msgid "SMS" msgstr "СМС" -#: actions/tag.php:68 +#: actions/tag.php:69 #, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "ДопиÑи з теґом %1$s, Ñторінка %2$d" -#: actions/tag.php:86 +#: actions/tag.php:87 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "Стрічка допиÑів Ð´Ð»Ñ Ñ‚ÐµÒ‘Ñƒ %s (RSS 1.0)" -#: actions/tag.php:92 +#: actions/tag.php:93 #, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "Стрічка допиÑів Ð´Ð»Ñ Ñ‚ÐµÒ‘Ñƒ %s (RSS 2.0)" -#: actions/tag.php:98 +#: actions/tag.php:99 #, php-format msgid "Notice feed for tag %s (Atom)" msgstr "Стрічка допиÑів Ð´Ð»Ñ Ñ‚ÐµÒ‘Ñƒ %s (Atom)" @@ -4147,70 +4173,72 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "Ð›Ñ–Ñ†ÐµÐ½Ð·Ñ–Ñ Â«%1$s» не відповідає ліцензії Ñайту «%2$s»." -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "КориÑтувач" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "ВлаÑні Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ ÐºÐ¾Ñ€Ð¸Ñтувача Ð´Ð»Ñ Ñ†ÑŒÐ¾Ð³Ð¾ Ñайту StatusNet." -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "Помилкове Ð¾Ð±Ð¼ÐµÐ¶ÐµÐ½Ð½Ñ Ð±Ñ–Ð¾. Це мають бути цифри." -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "Помилковий текÑÑ‚ привітаннÑ. МакÑимальна довжина 255 знаків." -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "Помилкова підпиÑка за замовчуваннÑм: '%1$s' не Ñ” кориÑтувачем." -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Профіль" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "ÐžÐ±Ð¼ÐµÐ¶ÐµÐ½Ð½Ñ Ð±Ñ–Ð¾" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "МакÑимальна довжина біо кориÑтувача в знаках." -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "Ðові кориÑтувачі" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "ÐŸÑ€Ð¸Ð²Ñ–Ñ‚Ð°Ð½Ð½Ñ Ð½Ð¾Ð²Ð¾Ð³Ð¾ кориÑтувача" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "ТекÑÑ‚ Ð¿Ñ€Ð¸Ð²Ñ–Ñ‚Ð°Ð½Ð½Ñ Ð½Ð¾Ð²Ð¸Ñ… кориÑтувачів (255 знаків)." -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 msgid "Default subscription" msgstr "ПідпиÑка за замовчуваннÑм" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 msgid "Automatically subscribe new users to this user." msgstr "Ðвтоматично підпиÑувати нових кориÑтувачів до цього кориÑтувача." -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 msgid "Invitations" msgstr "ЗапрошеннÑ" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "Ð—Ð°Ð¿Ñ€Ð¾ÑˆÐµÐ½Ð½Ñ ÑкаÑовано" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "" "Ð’ той чи інший ÑпоÑіб дозволити кориÑтувачам вітати нових кориÑтувачів." @@ -4408,7 +4436,7 @@ msgstr "" msgid "Plugins" msgstr "Додатки" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 msgid "Version" msgstr "ВерÑÑ–Ñ" @@ -4547,7 +4575,6 @@ msgid "Could not create group." msgstr "Ðе вдалоÑÑ Ñтворити нову групу." #: classes/User_group.php:471 -#, fuzzy msgid "Could not set group URI." msgstr "Ðе вдалоÑÑ Ð²Ñтановити URI групи." @@ -4600,120 +4627,190 @@ msgstr "Сторінка без заголовку" msgid "Primary site navigation" msgstr "Відправна Ð½Ð°Ð²Ñ–Ð³Ð°Ñ†Ñ–Ñ Ð¿Ð¾ Ñайту" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "Дім" - -#: lib/action.php:439 +#, fuzzy +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "ПерÑональний профіль Ñ– Ñтрічка друзів" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "ОÑобиÑте" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Змінити електронну адреÑу, аватару, пароль, профіль" -#: lib/action.php:444 -msgid "Connect" -msgstr "З’єднаннÑ" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "Ðкаунт" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 +#, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Ð—â€™Ñ”Ð´Ð½Ð°Ð½Ð½Ñ Ð· ÑервіÑами" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "З’єднаннÑ" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Змінити конфігурацію Ñайту" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "ЗапроÑити" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "Ðдмін" -#: lib/action.php:453 lib/subgroupnav.php:106 -#, php-format +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 +#, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "ЗапроÑÑ–Ñ‚ÑŒ друзів та колег приєднатиÑÑŒ до Ð’Ð°Ñ Ð½Ð° %s" -#: lib/action.php:458 -msgid "Logout" -msgstr "Вийти" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "ЗапроÑити" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Вийти з Ñайту" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Вийти" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 +#, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Створити новий акаунт" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "РеєÑтраціÑ" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Увійти на Ñайт" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "Допомога" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Увійти" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 +#, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "Допоможіть!" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "Пошук" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "Допомога" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Пошук людей або текÑтів" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "Пошук" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 msgid "Site notice" msgstr "Ð—Ð°ÑƒÐ²Ð°Ð¶ÐµÐ½Ð½Ñ Ñайту" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "ОглÑд" -#: lib/action.php:625 +#: lib/action.php:656 msgid "Page notice" msgstr "Ð—Ð°ÑƒÐ²Ð°Ð¶ÐµÐ½Ð½Ñ Ñторінки" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "ДругорÑдна Ð½Ð°Ð²Ñ–Ð³Ð°Ñ†Ñ–Ñ Ð¿Ð¾ Ñайту" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "Допомога" + +#: lib/action.php:765 msgid "About" msgstr "Про" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "ЧаПи" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "Умови" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "КонфіденційніÑÑ‚ÑŒ" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "Джерело" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Контакт" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "Бедж" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "Ð›Ñ–Ñ†ÐµÐ½Ð·Ñ–Ñ Ð¿Ñ€Ð¾Ð³Ñ€Ð°Ð¼Ð½Ð¾Ð³Ð¾ Ð·Ð°Ð±ÐµÐ·Ð¿ÐµÑ‡ÐµÐ½Ð½Ñ StatusNet" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4722,12 +4819,12 @@ msgstr "" "**%%site.name%%** — це ÑÐµÑ€Ð²Ñ–Ñ Ð¼Ñ–ÐºÑ€Ð¾Ð±Ð»Ð¾Ò‘Ñ–Ð² наданий вам [%%site.broughtby%%](%%" "site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** — це ÑÐµÑ€Ð²Ñ–Ñ Ð¼Ñ–ÐºÑ€Ð¾Ð±Ð»Ð¾Ò‘Ñ–Ð². " -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4738,42 +4835,42 @@ msgstr "" "Ð´Ð»Ñ Ð¼Ñ–ÐºÑ€Ð¾Ð±Ð»Ð¾Ò‘Ñ–Ð², верÑÑ–Ñ %s, доÑтупному під [GNU Affero General Public " "License](http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:832 msgid "Site content license" msgstr "Ð›Ñ–Ñ†ÐµÐ½Ð·Ñ–Ñ Ð·Ð¼Ñ–Ñту Ñайту" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "ЗміÑÑ‚ Ñ– дані %1$s Ñ” приватними Ñ– конфіденційними." -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "ÐвторÑькі права на зміÑÑ‚ Ñ– дані належать %1$s. Ð’ÑÑ– права захищено." -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "ÐвторÑькі права на зміÑÑ‚ Ñ– дані належать розробникам. Ð’ÑÑ– права захищено." -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "Ð’ÑÑ– " -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "ліцензіÑ." -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "ÐÑƒÐ¼ÐµÑ€Ð°Ñ†Ñ–Ñ Ñторінок" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "Вперед" -#: lib/action.php:1149 +#: lib/action.php:1180 msgid "Before" msgstr "Ðазад" @@ -4789,50 +4886,103 @@ msgstr "Поки що не можу обробити вбудований XML к msgid "Can't handle embedded Base64 content yet." msgstr "Поки що не можу обробити вбудований контент Base64." -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "Ви не можете щоÑÑŒ змінювати на цьому Ñайті." -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." msgstr "Ð”Ð»Ñ Ñ†Ñ–Ñ”Ñ— панелі зміни не припуÑтимі." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "showForm() не виконано." -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "saveSettings() не виконано." -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "Ðемає можливоÑÑ‚Ñ– видалити Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ð´Ð¸Ð·Ð°Ð¹Ð½Ñƒ." -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 msgid "Basic site configuration" msgstr "ОÑновна ÐºÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ Ñайту" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "Сайт" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 msgid "Design configuration" msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ Ð´Ð¸Ð·Ð°Ð¹Ð½Ñƒ" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "Дизайн" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 msgid "User configuration" msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÐºÐ¾Ñ€Ð¸Ñтувача" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "КориÑтувач" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 msgid "Access configuration" msgstr "ПрийнÑти конфігурацію" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "ПогодитиÑÑŒ" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 msgid "Paths configuration" msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÑˆÐ»Ñху" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +#, fuzzy +msgctxt "MENU" +msgid "Paths" +msgstr "ШлÑÑ…" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 msgid "Sessions configuration" msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÑеÑій" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "СеÑÑ–Ñ—" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4931,11 +5081,11 @@ msgstr "ДопиÑи, до Ñких прикріплено це вкладенн msgid "Tags for this attachment" msgstr "Теґи Ð´Ð»Ñ Ñ†ÑŒÐ¾Ð³Ð¾ вкладеннÑ" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 msgid "Password changing failed" msgstr "Ðе вдалоÑÑ Ð·Ð¼Ñ–Ð½Ð¸Ñ‚Ð¸ пароль" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 msgid "Password changing is not allowed" msgstr "Змінювати пароль не дозволено" @@ -5249,19 +5399,19 @@ msgstr "" "tracks — наразі не виконуєтьÑÑ\n" "tracking — наразі не виконуєтьÑÑ\n" -#: lib/common.php:136 +#: lib/common.php:148 msgid "No configuration file found. " msgstr "Файлу конфігурації не знайдено. " -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "Шукав файли конфігурації в цих міÑцÑÑ…: " -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "ЗапуÑÑ‚Ñ–Ñ‚ÑŒ файл інÑталÑції, аби полагодити це." -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "Іти до файлу інÑталÑції." @@ -5849,7 +5999,6 @@ msgid "Available characters" msgstr "ЛишилоÑÑŒ знаків" #: lib/messageform.php:178 lib/noticeform.php:236 -#, fuzzy msgctxt "Send button for sending notice" msgid "Send" msgstr "Так!" @@ -5976,6 +6125,10 @@ msgstr "Відповіді" msgid "Favorites" msgstr "Обрані" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "КориÑтувач" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Вхідні" @@ -6085,6 +6238,10 @@ msgstr "Пошук" msgid "Keyword(s)" msgstr "Ключові Ñлова" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Пошук" + #: lib/searchaction.php:162 msgid "Search help" msgstr "Пошук" @@ -6136,6 +6293,15 @@ msgstr "Люди підпиÑані до %s" msgid "Groups %s is a member of" msgstr "%s бере учаÑÑ‚ÑŒ в цих групах" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "ЗапроÑити" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "ЗапроÑÑ–Ñ‚ÑŒ друзів та колег приєднатиÑÑŒ до Ð’Ð°Ñ Ð½Ð° %s" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6206,47 +6372,47 @@ msgstr "ПовідомленнÑ" msgid "Moderate" msgstr "Модерувати" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "мить тому" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "хвилину тому" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "близько %d хвилин тому" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "годину тому" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "близько %d годин тому" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "день тому" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "близько %d днів тому" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "міÑÑць тому" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "близько %d міÑÑців тому" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "рік тому" diff --git a/locale/vi/LC_MESSAGES/statusnet.po b/locale/vi/LC_MESSAGES/statusnet.po index ed080c93e..d64fae91d 100644 --- a/locale/vi/LC_MESSAGES/statusnet.po +++ b/locale/vi/LC_MESSAGES/statusnet.po @@ -7,83 +7,89 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:49:49+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:03:59+0000\n" "Language-Team: Vietnamese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: vi\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 #, fuzzy msgid "Access" msgstr "Chấp nhận" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 #, fuzzy msgid "Site access settings" msgstr "Thay đổi hình đại diện" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 #, fuzzy msgid "Registration" msgstr "Äăng ký" -#: actions/accessadminpanel.php:161 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. +#: actions/accessadminpanel.php:167 #, fuzzy +msgctxt "LABEL" msgid "Private" msgstr "Riêng tÆ°" -#: actions/accessadminpanel.php:163 -msgid "Prohibit anonymous users (not logged in) from viewing site?" +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 +msgid "Make registration invitation only." msgstr "" -#: actions/accessadminpanel.php:167 +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 #, fuzzy msgid "Invite only" msgstr "ThÆ° má»i" -#: actions/accessadminpanel.php:169 -msgid "Make registration invitation only." +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 +msgid "Disable new registrations." msgstr "" -#: actions/accessadminpanel.php:173 +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 #, fuzzy msgid "Closed" msgstr "Ban user" -#: actions/accessadminpanel.php:175 -msgid "Disable new registrations." -msgstr "" - -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "LÆ°u" - -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 #, fuzzy msgid "Save access settings" msgstr "Thay đổi hình đại diện" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "LÆ°u" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 #, fuzzy msgid "No such page" msgstr "Không có tin nhắn nào." -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -109,61 +115,70 @@ msgstr "Không có tin nhắn nào." msgid "No such user." msgstr "Không có user nào." -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, fuzzy, php-format msgid "%1$s and friends, page %2$d" msgstr "%s và bạn bè" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s và bạn bè" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, fuzzy, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "Chá»n những ngÆ°á»i bạn của %s" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, fuzzy, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "Chá»n những ngÆ°á»i bạn của %s" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, fuzzy, php-format msgid "Feed for friends of %s (Atom)" msgstr "Chá»n những ngÆ°á»i bạn của %s" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "" -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " "something yourself." msgstr "" -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " "post a notice to his or her attention." msgstr "" -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 #, fuzzy msgid "You and friends" msgstr "%s và bạn bè" @@ -570,7 +585,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 #, fuzzy msgid "Account" msgstr "Giá»›i thiệu" @@ -704,7 +719,7 @@ msgstr "Trả lá»i cho %s" msgid "Repeats of %s" msgstr "Trả lá»i cho %s" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "Thông báo được gắn thẻ %s" @@ -970,7 +985,7 @@ msgstr "Bạn chÆ°a cập nhật thông tin riêng" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 #, fuzzy msgid "There was a problem with your session token." msgstr "Có lá»—i xảy ra khi thao tác. Hãy thá»­ lại lần nữa." @@ -997,12 +1012,13 @@ msgstr "Không thể xóa tin nhắn này." msgid "Delete this application" msgstr "Xóa tin nhắn" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "ChÆ°a đăng nhập." @@ -1063,7 +1079,7 @@ msgid "Delete this user" msgstr "Xóa tin nhắn" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1178,6 +1194,17 @@ msgstr "" msgid "Reset back to default" msgstr "" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "LÆ°u" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 #, fuzzy msgid "Save design" @@ -1775,7 +1802,7 @@ msgstr "Thành viên" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -2061,18 +2088,19 @@ msgstr "Tin nhắn cá nhân" msgid "Optionally add a personal message to the invitation." msgstr "Không bắt buá»™c phải thêm thông Ä‘iệp vào thÆ° má»i." -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "Gá»­i" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s moi ban tham gia vao %2$s" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2172,8 +2200,7 @@ msgstr "Sai tên đăng nhập hoặc mật khẩu." msgid "Error setting user. You are probably not authorized." msgstr "ChÆ°a được phép." -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "Äăng nhập" @@ -2586,7 +2613,7 @@ msgstr "Không thể lÆ°u mật khẩu má»›i" msgid "Password saved." msgstr "Äã lÆ°u mật khẩu." -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "" @@ -2619,7 +2646,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 #, fuzzy msgid "Site" msgstr "ThÆ° má»i" @@ -2921,7 +2947,8 @@ msgstr "Không thể lÆ°u hồ sÆ¡ cá nhân." msgid "Couldn't save tags." msgstr "Không thể lÆ°u hồ sÆ¡ cá nhân." -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "Äã lÆ°u các Ä‘iá»u chỉnh." @@ -2935,48 +2962,48 @@ msgstr "" msgid "Could not retrieve public stream." msgstr "Không thể lấy lại các tin nhắn Æ°a thích" -#: actions/public.php:129 +#: actions/public.php:130 #, fuzzy, php-format msgid "Public timeline, page %d" msgstr "Dòng tin công cá»™ng" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "Dòng tin công cá»™ng" -#: actions/public.php:159 +#: actions/public.php:160 #, fuzzy msgid "Public Stream Feed (RSS 1.0)" msgstr "Dòng tin công cá»™ng" -#: actions/public.php:163 +#: actions/public.php:164 #, fuzzy msgid "Public Stream Feed (RSS 2.0)" msgstr "Dòng tin công cá»™ng" -#: actions/public.php:167 +#: actions/public.php:168 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "Dòng tin công cá»™ng" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2985,7 +3012,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3159,8 +3186,7 @@ msgstr "Lá»—i xảy ra vá»›i mã xác nhận." msgid "Registration successful" msgstr "Äăng ký thành công" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "Äăng ký" @@ -3357,47 +3383,47 @@ msgstr "Tạo" msgid "Repeated!" msgstr "Tạo" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "Trả lá»i cho %s" -#: actions/replies.php:127 +#: actions/replies.php:128 #, fuzzy, php-format msgid "Replies to %1$s, page %2$d" msgstr "%s chào mừng bạn " -#: actions/replies.php:144 +#: actions/replies.php:145 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "Dòng tin nhắn cho %s" -#: actions/replies.php:151 +#: actions/replies.php:152 #, fuzzy, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "Dòng tin nhắn cho %s" -#: actions/replies.php:158 +#: actions/replies.php:159 #, fuzzy, php-format msgid "Replies feed for %s (Atom)" msgstr "Dòng tin nhắn cho %s" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "" -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3425,7 +3451,6 @@ msgid "User is already sandboxed." msgstr "NgÆ°á»i dùng không có thông tin." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3450,7 +3475,7 @@ msgid "Turn on debugging output for sessions." msgstr "" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" msgstr "Thay đổi hình đại diện" @@ -3547,35 +3572,35 @@ msgstr "Những tin nhắn Æ°a thích của %s" msgid "Could not retrieve favorite notices." msgstr "Không thể lấy lại các tin nhắn Æ°a thích" -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "Chá»n những ngÆ°á»i bạn của %s" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "Chá»n những ngÆ°á»i bạn của %s" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "Chá»n những ngÆ°á»i bạn của %s" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " "they would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3583,7 +3608,7 @@ msgid "" "would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "" @@ -4160,22 +4185,22 @@ msgstr "Không có Jabber ID." msgid "SMS" msgstr "SMS" -#: actions/tag.php:68 +#: actions/tag.php:69 #, fuzzy, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "Dòng tin nhắn cho %s" -#: actions/tag.php:86 +#: actions/tag.php:87 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "Dòng tin nhắn cho %s" -#: actions/tag.php:92 +#: actions/tag.php:93 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "Dòng tin nhắn cho %s" -#: actions/tag.php:98 +#: actions/tag.php:99 #, fuzzy, php-format msgid "Notice feed for tag %s (Atom)" msgstr "Dòng tin nhắn cho %s" @@ -4265,75 +4290,76 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +msgctxt "TITLE" msgid "User" msgstr "" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "Hồ sÆ¡ " -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 #, fuzzy msgid "New users" msgstr "Gá»­i thÆ° má»i đến những ngÆ°á»i chÆ°a có tài khoản" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Default subscription" msgstr "Tất cả đăng nhận" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "Tá»± Ä‘á»™ng theo những ngÆ°á»i nào đăng ký theo tôi" -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 #, fuzzy msgid "Invitations" msgstr "ThÆ° má»i đã gá»­i" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 #, fuzzy msgid "Invitations enabled" msgstr "ThÆ° má»i đã gá»­i" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "" @@ -4520,7 +4546,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 #, fuzzy msgid "Version" msgstr "Cá nhân" @@ -4726,131 +4752,191 @@ msgstr "" msgid "Primary site navigation" msgstr "" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "Trang chủ" - -#: lib/action.php:439 +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 +#: lib/action.php:442 #, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "Cá nhân" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Thay đổi mật khẩu của bạn" -#: lib/action.php:444 -msgid "Connect" -msgstr "Kết nối" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "Giá»›i thiệu" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 #, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Không thể chuyển đến máy chủ: %s" -#: lib/action.php:448 +#: lib/action.php:453 #, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "Kết nối" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Tôi theo" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "ThÆ° má»i" +#: lib/action.php:460 +msgctxt "MENU" +msgid "Admin" +msgstr "" -#: lib/action.php:453 lib/subgroupnav.php:106 +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 #, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "" "Äiá»n địa chỉ email và ná»™i dung tin nhắn để gá»­i thÆ° má»i bạn bè và đồng nghiệp " "của bạn tham gia vào dịch vụ này." -#: lib/action.php:458 -msgid "Logout" -msgstr "Thoát" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "ThÆ° má»i" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "Thoát" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 #, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "Tạo tài khoản má»›i" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "Äăng ký" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "HÆ°á»›ng dẫn" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "Äăng nhập" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 #, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "HÆ°á»›ng dẫn" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "Tìm kiếm" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "HÆ°á»›ng dẫn" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "Tìm kiếm" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 #, fuzzy msgid "Site notice" msgstr "Thông báo má»›i" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "" -#: lib/action.php:625 +#: lib/action.php:656 #, fuzzy msgid "Page notice" msgstr "Thông báo má»›i" -#: lib/action.php:727 +#: lib/action.php:758 #, fuzzy msgid "Secondary site navigation" msgstr "Tôi theo" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "HÆ°á»›ng dẫn" + +#: lib/action.php:765 msgid "About" msgstr "Giá»›i thiệu" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "Riêng tÆ°" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "Nguồn" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "Liên hệ" -#: lib/action.php:751 +#: lib/action.php:782 #, fuzzy msgid "Badge" msgstr "Tin đã gá»­i" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4859,12 +4945,12 @@ msgstr "" "**%%site.name%%** là dịch vụ gá»­i tin nhắn được cung cấp từ [%%site.broughtby%" "%](%%site.broughtbyurl%%). " -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** là dịch vụ gá»­i tin nhắn. " -#: lib/action.php:786 +#: lib/action.php:817 #, fuzzy, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4875,43 +4961,43 @@ msgstr "" "quyá»n [GNU Affero General Public License](http://www.fsf.org/licensing/" "licenses/agpl-3.0.html)." -#: lib/action.php:801 +#: lib/action.php:832 #, fuzzy msgid "Site content license" msgstr "Tìm theo ná»™i dung của tin nhắn" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "" -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "" -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "" -#: lib/action.php:1141 +#: lib/action.php:1172 #, fuzzy msgid "After" msgstr "Sau" -#: lib/action.php:1149 +#: lib/action.php:1180 #, fuzzy msgid "Before" msgstr "TrÆ°á»›c" @@ -4928,59 +5014,110 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 #, fuzzy msgid "You cannot make changes to this site." msgstr "Bạn đã theo những ngÆ°á»i này:" -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 #, fuzzy msgid "Changes to that panel are not allowed." msgstr "Biệt hiệu không được cho phép." -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "" -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "" -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 #, fuzzy msgid "Unable to delete design setting." msgstr "Không thể lÆ°u thông tin Twitter của bạn!" -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 #, fuzzy msgid "Basic site configuration" msgstr "Xac nhan dia chi email" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "ThÆ° má»i" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Design configuration" msgstr "Xác nhận SMS" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "Cá nhân" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 #, fuzzy msgid "User configuration" msgstr "Xác nhận SMS" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +msgctxt "MENU" +msgid "User" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 #, fuzzy msgid "Access configuration" msgstr "Xác nhận SMS" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "Chấp nhận" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 #, fuzzy msgid "Paths configuration" msgstr "Xác nhận SMS" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +msgctxt "MENU" +msgid "Paths" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 #, fuzzy msgid "Sessions configuration" msgstr "Xác nhận SMS" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "Cá nhân" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -5081,12 +5218,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 #, fuzzy msgid "Password changing failed" msgstr "Äã lÆ°u mật khẩu." -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 #, fuzzy msgid "Password changing is not allowed" msgstr "Äã lÆ°u mật khẩu." @@ -5373,20 +5510,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 #, fuzzy msgid "No configuration file found. " msgstr "Không có mã số xác nhận." -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "" @@ -6104,6 +6241,10 @@ msgstr "Trả lá»i" msgid "Favorites" msgstr "Ưa thích" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Há»™p thÆ° đến" @@ -6225,6 +6366,10 @@ msgstr "Tìm kiếm" msgid "Keyword(s)" msgstr "" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Tìm kiếm" + #: lib/searchaction.php:162 #, fuzzy msgid "Search help" @@ -6280,6 +6425,17 @@ msgstr "Theo nhóm này" msgid "Groups %s is a member of" msgstr "" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "ThÆ° má»i" + +#: lib/subgroupnav.php:106 +#, fuzzy, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "" +"Äiá»n địa chỉ email và ná»™i dung tin nhắn để gá»­i thÆ° má»i bạn bè và đồng nghiệp " +"của bạn tham gia vào dịch vụ này." + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6359,47 +6515,47 @@ msgstr "Tin má»›i nhất" msgid "Moderate" msgstr "" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "vài giây trÆ°á»›c" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "1 phút trÆ°á»›c" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "%d phút trÆ°á»›c" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "1 giá» trÆ°á»›c" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "%d giá» trÆ°á»›c" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "1 ngày trÆ°á»›c" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "%d ngày trÆ°á»›c" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "1 tháng trÆ°á»›c" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "%d tháng trÆ°á»›c" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "1 năm trÆ°á»›c" diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index 4f6a63dee..45fdfe6dc 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -10,82 +10,88 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:49:52+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:04:02+0000\n" "Language-Team: Simplified Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 #, fuzzy msgid "Access" msgstr "接å—" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 #, fuzzy msgid "Site access settings" msgstr "头åƒè®¾ç½®" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 #, fuzzy msgid "Registration" msgstr "注册" -#: actions/accessadminpanel.php:161 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. +#: actions/accessadminpanel.php:167 #, fuzzy +msgctxt "LABEL" msgid "Private" msgstr "éšç§" -#: actions/accessadminpanel.php:163 -msgid "Prohibit anonymous users (not logged in) from viewing site?" +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 +msgid "Make registration invitation only." msgstr "" -#: actions/accessadminpanel.php:167 +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 #, fuzzy msgid "Invite only" msgstr "邀请" -#: actions/accessadminpanel.php:169 -msgid "Make registration invitation only." +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 +msgid "Disable new registrations." msgstr "" -#: actions/accessadminpanel.php:173 +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 #, fuzzy msgid "Closed" msgstr "阻止" -#: actions/accessadminpanel.php:175 -msgid "Disable new registrations." -msgstr "" - -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "ä¿å­˜" - -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 #, fuzzy msgid "Save access settings" msgstr "头åƒè®¾ç½®" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +#, fuzzy +msgctxt "BUTTON" +msgid "Save" +msgstr "ä¿å­˜" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 msgid "No such page" msgstr "没有该页é¢" -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -111,61 +117,70 @@ msgstr "没有该页é¢" msgid "No such user." msgstr "没有这个用户。" -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, fuzzy, php-format msgid "%1$s and friends, page %2$d" msgstr "%s åŠå¥½å‹" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s åŠå¥½å‹" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "%s 好å‹çš„èšåˆ(RSS 1.0)" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "%s 好å‹çš„èšåˆ(RSS 2.0)" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, php-format msgid "Feed for friends of %s (Atom)" msgstr "%s 好å‹çš„èšåˆ(Atom)" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "这是 %s 和好å‹çš„时间线,但是没有任何人å‘布内容。" -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " "something yourself." msgstr "" -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " "post a notice to his or her attention." msgstr "" -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 #, fuzzy msgid "You and friends" msgstr "%s åŠå¥½å‹" @@ -568,7 +583,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 msgid "Account" msgstr "å¸å·" @@ -702,7 +717,7 @@ msgstr "%s 的回å¤" msgid "Repeats of %s" msgstr "%s 的回å¤" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "带 %s 标签的通告" @@ -966,7 +981,7 @@ msgstr "您未告知此个人信æ¯" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 #, fuzzy msgid "There was a problem with your session token." msgstr "会è¯æ ‡è¯†æœ‰é—®é¢˜ï¼Œè¯·é‡è¯•ã€‚" @@ -993,12 +1008,13 @@ msgstr "无法删除通告。" msgid "Delete this application" msgstr "删除通告" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "未登录。" @@ -1059,7 +1075,7 @@ msgid "Delete this user" msgstr "删除通告" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1170,6 +1186,17 @@ msgstr "" msgid "Reset back to default" msgstr "" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "ä¿å­˜" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1752,7 +1779,7 @@ msgstr "%s 组æˆå‘˜, 第 %d 页" msgid "A list of the users in this group." msgstr "该组æˆå‘˜åˆ—表。" -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "admin管ç†å‘˜" @@ -2025,18 +2052,19 @@ msgstr "个人消æ¯" msgid "Optionally add a personal message to the invitation." msgstr "在邀请中加几å¥è¯(å¯é€‰)。" -#: actions/invite.php:197 +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 #, fuzzy -msgctxt "Send button for inviting friends" +msgctxt "BUTTON" msgid "Send" msgstr "å‘é€" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "%1$s 邀请您加入 %2$s" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2130,8 +2158,7 @@ msgstr "用户å或密ç ä¸æ­£ç¡®ã€‚" msgid "Error setting user. You are probably not authorized." msgstr "未认è¯ã€‚" -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "登录" @@ -2533,7 +2560,7 @@ msgstr "无法ä¿å­˜æ–°å¯†ç ã€‚" msgid "Password saved." msgstr "密ç å·²ä¿å­˜ã€‚" -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "" @@ -2566,7 +2593,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 #, fuzzy msgid "Site" msgstr "邀请" @@ -2860,7 +2886,8 @@ msgstr "无法ä¿å­˜ä¸ªäººä¿¡æ¯ã€‚" msgid "Couldn't save tags." msgstr "无法ä¿å­˜ä¸ªäººä¿¡æ¯ã€‚" -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "设置已ä¿å­˜ã€‚" @@ -2874,48 +2901,48 @@ msgstr "" msgid "Could not retrieve public stream." msgstr "无法获å–收è—的通告。" -#: actions/public.php:129 +#: actions/public.php:130 #, fuzzy, php-format msgid "Public timeline, page %d" msgstr "公开的时间表" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "公开的时间表" -#: actions/public.php:159 +#: actions/public.php:160 #, fuzzy msgid "Public Stream Feed (RSS 1.0)" msgstr "公开的èšåˆ" -#: actions/public.php:163 +#: actions/public.php:164 #, fuzzy msgid "Public Stream Feed (RSS 2.0)" msgstr "公开的èšåˆ" -#: actions/public.php:167 +#: actions/public.php:168 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "公开的èšåˆ" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2924,7 +2951,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:246 +#: actions/public.php:247 #, fuzzy, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -3097,8 +3124,7 @@ msgstr "验è¯ç å‡ºé”™ã€‚" msgid "Registration successful" msgstr "注册æˆåŠŸã€‚" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "注册" @@ -3291,47 +3317,47 @@ msgstr "创建" msgid "Repeated!" msgstr "创建" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "%s 的回å¤" -#: actions/replies.php:127 +#: actions/replies.php:128 #, fuzzy, php-format msgid "Replies to %1$s, page %2$d" msgstr "å‘é€ç»™ %1$s çš„ %2$s 消æ¯" -#: actions/replies.php:144 +#: actions/replies.php:145 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "%s 的通告èšåˆ" -#: actions/replies.php:151 +#: actions/replies.php:152 #, fuzzy, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "%s 的通告èšåˆ" -#: actions/replies.php:158 +#: actions/replies.php:159 #, fuzzy, php-format msgid "Replies feed for %s (Atom)" msgstr "%s 的通告èšåˆ" -#: actions/replies.php:198 +#: actions/replies.php:199 #, fuzzy, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "这是 %s 和好å‹çš„时间线,但是没有任何人å‘布内容。" -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3359,7 +3385,6 @@ msgid "User is already sandboxed." msgstr "用户没有个人信æ¯ã€‚" #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3384,7 +3409,7 @@ msgid "Turn on debugging output for sessions." msgstr "" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" msgstr "头åƒè®¾ç½®" @@ -3482,35 +3507,35 @@ msgstr "%s 收è—的通告" msgid "Could not retrieve favorite notices." msgstr "无法获å–收è—的通告。" -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "%s 好å‹çš„èšåˆ" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "%s 好å‹çš„èšåˆ" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, php-format msgid "Feed for favorites of %s (Atom)" msgstr "%s 好å‹çš„èšåˆ" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " "they would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3518,7 +3543,7 @@ msgid "" "would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "" @@ -4089,22 +4114,22 @@ msgstr "没有 Jabber ID。" msgid "SMS" msgstr "SMS短信" -#: actions/tag.php:68 +#: actions/tag.php:69 #, fuzzy, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "用户自加标签 %s - 第 %d 页" -#: actions/tag.php:86 +#: actions/tag.php:87 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "%s 的通告èšåˆ" -#: actions/tag.php:92 +#: actions/tag.php:93 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "%s 的通告èšåˆ" -#: actions/tag.php:98 +#: actions/tag.php:99 #, fuzzy, php-format msgid "Notice feed for tag %s (Atom)" msgstr "%s 的通告èšåˆ" @@ -4195,75 +4220,77 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +#, fuzzy +msgctxt "TITLE" msgid "User" msgstr "用户" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "个人信æ¯" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 #, fuzzy msgid "New users" msgstr "邀请新用户" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Default subscription" msgstr "所有订阅" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 #, fuzzy msgid "Automatically subscribe new users to this user." msgstr "自动订阅任何订阅我的更新的人(这个选项最适åˆæœºå™¨äºº)" -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 #, fuzzy msgid "Invitations" msgstr "å·²å‘é€é‚€è¯·" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 #, fuzzy msgid "Invitations enabled" msgstr "å·²å‘é€é‚€è¯·" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "" @@ -4447,7 +4474,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 #, fuzzy msgid "Version" msgstr "个人" @@ -4650,129 +4677,194 @@ msgstr "无标题页" msgid "Primary site navigation" msgstr "主站导航" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "主页" - -#: lib/action.php:439 +#, fuzzy +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "个人资料åŠæœ‹å‹å¹´è¡¨" -#: lib/action.php:441 +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "个人" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:444 #, fuzzy +msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "修改资料" -#: lib/action.php:444 -msgid "Connect" -msgstr "连接" +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "å¸å·" -#: lib/action.php:444 +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 #, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "无法é‡å®šå‘到æœåŠ¡å™¨ï¼š%s" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "连接" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 #, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "主站导航" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" -msgstr "邀请" +#: lib/action.php:460 +#, fuzzy +msgctxt "MENU" +msgid "Admin" +msgstr "admin管ç†å‘˜" -#: lib/action.php:453 lib/subgroupnav.php:106 +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 #, fuzzy, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "使用这个表å•æ¥é‚€è¯·å¥½å‹å’ŒåŒäº‹åŠ å…¥ã€‚" -#: lib/action.php:458 -msgid "Logout" -msgstr "登出" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "邀请" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +#, fuzzy +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "登出本站" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "登出" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 #, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "创建新å¸å·" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "注册" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +#, fuzzy +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "登入本站" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "帮助" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "登录" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 #, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "帮助" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "æœç´¢" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "帮助" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +#, fuzzy +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "检索人或文字" -#: lib/action.php:493 +#: lib/action.php:502 +#, fuzzy +msgctxt "MENU" +msgid "Search" +msgstr "æœç´¢" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 #, fuzzy msgid "Site notice" msgstr "新通告" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "本地显示" -#: lib/action.php:625 +#: lib/action.php:656 #, fuzzy msgid "Page notice" msgstr "新通告" -#: lib/action.php:727 +#: lib/action.php:758 #, fuzzy msgid "Secondary site navigation" msgstr "次项站导航" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "帮助" + +#: lib/action.php:765 msgid "About" msgstr "关于" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "常è§é—®é¢˜FAQ" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "éšç§" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "æ¥æº" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "è”系人" -#: lib/action.php:751 +#: lib/action.php:782 #, fuzzy msgid "Badge" msgstr "呼å«" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "StatusNet软件注册è¯" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4781,12 +4873,12 @@ msgstr "" "**%%site.name%%** 是一个微åšå®¢æœåŠ¡ï¼Œæ供者为 [%%site.broughtby%%](%%site." "broughtbyurl%%)。" -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** 是一个微åšå®¢æœåŠ¡ã€‚" -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4797,43 +4889,43 @@ msgstr "" "General Public License](http://www.fsf.org/licensing/licenses/agpl-3.0.html)" "授æƒã€‚" -#: lib/action.php:801 +#: lib/action.php:832 #, fuzzy msgid "Site content license" msgstr "StatusNet软件注册è¯" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "全部" -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "注册è¯" -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "分页" -#: lib/action.php:1141 +#: lib/action.php:1172 #, fuzzy msgid "After" msgstr "« 之åŽ" -#: lib/action.php:1149 +#: lib/action.php:1180 #, fuzzy msgid "Before" msgstr "ä¹‹å‰ Â»" @@ -4850,61 +4942,113 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 #, fuzzy msgid "You cannot make changes to this site." msgstr "无法å‘此用户å‘é€æ¶ˆæ¯ã€‚" -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 #, fuzzy msgid "Changes to that panel are not allowed." msgstr "ä¸å…许注册。" -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 #, fuzzy msgid "showForm() not implemented." msgstr "命令尚未实现。" -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 #, fuzzy msgid "saveSettings() not implemented." msgstr "命令尚未实现。" -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 #, fuzzy msgid "Unable to delete design setting." msgstr "无法ä¿å­˜ Twitter 设置ï¼" -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 #, fuzzy msgid "Basic site configuration" msgstr "电å­é‚®ä»¶åœ°å€ç¡®è®¤" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "邀请" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Design configuration" msgstr "SMS短信确认" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "个人" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 #, fuzzy msgid "User configuration" msgstr "SMS短信确认" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +#, fuzzy +msgctxt "MENU" +msgid "User" +msgstr "用户" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 #, fuzzy msgid "Access configuration" msgstr "SMS短信确认" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "接å—" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 #, fuzzy msgid "Paths configuration" msgstr "SMS短信确认" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +msgctxt "MENU" +msgid "Paths" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 #, fuzzy msgid "Sessions configuration" msgstr "SMS短信确认" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "个人" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -5005,12 +5149,12 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 #, fuzzy msgid "Password changing failed" msgstr "密ç å·²ä¿å­˜ã€‚" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 #, fuzzy msgid "Password changing is not allowed" msgstr "密ç å·²ä¿å­˜ã€‚" @@ -5288,20 +5432,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 #, fuzzy msgid "No configuration file found. " msgstr "没有验è¯ç " -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:140 +#: lib/common.php:152 #, fuzzy msgid "Go to the installer." msgstr "登入本站" @@ -5970,6 +6114,10 @@ msgstr "回å¤" msgid "Favorites" msgstr "收è—夹" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "用户" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "收件箱" @@ -6090,6 +6238,10 @@ msgstr "æœç´¢" msgid "Keyword(s)" msgstr "" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "æœç´¢" + #: lib/searchaction.php:162 #, fuzzy msgid "Search help" @@ -6145,6 +6297,15 @@ msgstr "订阅 %s" msgid "Groups %s is a member of" msgstr "%s 组是æˆå‘˜ç»„æˆäº†" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "邀请" + +#: lib/subgroupnav.php:106 +#, fuzzy, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "使用这个表å•æ¥é‚€è¯·å¥½å‹å’ŒåŒäº‹åŠ å…¥ã€‚" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6225,47 +6386,47 @@ msgstr "新消æ¯" msgid "Moderate" msgstr "" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "几秒å‰" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "一分钟å‰" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "%d 分钟å‰" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "一å°æ—¶å‰" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "%d å°æ—¶å‰" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "一天å‰" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "%d 天å‰" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "一个月å‰" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "%d 个月å‰" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "一年å‰" diff --git a/locale/zh_TW/LC_MESSAGES/statusnet.po b/locale/zh_TW/LC_MESSAGES/statusnet.po index da62cfbb1..5cca450ca 100644 --- a/locale/zh_TW/LC_MESSAGES/statusnet.po +++ b/locale/zh_TW/LC_MESSAGES/statusnet.po @@ -7,81 +7,86 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-01 15:47+0000\n" -"PO-Revision-Date: 2010-03-01 15:49:55+0000\n" +"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"PO-Revision-Date: 2010-03-02 21:04:05+0000\n" "Language-Team: Traditional Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63115); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hant\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -#: actions/accessadminpanel.php:54 lib/adminpanelaction.php:337 +#. TRANS: Page title +#: actions/accessadminpanel.php:55 #, fuzzy msgid "Access" msgstr "接å—" -#: actions/accessadminpanel.php:65 +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 #, fuzzy msgid "Site access settings" msgstr "線上å³æ™‚通設定" -#: actions/accessadminpanel.php:158 +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 #, fuzzy msgid "Registration" msgstr "所有訂閱" -#: actions/accessadminpanel.php:161 -msgid "Private" -msgstr "" - -#: actions/accessadminpanel.php:163 +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 msgid "Prohibit anonymous users (not logged in) from viewing site?" msgstr "" +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -msgid "Invite only" +msgctxt "LABEL" +msgid "Private" msgstr "" -#: actions/accessadminpanel.php:169 +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 msgid "Make registration invitation only." msgstr "" -#: actions/accessadminpanel.php:173 -#, fuzzy -msgid "Closed" -msgstr "無此使用者" +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "" -#: actions/accessadminpanel.php:175 +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 msgid "Disable new registrations." msgstr "" -#: actions/accessadminpanel.php:189 actions/designadminpanel.php:586 -#: actions/emailsettings.php:195 actions/imsettings.php:163 -#: actions/othersettings.php:126 actions/pathsadminpanel.php:351 -#: actions/profilesettings.php:174 actions/sessionsadminpanel.php:199 -#: actions/siteadminpanel.php:336 actions/smssettings.php:181 -#: actions/subscriptions.php:208 actions/tagother.php:154 -#: actions/useradminpanel.php:293 lib/applicationeditform.php:333 -#: lib/applicationeditform.php:334 lib/designsettings.php:256 -#: lib/groupeditform.php:202 -msgid "Save" -msgstr "" +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +#, fuzzy +msgid "Closed" +msgstr "無此使用者" -#: actions/accessadminpanel.php:189 +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 #, fuzzy msgid "Save access settings" msgstr "線上å³æ™‚通設定" -#: actions/all.php:63 actions/public.php:97 actions/replies.php:92 -#: actions/showfavorites.php:137 actions/tag.php:51 +#: actions/accessadminpanel.php:203 +msgctxt "BUTTON" +msgid "Save" +msgstr "" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 #, fuzzy msgid "No such page" msgstr "無此通知" -#: actions/all.php:74 actions/allrss.php:68 +#: actions/all.php:75 actions/allrss.php:68 #: actions/apiaccountupdatedeliverydevice.php:113 #: actions/apiaccountupdateprofile.php:105 #: actions/apiaccountupdateprofilebackgroundimage.php:116 @@ -107,61 +112,70 @@ msgstr "無此通知" msgid "No such user." msgstr "無此使用者" -#: actions/all.php:84 +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 #, fuzzy, php-format msgid "%1$s and friends, page %2$d" msgstr "%s與好å‹" -#: actions/all.php:86 actions/all.php:167 actions/allrss.php:115 +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format msgid "%s and friends" msgstr "%s與好å‹" -#: actions/all.php:99 +#. TRANS: %1$s is user nickname +#: actions/all.php:103 #, fuzzy, php-format msgid "Feed for friends of %s (RSS 1.0)" msgstr "發é€çµ¦%s好å‹çš„訂閱" -#: actions/all.php:107 +#. TRANS: %1$s is user nickname +#: actions/all.php:112 #, fuzzy, php-format msgid "Feed for friends of %s (RSS 2.0)" msgstr "發é€çµ¦%s好å‹çš„訂閱" -#: actions/all.php:115 +#. TRANS: %1$s is user nickname +#: actions/all.php:121 #, fuzzy, php-format msgid "Feed for friends of %s (Atom)" msgstr "發é€çµ¦%s好å‹çš„訂閱" -#: actions/all.php:127 +#. TRANS: %1$s is user nickname +#: actions/all.php:134 #, php-format msgid "" "This is the timeline for %s and friends but no one has posted anything yet." msgstr "" -#: actions/all.php:132 +#: actions/all.php:139 #, php-format msgid "" "Try subscribing to more people, [join a group](%%action.groups%%) or post " "something yourself." msgstr "" -#: actions/all.php:134 +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -#: actions/all.php:137 actions/replies.php:209 actions/showstream.php:211 +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 #, php-format msgid "" "Why not [register an account](%%%%action.register%%%%) and then nudge %s or " "post a notice to his or her attention." msgstr "" -#: actions/all.php:165 +#. TRANS: H1 text +#: actions/all.php:174 #, fuzzy msgid "You and friends" msgstr "%s與好å‹" @@ -560,7 +574,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 lib/action.php:441 +#: actions/apioauthauthorize.php:310 #, fuzzy msgid "Account" msgstr "關於" @@ -693,7 +707,7 @@ msgstr "" msgid "Repeats of %s" msgstr "" -#: actions/apitimelinetag.php:102 actions/tag.php:66 +#: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "" @@ -956,7 +970,7 @@ msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1197 +#: lib/action.php:1228 msgid "There was a problem with your session token." msgstr "" @@ -982,12 +996,13 @@ msgstr "無此通知" msgid "Delete this application" msgstr "請在140個字以內æ述你自己與你的興趣" +#. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 #: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 #: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 #: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 #: actions/tagother.php:33 actions/unsubscribe.php:52 -#: lib/adminpanelaction.php:72 lib/profileformaction.php:63 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 #: lib/settingsaction.php:72 msgid "Not logged in." msgstr "" @@ -1045,7 +1060,7 @@ msgid "Delete this user" msgstr "無此使用者" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 -#: lib/adminpanelaction.php:327 lib/groupnav.php:119 +#: lib/groupnav.php:119 msgid "Design" msgstr "" @@ -1154,6 +1169,17 @@ msgstr "" msgid "Reset back to default" msgstr "" +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "" + #: actions/designadminpanel.php:587 lib/designsettings.php:257 msgid "Save design" msgstr "" @@ -1714,7 +1740,7 @@ msgstr "" msgid "A list of the users in this group." msgstr "" -#: actions/groupmembers.php:182 lib/action.php:448 lib/groupnav.php:107 +#: actions/groupmembers.php:182 lib/groupnav.php:107 msgid "Admin" msgstr "" @@ -1978,17 +2004,18 @@ msgstr "" msgid "Optionally add a personal message to the invitation." msgstr "" -#: actions/invite.php:197 -msgctxt "Send button for inviting friends" +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 +msgctxt "BUTTON" msgid "Send" msgstr "" -#: actions/invite.php:226 +#: actions/invite.php:227 #, php-format msgid "%1$s has invited you to join them on %2$s" msgstr "" -#: actions/invite.php:228 +#: actions/invite.php:229 #, php-format msgid "" "%1$s has invited you to join them on %2$s (%3$s).\n" @@ -2058,8 +2085,7 @@ msgstr "使用者å稱或密碼錯誤" msgid "Error setting user. You are probably not authorized." msgstr "" -#: actions/login.php:188 actions/login.php:241 lib/action.php:466 -#: lib/logingroupnav.php:79 +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 msgid "Login" msgstr "登入" @@ -2449,7 +2475,7 @@ msgstr "無法存å–新密碼" msgid "Password saved." msgstr "" -#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:342 +#: actions/pathsadminpanel.php:59 msgid "Paths" msgstr "" @@ -2482,7 +2508,6 @@ msgid "Invalid SSL server. The maximum length is 255 characters." msgstr "" #: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 -#: lib/adminpanelaction.php:322 msgid "Site" msgstr "" @@ -2768,7 +2793,8 @@ msgstr "無法儲存個人資料" msgid "Couldn't save tags." msgstr "無法儲存個人資料" -#: actions/profilesettings.php:391 lib/adminpanelaction.php:137 +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 msgid "Settings saved." msgstr "" @@ -2781,46 +2807,46 @@ msgstr "" msgid "Could not retrieve public stream." msgstr "" -#: actions/public.php:129 +#: actions/public.php:130 #, php-format msgid "Public timeline, page %d" msgstr "" -#: actions/public.php:131 lib/publicgroupnav.php:79 +#: actions/public.php:132 lib/publicgroupnav.php:79 msgid "Public timeline" msgstr "" -#: actions/public.php:159 +#: actions/public.php:160 msgid "Public Stream Feed (RSS 1.0)" msgstr "" -#: actions/public.php:163 +#: actions/public.php:164 msgid "Public Stream Feed (RSS 2.0)" msgstr "" -#: actions/public.php:167 +#: actions/public.php:168 #, fuzzy msgid "Public Stream Feed (Atom)" msgstr "%s的公開內容" -#: actions/public.php:187 +#: actions/public.php:188 #, php-format msgid "" "This is the public timeline for %%site.name%% but no one has posted anything " "yet." msgstr "" -#: actions/public.php:190 +#: actions/public.php:191 msgid "Be the first to post!" msgstr "" -#: actions/public.php:194 +#: actions/public.php:195 #, php-format msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" -#: actions/public.php:241 +#: actions/public.php:242 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2829,7 +2855,7 @@ msgid "" "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" -#: actions/public.php:246 +#: actions/public.php:247 #, php-format msgid "" "This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" @@ -2999,8 +3025,7 @@ msgstr "確èªç¢¼ç™¼ç”ŸéŒ¯èª¤" msgid "Registration successful" msgstr "" -#: actions/register.php:114 actions/register.php:503 lib/action.php:463 -#: lib/logingroupnav.php:85 +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 msgid "Register" msgstr "" @@ -3173,47 +3198,47 @@ msgstr "新增" msgid "Repeated!" msgstr "新增" -#: actions/replies.php:125 actions/repliesrss.php:68 +#: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 #, php-format msgid "Replies to %s" msgstr "" -#: actions/replies.php:127 +#: actions/replies.php:128 #, fuzzy, php-format msgid "Replies to %1$s, page %2$d" msgstr "&s的微型部è½æ ¼" -#: actions/replies.php:144 +#: actions/replies.php:145 #, fuzzy, php-format msgid "Replies feed for %s (RSS 1.0)" msgstr "發é€çµ¦%s好å‹çš„訂閱" -#: actions/replies.php:151 +#: actions/replies.php:152 #, fuzzy, php-format msgid "Replies feed for %s (RSS 2.0)" msgstr "發é€çµ¦%s好å‹çš„訂閱" -#: actions/replies.php:158 +#: actions/replies.php:159 #, fuzzy, php-format msgid "Replies feed for %s (Atom)" msgstr "發é€çµ¦%s好å‹çš„訂閱" -#: actions/replies.php:198 +#: actions/replies.php:199 #, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "" -#: actions/replies.php:203 +#: actions/replies.php:204 #, php-format msgid "" "You can engage other users in a conversation, subscribe to more people or " "[join groups](%%action.groups%%)." msgstr "" -#: actions/replies.php:205 +#: actions/replies.php:206 #, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " @@ -3240,7 +3265,6 @@ msgid "User is already sandboxed." msgstr "" #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 -#: lib/adminpanelaction.php:347 msgid "Sessions" msgstr "" @@ -3265,7 +3289,7 @@ msgid "Turn on debugging output for sessions." msgstr "" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/useradminpanel.php:293 +#: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" msgstr "線上å³æ™‚通設定" @@ -3360,35 +3384,35 @@ msgstr "%s與好å‹" msgid "Could not retrieve favorite notices." msgstr "" -#: actions/showfavorites.php:170 +#: actions/showfavorites.php:171 #, fuzzy, php-format msgid "Feed for favorites of %s (RSS 1.0)" msgstr "發é€çµ¦%s好å‹çš„訂閱" -#: actions/showfavorites.php:177 +#: actions/showfavorites.php:178 #, fuzzy, php-format msgid "Feed for favorites of %s (RSS 2.0)" msgstr "發é€çµ¦%s好å‹çš„訂閱" -#: actions/showfavorites.php:184 +#: actions/showfavorites.php:185 #, fuzzy, php-format msgid "Feed for favorites of %s (Atom)" msgstr "發é€çµ¦%s好å‹çš„訂閱" -#: actions/showfavorites.php:205 +#: actions/showfavorites.php:206 msgid "" "You haven't chosen any favorite notices yet. Click the fave button on " "notices you like to bookmark them for later or shed a spotlight on them." msgstr "" -#: actions/showfavorites.php:207 +#: actions/showfavorites.php:208 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Post something interesting " "they would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:211 +#: actions/showfavorites.php:212 #, php-format msgid "" "%s hasn't added any notices to his favorites yet. Why not [register an " @@ -3396,7 +3420,7 @@ msgid "" "would add to their favorites :)" msgstr "" -#: actions/showfavorites.php:242 +#: actions/showfavorites.php:243 msgid "This is a way to share what you like." msgstr "" @@ -3950,22 +3974,22 @@ msgstr "查無此Jabber ID" msgid "SMS" msgstr "" -#: actions/tag.php:68 +#: actions/tag.php:69 #, fuzzy, php-format msgid "Notices tagged with %1$s, page %2$d" msgstr "&s的微型部è½æ ¼" -#: actions/tag.php:86 +#: actions/tag.php:87 #, php-format msgid "Notice feed for tag %s (RSS 1.0)" msgstr "" -#: actions/tag.php:92 +#: actions/tag.php:93 #, fuzzy, php-format msgid "Notice feed for tag %s (RSS 2.0)" msgstr "發é€çµ¦%s好å‹çš„訂閱" -#: actions/tag.php:98 +#: actions/tag.php:99 #, php-format msgid "Notice feed for tag %s (Atom)" msgstr "" @@ -4052,72 +4076,73 @@ msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -#: actions/useradminpanel.php:58 lib/adminpanelaction.php:332 -#: lib/personalgroupnav.php:115 +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +msgctxt "TITLE" msgid "User" msgstr "" -#: actions/useradminpanel.php:69 +#: actions/useradminpanel.php:70 msgid "User settings for this StatusNet site." msgstr "" -#: actions/useradminpanel.php:148 +#: actions/useradminpanel.php:149 msgid "Invalid bio limit. Must be numeric." msgstr "" -#: actions/useradminpanel.php:154 +#: actions/useradminpanel.php:155 msgid "Invalid welcome text. Max length is 255 characters." msgstr "" -#: actions/useradminpanel.php:164 +#: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." msgstr "" -#: actions/useradminpanel.php:217 lib/accountsettingsaction.php:108 +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 msgid "Profile" msgstr "" -#: actions/useradminpanel.php:221 +#: actions/useradminpanel.php:222 msgid "Bio Limit" msgstr "" -#: actions/useradminpanel.php:222 +#: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." msgstr "" -#: actions/useradminpanel.php:230 +#: actions/useradminpanel.php:231 msgid "New users" msgstr "" -#: actions/useradminpanel.php:234 +#: actions/useradminpanel.php:235 msgid "New user welcome" msgstr "" -#: actions/useradminpanel.php:235 +#: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." msgstr "" -#: actions/useradminpanel.php:240 +#: actions/useradminpanel.php:241 #, fuzzy msgid "Default subscription" msgstr "所有訂閱" -#: actions/useradminpanel.php:241 +#: actions/useradminpanel.php:242 msgid "Automatically subscribe new users to this user." msgstr "" -#: actions/useradminpanel.php:250 +#: actions/useradminpanel.php:251 #, fuzzy msgid "Invitations" msgstr "地點" -#: actions/useradminpanel.php:255 +#: actions/useradminpanel.php:256 msgid "Invitations enabled" msgstr "" -#: actions/useradminpanel.php:257 +#: actions/useradminpanel.php:258 msgid "Whether to allow users to invite new users." msgstr "" @@ -4291,7 +4316,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:747 +#: actions/version.php:196 lib/action.php:778 #, fuzzy msgid "Version" msgstr "地點" @@ -4492,125 +4517,186 @@ msgstr "" msgid "Primary site navigation" msgstr "" +#. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:439 -msgid "Home" -msgstr "主é " - -#: lib/action.php:439 +msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:441 -msgid "Change your email, avatar, password, profile" -msgstr "" +#: lib/action.php:442 +#, fuzzy +msgctxt "MENU" +msgid "Personal" +msgstr "地點" +#. TRANS: Tooltip for main menu option "Account" #: lib/action.php:444 -msgid "Connect" -msgstr "連çµ" +#, fuzzy +msgctxt "TOOLTIP" +msgid "Change your email, avatar, password, profile" +msgstr "更改密碼" -#: lib/action.php:444 +#: lib/action.php:447 +#, fuzzy +msgctxt "MENU" +msgid "Account" +msgstr "關於" + +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:450 #, fuzzy +msgctxt "TOOLTIP" msgid "Connect to services" msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" -#: lib/action.php:448 +#: lib/action.php:453 +#, fuzzy +msgctxt "MENU" +msgid "Connect" +msgstr "連çµ" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:457 +#, fuzzy +msgctxt "TOOLTIP" msgid "Change site configuration" -msgstr "" +msgstr "確èªä¿¡ç®±" -#: lib/action.php:452 lib/subgroupnav.php:105 -msgid "Invite" +#: lib/action.php:460 +msgctxt "MENU" +msgid "Admin" msgstr "" -#: lib/action.php:453 lib/subgroupnav.php:106 +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:464 #, php-format +msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:458 -msgid "Logout" -msgstr "登出" +#: lib/action.php:467 +#, fuzzy +msgctxt "MENU" +msgid "Invite" +msgstr "尺寸錯誤" -#: lib/action.php:458 +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:473 +msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "" -#: lib/action.php:463 +#: lib/action.php:476 +#, fuzzy +msgctxt "MENU" +msgid "Logout" +msgstr "登出" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:481 #, fuzzy +msgctxt "TOOLTIP" msgid "Create an account" msgstr "新增帳號" -#: lib/action.php:466 +#: lib/action.php:484 +#, fuzzy +msgctxt "MENU" +msgid "Register" +msgstr "所有訂閱" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:487 +msgctxt "TOOLTIP" msgid "Login to the site" msgstr "" -#: lib/action.php:469 lib/action.php:732 -msgid "Help" -msgstr "求救" +#: lib/action.php:490 +#, fuzzy +msgctxt "MENU" +msgid "Login" +msgstr "登入" -#: lib/action.php:469 +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:493 #, fuzzy +msgctxt "TOOLTIP" msgid "Help me!" msgstr "求救" -#: lib/action.php:472 lib/searchaction.php:127 -msgid "Search" -msgstr "" +#: lib/action.php:496 +#, fuzzy +msgctxt "MENU" +msgid "Help" +msgstr "求救" -#: lib/action.php:472 +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:499 +msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "" -#: lib/action.php:493 +#: lib/action.php:502 +msgctxt "MENU" +msgid "Search" +msgstr "" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#: lib/action.php:524 #, fuzzy msgid "Site notice" msgstr "新訊æ¯" -#: lib/action.php:559 +#: lib/action.php:590 msgid "Local views" msgstr "" -#: lib/action.php:625 +#: lib/action.php:656 #, fuzzy msgid "Page notice" msgstr "新訊æ¯" -#: lib/action.php:727 +#: lib/action.php:758 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:734 +#: lib/action.php:763 +msgid "Help" +msgstr "求救" + +#: lib/action.php:765 msgid "About" msgstr "關於" -#: lib/action.php:736 +#: lib/action.php:767 msgid "FAQ" msgstr "常見å•é¡Œ" -#: lib/action.php:740 +#: lib/action.php:771 msgid "TOS" msgstr "" -#: lib/action.php:743 +#: lib/action.php:774 msgid "Privacy" msgstr "" -#: lib/action.php:745 +#: lib/action.php:776 msgid "Source" msgstr "" -#: lib/action.php:749 +#: lib/action.php:780 msgid "Contact" msgstr "好å‹åå–®" -#: lib/action.php:751 +#: lib/action.php:782 msgid "Badge" msgstr "" -#: lib/action.php:779 +#: lib/action.php:810 msgid "StatusNet software license" msgstr "" -#: lib/action.php:782 +#: lib/action.php:813 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4619,12 +4705,12 @@ msgstr "" "**%%site.name%%**是由[%%site.broughtby%%](%%site.broughtbyurl%%)所æ供的微型" "部è½æ ¼æœå‹™" -#: lib/action.php:784 +#: lib/action.php:815 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%**是個微型部è½æ ¼" -#: lib/action.php:786 +#: lib/action.php:817 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4632,42 +4718,42 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:801 +#: lib/action.php:832 #, fuzzy msgid "Site content license" msgstr "新訊æ¯" -#: lib/action.php:806 +#: lib/action.php:837 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:811 +#: lib/action.php:842 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:814 +#: lib/action.php:845 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:827 +#: lib/action.php:858 msgid "All " msgstr "" -#: lib/action.php:833 +#: lib/action.php:864 msgid "license." msgstr "" -#: lib/action.php:1132 +#: lib/action.php:1163 msgid "Pagination" msgstr "" -#: lib/action.php:1141 +#: lib/action.php:1172 msgid "After" msgstr "" -#: lib/action.php:1149 +#: lib/action.php:1180 #, fuzzy msgid "Before" msgstr "之å‰çš„內容»" @@ -4684,56 +4770,107 @@ msgstr "" msgid "Can't handle embedded Base64 content yet." msgstr "" -#: lib/adminpanelaction.php:96 +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." msgstr "" -#: lib/adminpanelaction.php:107 +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 msgid "Changes to that panel are not allowed." msgstr "" -#: lib/adminpanelaction.php:206 +#. TRANS: Client error message +#: lib/adminpanelaction.php:211 msgid "showForm() not implemented." msgstr "" -#: lib/adminpanelaction.php:235 +#. TRANS: Client error message +#: lib/adminpanelaction.php:241 msgid "saveSettings() not implemented." msgstr "" -#: lib/adminpanelaction.php:258 +#. TRANS: Client error message +#: lib/adminpanelaction.php:265 msgid "Unable to delete design setting." msgstr "" -#: lib/adminpanelaction.php:323 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:330 #, fuzzy msgid "Basic site configuration" msgstr "確èªä¿¡ç®±" -#: lib/adminpanelaction.php:328 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:332 +#, fuzzy +msgctxt "MENU" +msgid "Site" +msgstr "新訊æ¯" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:338 #, fuzzy msgid "Design configuration" msgstr "確èªä¿¡ç®±" -#: lib/adminpanelaction.php:333 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:340 +#, fuzzy +msgctxt "MENU" +msgid "Design" +msgstr "地點" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:346 #, fuzzy msgid "User configuration" msgstr "確èªä¿¡ç®±" -#: lib/adminpanelaction.php:338 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:348 +msgctxt "MENU" +msgid "User" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:354 #, fuzzy msgid "Access configuration" msgstr "確èªä¿¡ç®±" -#: lib/adminpanelaction.php:343 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:356 +#, fuzzy +msgctxt "MENU" +msgid "Access" +msgstr "接å—" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:362 #, fuzzy msgid "Paths configuration" msgstr "確èªä¿¡ç®±" -#: lib/adminpanelaction.php:348 +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:364 +msgctxt "MENU" +msgid "Paths" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:370 #, fuzzy msgid "Sessions configuration" msgstr "確èªä¿¡ç®±" +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:372 +#, fuzzy +msgctxt "MENU" +msgid "Sessions" +msgstr "地點" + #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." msgstr "" @@ -4829,11 +4966,11 @@ msgstr "" msgid "Tags for this attachment" msgstr "" -#: lib/authenticationplugin.php:218 lib/authenticationplugin.php:223 +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 msgid "Password changing failed" msgstr "" -#: lib/authenticationplugin.php:233 +#: lib/authenticationplugin.php:235 msgid "Password changing is not allowed" msgstr "" @@ -5111,20 +5248,20 @@ msgid "" "tracking - not yet implemented.\n" msgstr "" -#: lib/common.php:136 +#: lib/common.php:148 #, fuzzy msgid "No configuration file found. " msgstr "無確èªç¢¼" -#: lib/common.php:137 +#: lib/common.php:149 msgid "I looked for configuration files in the following places: " msgstr "" -#: lib/common.php:139 +#: lib/common.php:151 msgid "You may wish to run the installer to fix this." msgstr "" -#: lib/common.php:140 +#: lib/common.php:152 msgid "Go to the installer." msgstr "" @@ -5770,6 +5907,10 @@ msgstr "" msgid "Favorites" msgstr "" +#: lib/personalgroupnav.php:115 +msgid "User" +msgstr "" + #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" @@ -5884,6 +6025,10 @@ msgstr "" msgid "Keyword(s)" msgstr "" +#: lib/searchaction.php:127 +msgid "Search" +msgstr "" + #: lib/searchaction.php:162 msgid "Search help" msgstr "" @@ -5937,6 +6082,15 @@ msgstr "此帳號已註冊" msgid "Groups %s is a member of" msgstr "" +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "" + #: lib/subscriberspeopleselftagcloudsection.php:48 #: lib/subscriptionspeopleselftagcloudsection.php:48 msgid "People Tagcloud as self-tagged" @@ -6011,47 +6165,47 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:993 +#: lib/util.php:1013 msgid "a few seconds ago" msgstr "" -#: lib/util.php:995 +#: lib/util.php:1015 msgid "about a minute ago" msgstr "" -#: lib/util.php:997 +#: lib/util.php:1017 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:999 +#: lib/util.php:1019 msgid "about an hour ago" msgstr "" -#: lib/util.php:1001 +#: lib/util.php:1021 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:1003 +#: lib/util.php:1023 msgid "about a day ago" msgstr "" -#: lib/util.php:1005 +#: lib/util.php:1025 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:1007 +#: lib/util.php:1027 msgid "about a month ago" msgstr "" -#: lib/util.php:1009 +#: lib/util.php:1029 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:1011 +#: lib/util.php:1031 msgid "about a year ago" msgstr "" -- cgit v1.2.3-54-g00ecf From 358556057a87c0cb9291223a2026782e6548ff2e Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Tue, 2 Mar 2010 23:24:50 -0500 Subject: Bump to phpCAS 1.1.0RC6 --- plugins/CasAuthentication/extlib/CAS.php | 3086 ++++++++++---------- .../extlib/CAS/PGTStorage/pgt-db.php | 378 +-- .../extlib/CAS/PGTStorage/pgt-file.php | 496 ++-- .../extlib/CAS/PGTStorage/pgt-main.php | 374 +-- plugins/CasAuthentication/extlib/CAS/client.php | 552 +++- .../extlib/CAS/domxml-php4-php5.php | 277 -- .../extlib/CAS/domxml-php4-to-php5.php | 499 ++++ .../extlib/CAS/languages/catalan.php | 54 +- .../extlib/CAS/languages/english.php | 52 +- .../extlib/CAS/languages/french.php | 54 +- .../extlib/CAS/languages/german.php | 52 +- .../extlib/CAS/languages/greek.php | 52 +- .../extlib/CAS/languages/japanese.php | 12 +- .../extlib/CAS/languages/languages.php | 46 +- .../extlib/CAS/languages/spanish.php | 54 +- 15 files changed, 3391 insertions(+), 2647 deletions(-) delete mode 100644 plugins/CasAuthentication/extlib/CAS/domxml-php4-php5.php create mode 100644 plugins/CasAuthentication/extlib/CAS/domxml-php4-to-php5.php diff --git a/plugins/CasAuthentication/extlib/CAS.php b/plugins/CasAuthentication/extlib/CAS.php index f5ea0b12a..e75437419 100644 --- a/plugins/CasAuthentication/extlib/CAS.php +++ b/plugins/CasAuthentication/extlib/CAS.php @@ -1,1471 +1,1615 @@ -=')) { - require_once(dirname(__FILE__).'/CAS/domxml-php4-php5.php'); -} - -/** - * @file CAS/CAS.php - * Interface class of the phpCAS library - * - * @ingroup public - */ - -// ######################################################################## -// CONSTANTS -// ######################################################################## - -// ------------------------------------------------------------------------ -// CAS VERSIONS -// ------------------------------------------------------------------------ - -/** - * phpCAS version. accessible for the user by phpCAS::getVersion(). - */ -define('PHPCAS_VERSION','1.0.1'); - -// ------------------------------------------------------------------------ -// CAS VERSIONS -// ------------------------------------------------------------------------ - /** - * @addtogroup public - * @{ - */ - -/** - * CAS version 1.0 - */ -define("CAS_VERSION_1_0",'1.0'); -/*! - * CAS version 2.0 - */ -define("CAS_VERSION_2_0",'2.0'); - -/** @} */ - /** - * @addtogroup publicPGTStorage - * @{ - */ -// ------------------------------------------------------------------------ -// FILE PGT STORAGE -// ------------------------------------------------------------------------ - /** - * Default path used when storing PGT's to file - */ -define("CAS_PGT_STORAGE_FILE_DEFAULT_PATH",'/tmp'); -/** - * phpCAS::setPGTStorageFile()'s 2nd parameter to write plain text files - */ -define("CAS_PGT_STORAGE_FILE_FORMAT_PLAIN",'plain'); -/** - * phpCAS::setPGTStorageFile()'s 2nd parameter to write xml files - */ -define("CAS_PGT_STORAGE_FILE_FORMAT_XML",'xml'); -/** - * Default format used when storing PGT's to file - */ -define("CAS_PGT_STORAGE_FILE_DEFAULT_FORMAT",CAS_PGT_STORAGE_FILE_FORMAT_PLAIN); -// ------------------------------------------------------------------------ -// DATABASE PGT STORAGE -// ------------------------------------------------------------------------ - /** - * default database type when storing PGT's to database - */ -define("CAS_PGT_STORAGE_DB_DEFAULT_DATABASE_TYPE",'mysql'); -/** - * default host when storing PGT's to database - */ -define("CAS_PGT_STORAGE_DB_DEFAULT_HOSTNAME",'localhost'); -/** - * default port when storing PGT's to database - */ -define("CAS_PGT_STORAGE_DB_DEFAULT_PORT",''); -/** - * default database when storing PGT's to database - */ -define("CAS_PGT_STORAGE_DB_DEFAULT_DATABASE",'phpCAS'); -/** - * default table when storing PGT's to database - */ -define("CAS_PGT_STORAGE_DB_DEFAULT_TABLE",'pgt'); - -/** @} */ -// ------------------------------------------------------------------------ -// SERVICE ACCESS ERRORS -// ------------------------------------------------------------------------ - /** - * @addtogroup publicServices - * @{ - */ - -/** - * phpCAS::service() error code on success - */ -define("PHPCAS_SERVICE_OK",0); -/** - * phpCAS::service() error code when the PT could not retrieve because - * the CAS server did not respond. - */ -define("PHPCAS_SERVICE_PT_NO_SERVER_RESPONSE",1); -/** - * phpCAS::service() error code when the PT could not retrieve because - * the response of the CAS server was ill-formed. - */ -define("PHPCAS_SERVICE_PT_BAD_SERVER_RESPONSE",2); -/** - * phpCAS::service() error code when the PT could not retrieve because - * the CAS server did not want to. - */ -define("PHPCAS_SERVICE_PT_FAILURE",3); -/** - * phpCAS::service() error code when the service was not available. - */ -define("PHPCAS_SERVICE_NOT AVAILABLE",4); - -/** @} */ -// ------------------------------------------------------------------------ -// LANGUAGES -// ------------------------------------------------------------------------ - /** - * @addtogroup publicLang - * @{ - */ - -define("PHPCAS_LANG_ENGLISH", 'english'); -define("PHPCAS_LANG_FRENCH", 'french'); -define("PHPCAS_LANG_GREEK", 'greek'); -define("PHPCAS_LANG_GERMAN", 'german'); -define("PHPCAS_LANG_JAPANESE", 'japanese'); -define("PHPCAS_LANG_SPANISH", 'spanish'); -define("PHPCAS_LANG_CATALAN", 'catalan'); - -/** @} */ - -/** - * @addtogroup internalLang - * @{ - */ - -/** - * phpCAS default language (when phpCAS::setLang() is not used) - */ -define("PHPCAS_LANG_DEFAULT", PHPCAS_LANG_ENGLISH); - -/** @} */ -// ------------------------------------------------------------------------ -// DEBUG -// ------------------------------------------------------------------------ - /** - * @addtogroup publicDebug - * @{ - */ - -/** - * The default directory for the debug file under Unix. - */ -define('DEFAULT_DEBUG_DIR','/tmp/'); - -/** @} */ -// ------------------------------------------------------------------------ -// MISC -// ------------------------------------------------------------------------ - /** - * @addtogroup internalMisc - * @{ - */ - -/** - * This global variable is used by the interface class phpCAS. - * - * @hideinitializer - */ -$GLOBALS['PHPCAS_CLIENT'] = null; - -/** - * This global variable is used to store where the initializer is called from - * (to print a comprehensive error in case of multiple calls). - * - * @hideinitializer - */ -$GLOBALS['PHPCAS_INIT_CALL'] = array('done' => FALSE, - 'file' => '?', - 'line' => -1, - 'method' => '?'); - -/** - * This global variable is used to store where the method checking - * the authentication is called from (to print comprehensive errors) - * - * @hideinitializer - */ -$GLOBALS['PHPCAS_AUTH_CHECK_CALL'] = array('done' => FALSE, - 'file' => '?', - 'line' => -1, - 'method' => '?', - 'result' => FALSE); - -/** - * This global variable is used to store phpCAS debug mode. - * - * @hideinitializer - */ -$GLOBALS['PHPCAS_DEBUG'] = array('filename' => FALSE, - 'indent' => 0, - 'unique_id' => ''); - -/** @} */ - -// ######################################################################## -// CLIENT CLASS -// ######################################################################## - -// include client class -include_once(dirname(__FILE__).'/CAS/client.php'); - -// ######################################################################## -// INTERFACE CLASS -// ######################################################################## - -/** - * @class phpCAS - * The phpCAS class is a simple container for the phpCAS library. It provides CAS - * authentication for web applications written in PHP. - * - * @ingroup public - * @author Pascal Aubry - * - * \internal All its methods access the same object ($PHPCAS_CLIENT, declared - * at the end of CAS/client.php). - */ - - - -class phpCAS -{ - - // ######################################################################## - // INITIALIZATION - // ######################################################################## - - /** - * @addtogroup publicInit - * @{ - */ - - /** - * phpCAS client initializer. - * @note Only one of the phpCAS::client() and phpCAS::proxy functions should be - * called, only once, and before all other methods (except phpCAS::getVersion() - * and phpCAS::setDebug()). - * - * @param $server_version the version of the CAS server - * @param $server_hostname the hostname of the CAS server - * @param $server_port the port the CAS server is running on - * @param $server_uri the URI the CAS server is responding on - * @param $start_session Have phpCAS start PHP sessions (default true) - * - * @return a newly created CASClient object - */ - function client($server_version, - $server_hostname, - $server_port, - $server_uri, - $start_session = true) - { - global $PHPCAS_CLIENT, $PHPCAS_INIT_CALL; - - phpCAS::traceBegin(); - if ( is_object($PHPCAS_CLIENT) ) { - phpCAS::error($PHPCAS_INIT_CALL['method'].'() has already been called (at '.$PHPCAS_INIT_CALL['file'].':'.$PHPCAS_INIT_CALL['line'].')'); - } - if ( gettype($server_version) != 'string' ) { - phpCAS::error('type mismatched for parameter $server_version (should be `string\')'); - } - if ( gettype($server_hostname) != 'string' ) { - phpCAS::error('type mismatched for parameter $server_hostname (should be `string\')'); - } - if ( gettype($server_port) != 'integer' ) { - phpCAS::error('type mismatched for parameter $server_port (should be `integer\')'); - } - if ( gettype($server_uri) != 'string' ) { - phpCAS::error('type mismatched for parameter $server_uri (should be `string\')'); - } - - // store where the initialzer is called from - $dbg = phpCAS::backtrace(); - $PHPCAS_INIT_CALL = array('done' => TRUE, - 'file' => $dbg[0]['file'], - 'line' => $dbg[0]['line'], - 'method' => __CLASS__.'::'.__FUNCTION__); - - // initialize the global object $PHPCAS_CLIENT - $PHPCAS_CLIENT = new CASClient($server_version,FALSE/*proxy*/,$server_hostname,$server_port,$server_uri,$start_session); - phpCAS::traceEnd(); - } - - /** - * phpCAS proxy initializer. - * @note Only one of the phpCAS::client() and phpCAS::proxy functions should be - * called, only once, and before all other methods (except phpCAS::getVersion() - * and phpCAS::setDebug()). - * - * @param $server_version the version of the CAS server - * @param $server_hostname the hostname of the CAS server - * @param $server_port the port the CAS server is running on - * @param $server_uri the URI the CAS server is responding on - * @param $start_session Have phpCAS start PHP sessions (default true) - * - * @return a newly created CASClient object - */ - function proxy($server_version, - $server_hostname, - $server_port, - $server_uri, - $start_session = true) - { - global $PHPCAS_CLIENT, $PHPCAS_INIT_CALL; - - phpCAS::traceBegin(); - if ( is_object($PHPCAS_CLIENT) ) { - phpCAS::error($PHPCAS_INIT_CALL['method'].'() has already been called (at '.$PHPCAS_INIT_CALL['file'].':'.$PHPCAS_INIT_CALL['line'].')'); - } - if ( gettype($server_version) != 'string' ) { - phpCAS::error('type mismatched for parameter $server_version (should be `string\')'); - } - if ( gettype($server_hostname) != 'string' ) { - phpCAS::error('type mismatched for parameter $server_hostname (should be `string\')'); - } - if ( gettype($server_port) != 'integer' ) { - phpCAS::error('type mismatched for parameter $server_port (should be `integer\')'); - } - if ( gettype($server_uri) != 'string' ) { - phpCAS::error('type mismatched for parameter $server_uri (should be `string\')'); - } - - // store where the initialzer is called from - $dbg = phpCAS::backtrace(); - $PHPCAS_INIT_CALL = array('done' => TRUE, - 'file' => $dbg[0]['file'], - 'line' => $dbg[0]['line'], - 'method' => __CLASS__.'::'.__FUNCTION__); - - // initialize the global object $PHPCAS_CLIENT - $PHPCAS_CLIENT = new CASClient($server_version,TRUE/*proxy*/,$server_hostname,$server_port,$server_uri,$start_session); - phpCAS::traceEnd(); - } - - /** @} */ - // ######################################################################## - // DEBUGGING - // ######################################################################## - - /** - * @addtogroup publicDebug - * @{ - */ - - /** - * Set/unset debug mode - * - * @param $filename the name of the file used for logging, or FALSE to stop debugging. - */ - function setDebug($filename='') - { - global $PHPCAS_DEBUG; - - if ( $filename != FALSE && gettype($filename) != 'string' ) { - phpCAS::error('type mismatched for parameter $dbg (should be FALSE or the name of the log file)'); - } - - if ( empty($filename) ) { - if ( preg_match('/^Win.*/',getenv('OS')) ) { - if ( isset($_ENV['TMP']) ) { - $debugDir = $_ENV['TMP'].'/'; - } else if ( isset($_ENV['TEMP']) ) { - $debugDir = $_ENV['TEMP'].'/'; - } else { - $debugDir = ''; - } - } else { - $debugDir = DEFAULT_DEBUG_DIR; - } - $filename = $debugDir . 'phpCAS.log'; - } - - if ( empty($PHPCAS_DEBUG['unique_id']) ) { - $PHPCAS_DEBUG['unique_id'] = substr(strtoupper(md5(uniqid(''))),0,4); - } - - $PHPCAS_DEBUG['filename'] = $filename; - - phpCAS::trace('START ******************'); - } - - /** @} */ - /** - * @addtogroup internalDebug - * @{ - */ - - /** - * This method is a wrapper for debug_backtrace() that is not available - * in all PHP versions (>= 4.3.0 only) - */ - function backtrace() - { - if ( function_exists('debug_backtrace') ) { - return debug_backtrace(); - } else { - // poor man's hack ... but it does work ... - return array(); - } - } - - /** - * Logs a string in debug mode. - * - * @param $str the string to write - * - * @private - */ - function log($str) - { - $indent_str = "."; - global $PHPCAS_DEBUG; - - if ( $PHPCAS_DEBUG['filename'] ) { - for ($i=0;$i<$PHPCAS_DEBUG['indent'];$i++) { - $indent_str .= '| '; - } - error_log($PHPCAS_DEBUG['unique_id'].' '.$indent_str.$str."\n",3,$PHPCAS_DEBUG['filename']); - } - - } - - /** - * This method is used by interface methods to print an error and where the function - * was originally called from. - * - * @param $msg the message to print - * - * @private - */ - function error($msg) - { - $dbg = phpCAS::backtrace(); - $function = '?'; - $file = '?'; - $line = '?'; - if ( is_array($dbg) ) { - for ( $i=1; $i\nphpCAS error: ".__CLASS__."::".$function.'(): '.htmlentities($msg)." in ".$file." on line ".$line."
    \n"; - phpCAS::trace($msg); - phpCAS::traceExit(); - exit(); - } - - /** - * This method is used to log something in debug mode. - */ - function trace($str) - { - $dbg = phpCAS::backtrace(); - phpCAS::log($str.' ['.basename($dbg[1]['file']).':'.$dbg[1]['line'].']'); - } - - /** - * This method is used to indicate the start of the execution of a function in debug mode. - */ - function traceBegin() - { - global $PHPCAS_DEBUG; - - $dbg = phpCAS::backtrace(); - $str = '=> '; - if ( !empty($dbg[2]['class']) ) { - $str .= $dbg[2]['class'].'::'; - } - $str .= $dbg[2]['function'].'('; - if ( is_array($dbg[2]['args']) ) { - foreach ($dbg[2]['args'] as $index => $arg) { - if ( $index != 0 ) { - $str .= ', '; - } - $str .= str_replace("\n","",var_export($arg,TRUE)); - } - } - $str .= ') ['.basename($dbg[2]['file']).':'.$dbg[2]['line'].']'; - phpCAS::log($str); - $PHPCAS_DEBUG['indent'] ++; - } - - /** - * This method is used to indicate the end of the execution of a function in debug mode. - * - * @param $res the result of the function - */ - function traceEnd($res='') - { - global $PHPCAS_DEBUG; - - $PHPCAS_DEBUG['indent'] --; - $dbg = phpCAS::backtrace(); - $str = ''; - $str .= '<= '.str_replace("\n","",var_export($res,TRUE)); - phpCAS::log($str); - } - - /** - * This method is used to indicate the end of the execution of the program - */ - function traceExit() - { - global $PHPCAS_DEBUG; - - phpCAS::log('exit()'); - while ( $PHPCAS_DEBUG['indent'] > 0 ) { - phpCAS::log('-'); - $PHPCAS_DEBUG['indent'] --; - } - } - - /** @} */ - // ######################################################################## - // INTERNATIONALIZATION - // ######################################################################## - /** - * @addtogroup publicLang - * @{ - */ - - /** - * This method is used to set the language used by phpCAS. - * @note Can be called only once. - * - * @param $lang a string representing the language. - * - * @sa PHPCAS_LANG_FRENCH, PHPCAS_LANG_ENGLISH - */ - function setLang($lang) - { - global $PHPCAS_CLIENT; - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); - } - if ( gettype($lang) != 'string' ) { - phpCAS::error('type mismatched for parameter $lang (should be `string\')'); - } - $PHPCAS_CLIENT->setLang($lang); - } - - /** @} */ - // ######################################################################## - // VERSION - // ######################################################################## - /** - * @addtogroup public - * @{ - */ - - /** - * This method returns the phpCAS version. - * - * @return the phpCAS version. - */ - function getVersion() - { - return PHPCAS_VERSION; - } - - /** @} */ - // ######################################################################## - // HTML OUTPUT - // ######################################################################## - /** - * @addtogroup publicOutput - * @{ - */ - - /** - * This method sets the HTML header used for all outputs. - * - * @param $header the HTML header. - */ - function setHTMLHeader($header) - { - global $PHPCAS_CLIENT; - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); - } - if ( gettype($header) != 'string' ) { - phpCAS::error('type mismatched for parameter $header (should be `string\')'); - } - $PHPCAS_CLIENT->setHTMLHeader($header); - } - - /** - * This method sets the HTML footer used for all outputs. - * - * @param $footer the HTML footer. - */ - function setHTMLFooter($footer) - { - global $PHPCAS_CLIENT; - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); - } - if ( gettype($footer) != 'string' ) { - phpCAS::error('type mismatched for parameter $footer (should be `string\')'); - } - $PHPCAS_CLIENT->setHTMLFooter($footer); - } - - /** @} */ - // ######################################################################## - // PGT STORAGE - // ######################################################################## - /** - * @addtogroup publicPGTStorage - * @{ - */ - - /** - * This method is used to tell phpCAS to store the response of the - * CAS server to PGT requests onto the filesystem. - * - * @param $format the format used to store the PGT's (`plain' and `xml' allowed) - * @param $path the path where the PGT's should be stored - */ - function setPGTStorageFile($format='', - $path='') - { - global $PHPCAS_CLIENT,$PHPCAS_AUTH_CHECK_CALL; - - phpCAS::traceBegin(); - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); - } - if ( !$PHPCAS_CLIENT->isProxy() ) { - phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); - } - if ( $PHPCAS_AUTH_CHECK_CALL['done'] ) { - phpCAS::error('this method should only be called before '.$PHPCAS_AUTH_CHECK_CALL['method'].'() (called at '.$PHPCAS_AUTH_CHECK_CALL['file'].':'.$PHPCAS_AUTH_CHECK_CALL['line'].')'); - } - if ( gettype($format) != 'string' ) { - phpCAS::error('type mismatched for parameter $format (should be `string\')'); - } - if ( gettype($path) != 'string' ) { - phpCAS::error('type mismatched for parameter $format (should be `string\')'); - } - $PHPCAS_CLIENT->setPGTStorageFile($format,$path); - phpCAS::traceEnd(); - } - - /** - * This method is used to tell phpCAS to store the response of the - * CAS server to PGT requests into a database. - * @note The connection to the database is done only when needed. - * As a consequence, bad parameters are detected only when - * initializing PGT storage, except in debug mode. - * - * @param $user the user to access the data with - * @param $password the user's password - * @param $database_type the type of the database hosting the data - * @param $hostname the server hosting the database - * @param $port the port the server is listening on - * @param $database the name of the database - * @param $table the name of the table storing the data - */ - function setPGTStorageDB($user, - $password, - $database_type='', - $hostname='', - $port=0, - $database='', - $table='') - { - global $PHPCAS_CLIENT,$PHPCAS_AUTH_CHECK_CALL; - - phpCAS::traceBegin(); - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); - } - if ( !$PHPCAS_CLIENT->isProxy() ) { - phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); - } - if ( $PHPCAS_AUTH_CHECK_CALL['done'] ) { - phpCAS::error('this method should only be called before '.$PHPCAS_AUTH_CHECK_CALL['method'].'() (called at '.$PHPCAS_AUTH_CHECK_CALL['file'].':'.$PHPCAS_AUTH_CHECK_CALL['line'].')'); - } - if ( gettype($user) != 'string' ) { - phpCAS::error('type mismatched for parameter $user (should be `string\')'); - } - if ( gettype($password) != 'string' ) { - phpCAS::error('type mismatched for parameter $password (should be `string\')'); - } - if ( gettype($database_type) != 'string' ) { - phpCAS::error('type mismatched for parameter $database_type (should be `string\')'); - } - if ( gettype($hostname) != 'string' ) { - phpCAS::error('type mismatched for parameter $hostname (should be `string\')'); - } - if ( gettype($port) != 'integer' ) { - phpCAS::error('type mismatched for parameter $port (should be `integer\')'); - } - if ( gettype($database) != 'string' ) { - phpCAS::error('type mismatched for parameter $database (should be `string\')'); - } - if ( gettype($table) != 'string' ) { - phpCAS::error('type mismatched for parameter $table (should be `string\')'); - } - $PHPCAS_CLIENT->setPGTStorageDB($this,$user,$password,$hostname,$port,$database,$table); - phpCAS::traceEnd(); - } - - /** @} */ - // ######################################################################## - // ACCESS TO EXTERNAL SERVICES - // ######################################################################## - /** - * @addtogroup publicServices - * @{ - */ - - /** - * This method is used to access an HTTP[S] service. - * - * @param $url the service to access. - * @param $err_code an error code Possible values are PHPCAS_SERVICE_OK (on - * success), PHPCAS_SERVICE_PT_NO_SERVER_RESPONSE, PHPCAS_SERVICE_PT_BAD_SERVER_RESPONSE, - * PHPCAS_SERVICE_PT_FAILURE, PHPCAS_SERVICE_NOT AVAILABLE. - * @param $output the output of the service (also used to give an error - * message on failure). - * - * @return TRUE on success, FALSE otherwise (in this later case, $err_code - * gives the reason why it failed and $output contains an error message). - */ - function serviceWeb($url,&$err_code,&$output) - { - global $PHPCAS_CLIENT, $PHPCAS_AUTH_CHECK_CALL; - - phpCAS::traceBegin(); - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); - } - if ( !$PHPCAS_CLIENT->isProxy() ) { - phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); - } - if ( !$PHPCAS_AUTH_CHECK_CALL['done'] ) { - phpCAS::error('this method should only be called after the programmer is sure the user has been authenticated (by calling '.__CLASS__.'::checkAuthentication() or '.__CLASS__.'::forceAuthentication()'); - } - if ( !$PHPCAS_AUTH_CHECK_CALL['result'] ) { - phpCAS::error('authentication was checked (by '.$PHPCAS_AUTH_CHECK_CALL['method'].'() at '.$PHPCAS_AUTH_CHECK_CALL['file'].':'.$PHPCAS_AUTH_CHECK_CALL['line'].') but the method returned FALSE'); - } - if ( gettype($url) != 'string' ) { - phpCAS::error('type mismatched for parameter $url (should be `string\')'); - } - - $res = $PHPCAS_CLIENT->serviceWeb($url,$err_code,$output); - - phpCAS::traceEnd($res); - return $res; - } - - /** - * This method is used to access an IMAP/POP3/NNTP service. - * - * @param $url a string giving the URL of the service, including the mailing box - * for IMAP URLs, as accepted by imap_open(). - * @param $flags options given to imap_open(). - * @param $err_code an error code Possible values are PHPCAS_SERVICE_OK (on - * success), PHPCAS_SERVICE_PT_NO_SERVER_RESPONSE, PHPCAS_SERVICE_PT_BAD_SERVER_RESPONSE, - * PHPCAS_SERVICE_PT_FAILURE, PHPCAS_SERVICE_NOT AVAILABLE. - * @param $err_msg an error message on failure - * @param $pt the Proxy Ticket (PT) retrieved from the CAS server to access the URL - * on success, FALSE on error). - * - * @return an IMAP stream on success, FALSE otherwise (in this later case, $err_code - * gives the reason why it failed and $err_msg contains an error message). - */ - function serviceMail($url,$flags,&$err_code,&$err_msg,&$pt) - { - global $PHPCAS_CLIENT, $PHPCAS_AUTH_CHECK_CALL; - - phpCAS::traceBegin(); - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); - } - if ( !$PHPCAS_CLIENT->isProxy() ) { - phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); - } - if ( !$PHPCAS_AUTH_CHECK_CALL['done'] ) { - phpCAS::error('this method should only be called after the programmer is sure the user has been authenticated (by calling '.__CLASS__.'::checkAuthentication() or '.__CLASS__.'::forceAuthentication()'); - } - if ( !$PHPCAS_AUTH_CHECK_CALL['result'] ) { - phpCAS::error('authentication was checked (by '.$PHPCAS_AUTH_CHECK_CALL['method'].'() at '.$PHPCAS_AUTH_CHECK_CALL['file'].':'.$PHPCAS_AUTH_CHECK_CALL['line'].') but the method returned FALSE'); - } - if ( gettype($url) != 'string' ) { - phpCAS::error('type mismatched for parameter $url (should be `string\')'); - } - - if ( gettype($flags) != 'integer' ) { - phpCAS::error('type mismatched for parameter $flags (should be `integer\')'); - } - - $res = $PHPCAS_CLIENT->serviceMail($url,$flags,$err_code,$err_msg,$pt); - - phpCAS::traceEnd($res); - return $res; - } - - /** @} */ - // ######################################################################## - // AUTHENTICATION - // ######################################################################## - /** - * @addtogroup publicAuth - * @{ - */ - - /** - * Set the times authentication will be cached before really accessing the CAS server in gateway mode: - * - -1: check only once, and then never again (until you pree login) - * - 0: always check - * - n: check every "n" time - * - * @param $n an integer. - */ - function setCacheTimesForAuthRecheck($n) - { - global $PHPCAS_CLIENT; - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); - } - if ( gettype($n) != 'integer' ) { - phpCAS::error('type mismatched for parameter $header (should be `string\')'); - } - $PHPCAS_CLIENT->setCacheTimesForAuthRecheck($n); - } - - /** - * This method is called to check if the user is authenticated (use the gateway feature). - * @return TRUE when the user is authenticated; otherwise FALSE. - */ - function checkAuthentication() - { - global $PHPCAS_CLIENT, $PHPCAS_AUTH_CHECK_CALL; - - phpCAS::traceBegin(); - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); - } - - $auth = $PHPCAS_CLIENT->checkAuthentication(); - - // store where the authentication has been checked and the result - $dbg = phpCAS::backtrace(); - $PHPCAS_AUTH_CHECK_CALL = array('done' => TRUE, - 'file' => $dbg[0]['file'], - 'line' => $dbg[0]['line'], - 'method' => __CLASS__.'::'.__FUNCTION__, - 'result' => $auth ); - phpCAS::traceEnd($auth); - return $auth; - } - - /** - * This method is called to force authentication if the user was not already - * authenticated. If the user is not authenticated, halt by redirecting to - * the CAS server. - */ - function forceAuthentication() - { - global $PHPCAS_CLIENT, $PHPCAS_AUTH_CHECK_CALL; - - phpCAS::traceBegin(); - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); - } - - $auth = $PHPCAS_CLIENT->forceAuthentication(); - - // store where the authentication has been checked and the result - $dbg = phpCAS::backtrace(); - $PHPCAS_AUTH_CHECK_CALL = array('done' => TRUE, - 'file' => $dbg[0]['file'], - 'line' => $dbg[0]['line'], - 'method' => __CLASS__.'::'.__FUNCTION__, - 'result' => $auth ); - - if ( !$auth ) { - phpCAS::trace('user is not authenticated, redirecting to the CAS server'); - $PHPCAS_CLIENT->forceAuthentication(); - } else { - phpCAS::trace('no need to authenticate (user `'.phpCAS::getUser().'\' is already authenticated)'); - } - - phpCAS::traceEnd(); - return $auth; - } - - /** - * This method is called to renew the authentication. - **/ - function renewAuthentication() { - global $PHPCAS_CLIENT, $PHPCAS_AUTH_CHECK_CALL; - - phpCAS::traceBegin(); - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should not be called before'.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); - } - - // store where the authentication has been checked and the result - $dbg = phpCAS::backtrace(); - $PHPCAS_AUTH_CHECK_CALL = array('done' => TRUE, 'file' => $dbg[0]['file'], 'line' => $dbg[0]['line'], 'method' => __CLASS__.'::'.__FUNCTION__, 'result' => $auth ); - - $PHPCAS_CLIENT->renewAuthentication(); - phpCAS::traceEnd(); - } - - /** - * This method has been left from version 0.4.1 for compatibility reasons. - */ - function authenticate() - { - phpCAS::error('this method is deprecated. You should use '.__CLASS__.'::forceAuthentication() instead'); - } - - /** - * This method is called to check if the user is authenticated (previously or by - * tickets given in the URL). - * - * @return TRUE when the user is authenticated. - */ - function isAuthenticated() - { - global $PHPCAS_CLIENT, $PHPCAS_AUTH_CHECK_CALL; - - phpCAS::traceBegin(); - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); - } - - // call the isAuthenticated method of the global $PHPCAS_CLIENT object - $auth = $PHPCAS_CLIENT->isAuthenticated(); - - // store where the authentication has been checked and the result - $dbg = phpCAS::backtrace(); - $PHPCAS_AUTH_CHECK_CALL = array('done' => TRUE, - 'file' => $dbg[0]['file'], - 'line' => $dbg[0]['line'], - 'method' => __CLASS__.'::'.__FUNCTION__, - 'result' => $auth ); - phpCAS::traceEnd($auth); - return $auth; - } - - /** - * Checks whether authenticated based on $_SESSION. Useful to avoid - * server calls. - * @return true if authenticated, false otherwise. - * @since 0.4.22 by Brendan Arnold - */ - function isSessionAuthenticated () - { - global $PHPCAS_CLIENT; - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); - } - return($PHPCAS_CLIENT->isSessionAuthenticated()); - } - - /** - * This method returns the CAS user's login name. - * @warning should not be called only after phpCAS::forceAuthentication() - * or phpCAS::checkAuthentication(). - * - * @return the login name of the authenticated user - */ - function getUser() - { - global $PHPCAS_CLIENT, $PHPCAS_AUTH_CHECK_CALL; - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); - } - if ( !$PHPCAS_AUTH_CHECK_CALL['done'] ) { - phpCAS::error('this method should only be called after '.__CLASS__.'::forceAuthentication() or '.__CLASS__.'::isAuthenticated()'); - } - if ( !$PHPCAS_AUTH_CHECK_CALL['result'] ) { - phpCAS::error('authentication was checked (by '.$PHPCAS_AUTH_CHECK_CALL['method'].'() at '.$PHPCAS_AUTH_CHECK_CALL['file'].':'.$PHPCAS_AUTH_CHECK_CALL['line'].') but the method returned FALSE'); - } - return $PHPCAS_CLIENT->getUser(); - } - - /** - * Handle logout requests. - */ - function handleLogoutRequests($check_client=true, $allowed_clients=false) - { - global $PHPCAS_CLIENT; - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); - } - return($PHPCAS_CLIENT->handleLogoutRequests($check_client, $allowed_clients)); - } - - /** - * This method returns the URL to be used to login. - * or phpCAS::isAuthenticated(). - * - * @return the login name of the authenticated user - */ - function getServerLoginURL() - { - global $PHPCAS_CLIENT; - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); - } - return $PHPCAS_CLIENT->getServerLoginURL(); - } - - /** - * Set the login URL of the CAS server. - * @param $url the login URL - * @since 0.4.21 by Wyman Chan - */ - function setServerLoginURL($url='') - { - global $PHPCAS_CLIENT; - phpCAS::traceBegin(); - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should only be called after - '.__CLASS__.'::client()'); - } - if ( gettype($url) != 'string' ) { - phpCAS::error('type mismatched for parameter $url (should be - `string\')'); - } - $PHPCAS_CLIENT->setServerLoginURL($url); - phpCAS::traceEnd(); - } - - /** - * This method returns the URL to be used to login. - * or phpCAS::isAuthenticated(). - * - * @return the login name of the authenticated user - */ - function getServerLogoutURL() - { - global $PHPCAS_CLIENT; - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); - } - return $PHPCAS_CLIENT->getServerLogoutURL(); - } - - /** - * Set the logout URL of the CAS server. - * @param $url the logout URL - * @since 0.4.21 by Wyman Chan - */ - function setServerLogoutURL($url='') - { - global $PHPCAS_CLIENT; - phpCAS::traceBegin(); - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should only be called after - '.__CLASS__.'::client()'); - } - if ( gettype($url) != 'string' ) { - phpCAS::error('type mismatched for parameter $url (should be - `string\')'); - } - $PHPCAS_CLIENT->setServerLogoutURL($url); - phpCAS::traceEnd(); - } - - /** - * This method is used to logout from CAS. - * @params $params an array that contains the optional url and service parameters that will be passed to the CAS server - * @public - */ - function logout($params = "") { - global $PHPCAS_CLIENT; - phpCAS::traceBegin(); - if (!is_object($PHPCAS_CLIENT)) { - phpCAS::error('this method should only be called after '.__CLASS__.'::client() or'.__CLASS__.'::proxy()'); - } - $parsedParams = array(); - if ($params != "") { - if (is_string($params)) { - phpCAS::error('method `phpCAS::logout($url)\' is now deprecated, use `phpCAS::logoutWithUrl($url)\' instead'); - } - if (!is_array($params)) { - phpCAS::error('type mismatched for parameter $params (should be `array\')'); - } - foreach ($params as $key => $value) { - if ($key != "service" && $key != "url") { - phpCAS::error('only `url\' and `service\' parameters are allowed for method `phpCAS::logout($params)\''); - } - $parsedParams[$key] = $value; - } - } - $PHPCAS_CLIENT->logout($parsedParams); - // never reached - phpCAS::traceEnd(); - } - - /** - * This method is used to logout from CAS. Halts by redirecting to the CAS server. - * @param $service a URL that will be transmitted to the CAS server - */ - function logoutWithRedirectService($service) { - global $PHPCAS_CLIENT; - phpCAS::traceBegin(); - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should only be called after '.__CLASS__.'::client() or'.__CLASS__.'::proxy()'); - } - if (!is_string($service)) { - phpCAS::error('type mismatched for parameter $service (should be `string\')'); - } - $PHPCAS_CLIENT->logout(array("service" => $service)); - // never reached - phpCAS::traceEnd(); - } - - /** - * This method is used to logout from CAS. Halts by redirecting to the CAS server. - * @param $url a URL that will be transmitted to the CAS server - */ - function logoutWithUrl($url) { - global $PHPCAS_CLIENT; - phpCAS::traceBegin(); - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should only be called after '.__CLASS__.'::client() or'.__CLASS__.'::proxy()'); - } - if (!is_string($url)) { - phpCAS::error('type mismatched for parameter $url (should be `string\')'); - } - $PHPCAS_CLIENT->logout(array("url" => $url)); - // never reached - phpCAS::traceEnd(); - } - - /** - * This method is used to logout from CAS. Halts by redirecting to the CAS server. - * @param $service a URL that will be transmitted to the CAS server - * @param $url a URL that will be transmitted to the CAS server - */ - function logoutWithRedirectServiceAndUrl($service, $url) { - global $PHPCAS_CLIENT; - phpCAS::traceBegin(); - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should only be called after '.__CLASS__.'::client() or'.__CLASS__.'::proxy()'); - } - if (!is_string($service)) { - phpCAS::error('type mismatched for parameter $service (should be `string\')'); - } - if (!is_string($url)) { - phpCAS::error('type mismatched for parameter $url (should be `string\')'); - } - $PHPCAS_CLIENT->logout(array("service" => $service, "url" => $url)); - // never reached - phpCAS::traceEnd(); - } - - /** - * Set the fixed URL that will be used by the CAS server to transmit the PGT. - * When this method is not called, a phpCAS script uses its own URL for the callback. - * - * @param $url the URL - */ - function setFixedCallbackURL($url='') - { - global $PHPCAS_CLIENT; - phpCAS::traceBegin(); - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); - } - if ( !$PHPCAS_CLIENT->isProxy() ) { - phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); - } - if ( gettype($url) != 'string' ) { - phpCAS::error('type mismatched for parameter $url (should be `string\')'); - } - $PHPCAS_CLIENT->setCallbackURL($url); - phpCAS::traceEnd(); - } - - /** - * Set the fixed URL that will be set as the CAS service parameter. When this - * method is not called, a phpCAS script uses its own URL. - * - * @param $url the URL - */ - function setFixedServiceURL($url) - { - global $PHPCAS_CLIENT; - phpCAS::traceBegin(); - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); - } - if ( gettype($url) != 'string' ) { - phpCAS::error('type mismatched for parameter $url (should be `string\')'); - } - $PHPCAS_CLIENT->setURL($url); - phpCAS::traceEnd(); - } - - /** - * Get the URL that is set as the CAS service parameter. - */ - function getServiceURL() - { - global $PHPCAS_CLIENT; - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); - } - return($PHPCAS_CLIENT->getURL()); - } - - /** - * Retrieve a Proxy Ticket from the CAS server. - */ - function retrievePT($target_service,&$err_code,&$err_msg) - { - global $PHPCAS_CLIENT; - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); - } - if ( gettype($target_service) != 'string' ) { - phpCAS::error('type mismatched for parameter $target_service(should be `string\')'); - } - return($PHPCAS_CLIENT->retrievePT($target_service,$err_code,$err_msg)); - } - - /** - * Set the certificate of the CAS server. - * - * @param $cert the PEM certificate - */ - function setCasServerCert($cert) - { - global $PHPCAS_CLIENT; - phpCAS::traceBegin(); - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should only be called after '.__CLASS__.'::client() or'.__CLASS__.'::proxy()'); - } - if ( gettype($cert) != 'string' ) { - phpCAS::error('type mismatched for parameter $cert (should be `string\')'); - } - $PHPCAS_CLIENT->setCasServerCert($cert); - phpCAS::traceEnd(); - } - - /** - * Set the certificate of the CAS server CA. - * - * @param $cert the CA certificate - */ - function setCasServerCACert($cert) - { - global $PHPCAS_CLIENT; - phpCAS::traceBegin(); - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should only be called after '.__CLASS__.'::client() or'.__CLASS__.'::proxy()'); - } - if ( gettype($cert) != 'string' ) { - phpCAS::error('type mismatched for parameter $cert (should be `string\')'); - } - $PHPCAS_CLIENT->setCasServerCACert($cert); - phpCAS::traceEnd(); - } - - /** - * Set no SSL validation for the CAS server. - */ - function setNoCasServerValidation() - { - global $PHPCAS_CLIENT; - phpCAS::traceBegin(); - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should only be called after '.__CLASS__.'::client() or'.__CLASS__.'::proxy()'); - } - $PHPCAS_CLIENT->setNoCasServerValidation(); - phpCAS::traceEnd(); - } - - /** @} */ - - /** - * Change CURL options. - * CURL is used to connect through HTTPS to CAS server - * @param $key the option key - * @param $value the value to set - */ - function setExtraCurlOption($key, $value) - { - global $PHPCAS_CLIENT; - phpCAS::traceBegin(); - if ( !is_object($PHPCAS_CLIENT) ) { - phpCAS::error('this method should only be called after '.__CLASS__.'::client() or'.__CLASS__.'::proxy()'); - } - $PHPCAS_CLIENT->setExtraCurlOption($key, $value); - phpCAS::traceEnd(); - } - -} - -// ######################################################################## -// DOCUMENTATION -// ######################################################################## - -// ######################################################################## -// MAIN PAGE - -/** - * @mainpage - * - * The following pages only show the source documentation. - * - */ - -// ######################################################################## -// MODULES DEFINITION - -/** @defgroup public User interface */ - -/** @defgroup publicInit Initialization - * @ingroup public */ - -/** @defgroup publicAuth Authentication - * @ingroup public */ - -/** @defgroup publicServices Access to external services - * @ingroup public */ - -/** @defgroup publicConfig Configuration - * @ingroup public */ - -/** @defgroup publicLang Internationalization - * @ingroup publicConfig */ - -/** @defgroup publicOutput HTML output - * @ingroup publicConfig */ - -/** @defgroup publicPGTStorage PGT storage - * @ingroup publicConfig */ - -/** @defgroup publicDebug Debugging - * @ingroup public */ - - -/** @defgroup internal Implementation */ - -/** @defgroup internalAuthentication Authentication - * @ingroup internal */ - -/** @defgroup internalBasic CAS Basic client features (CAS 1.0, Service Tickets) - * @ingroup internal */ - -/** @defgroup internalProxy CAS Proxy features (CAS 2.0, Proxy Granting Tickets) - * @ingroup internal */ - -/** @defgroup internalPGTStorage PGT storage - * @ingroup internalProxy */ - -/** @defgroup internalPGTStorageDB PGT storage in a database - * @ingroup internalPGTStorage */ - -/** @defgroup internalPGTStorageFile PGT storage on the filesystem - * @ingroup internalPGTStorage */ - -/** @defgroup internalCallback Callback from the CAS server - * @ingroup internalProxy */ - -/** @defgroup internalProxied CAS proxied client features (CAS 2.0, Proxy Tickets) - * @ingroup internal */ - -/** @defgroup internalConfig Configuration - * @ingroup internal */ - -/** @defgroup internalOutput HTML output - * @ingroup internalConfig */ - -/** @defgroup internalLang Internationalization - * @ingroup internalConfig - * - * To add a new language: - * - 1. define a new constant PHPCAS_LANG_XXXXXX in CAS/CAS.php - * - 2. copy any file from CAS/languages to CAS/languages/XXXXXX.php - * - 3. Make the translations - */ - -/** @defgroup internalDebug Debugging - * @ingroup internal */ - -/** @defgroup internalMisc Miscellaneous - * @ingroup internal */ - -// ######################################################################## -// EXAMPLES - -/** - * @example example_simple.php - */ - /** - * @example example_proxy.php - */ - /** - * @example example_proxy2.php - */ - /** - * @example example_lang.php - */ - /** - * @example example_html.php - */ - /** - * @example example_file.php - */ - /** - * @example example_db.php - */ - /** - * @example example_service.php - */ - /** - * @example example_session_proxy.php - */ - /** - * @example example_session_service.php - */ - /** - * @example example_gateway.php - */ - - - -?> +=')) { + require_once(dirname(__FILE__).'/CAS/domxml-php4-to-php5.php'); +} + +/** + * @file CAS/CAS.php + * Interface class of the phpCAS library + * + * @ingroup public + */ + +// ######################################################################## +// CONSTANTS +// ######################################################################## + +// ------------------------------------------------------------------------ +// CAS VERSIONS +// ------------------------------------------------------------------------ + +/** + * phpCAS version. accessible for the user by phpCAS::getVersion(). + */ +define('PHPCAS_VERSION','1.1.0RC6'); + +// ------------------------------------------------------------------------ +// CAS VERSIONS +// ------------------------------------------------------------------------ + /** + * @addtogroup public + * @{ + */ + +/** + * CAS version 1.0 + */ +define("CAS_VERSION_1_0",'1.0'); +/*! + * CAS version 2.0 + */ +define("CAS_VERSION_2_0",'2.0'); + +// ------------------------------------------------------------------------ +// SAML defines +// ------------------------------------------------------------------------ + +/** + * SAML protocol + */ +define("SAML_VERSION_1_1", 'S1'); + +/** + * XML header for SAML POST + */ +define("SAML_XML_HEADER", ''); + +/** + * SOAP envelope for SAML POST + */ +define ("SAML_SOAP_ENV", ''); + +/** + * SOAP body for SAML POST + */ +define ("SAML_SOAP_BODY", ''); + +/** + * SAMLP request + */ +define ("SAMLP_REQUEST", ''); +define ("SAMLP_REQUEST_CLOSE", ''); + +/** + * SAMLP artifact tag (for the ticket) + */ +define ("SAML_ASSERTION_ARTIFACT", ''); + +/** + * SAMLP close + */ +define ("SAML_ASSERTION_ARTIFACT_CLOSE", ''); + +/** + * SOAP body close + */ +define ("SAML_SOAP_BODY_CLOSE", ''); + +/** + * SOAP envelope close + */ +define ("SAML_SOAP_ENV_CLOSE", ''); + +/** + * SAML Attributes + */ +define("SAML_ATTRIBUTES", 'SAMLATTRIBS'); + + + +/** @} */ + /** + * @addtogroup publicPGTStorage + * @{ + */ +// ------------------------------------------------------------------------ +// FILE PGT STORAGE +// ------------------------------------------------------------------------ + /** + * Default path used when storing PGT's to file + */ +define("CAS_PGT_STORAGE_FILE_DEFAULT_PATH",'/tmp'); +/** + * phpCAS::setPGTStorageFile()'s 2nd parameter to write plain text files + */ +define("CAS_PGT_STORAGE_FILE_FORMAT_PLAIN",'plain'); +/** + * phpCAS::setPGTStorageFile()'s 2nd parameter to write xml files + */ +define("CAS_PGT_STORAGE_FILE_FORMAT_XML",'xml'); +/** + * Default format used when storing PGT's to file + */ +define("CAS_PGT_STORAGE_FILE_DEFAULT_FORMAT",CAS_PGT_STORAGE_FILE_FORMAT_PLAIN); +// ------------------------------------------------------------------------ +// DATABASE PGT STORAGE +// ------------------------------------------------------------------------ + /** + * default database type when storing PGT's to database + */ +define("CAS_PGT_STORAGE_DB_DEFAULT_DATABASE_TYPE",'mysql'); +/** + * default host when storing PGT's to database + */ +define("CAS_PGT_STORAGE_DB_DEFAULT_HOSTNAME",'localhost'); +/** + * default port when storing PGT's to database + */ +define("CAS_PGT_STORAGE_DB_DEFAULT_PORT",''); +/** + * default database when storing PGT's to database + */ +define("CAS_PGT_STORAGE_DB_DEFAULT_DATABASE",'phpCAS'); +/** + * default table when storing PGT's to database + */ +define("CAS_PGT_STORAGE_DB_DEFAULT_TABLE",'pgt'); + +/** @} */ +// ------------------------------------------------------------------------ +// SERVICE ACCESS ERRORS +// ------------------------------------------------------------------------ + /** + * @addtogroup publicServices + * @{ + */ + +/** + * phpCAS::service() error code on success + */ +define("PHPCAS_SERVICE_OK",0); +/** + * phpCAS::service() error code when the PT could not retrieve because + * the CAS server did not respond. + */ +define("PHPCAS_SERVICE_PT_NO_SERVER_RESPONSE",1); +/** + * phpCAS::service() error code when the PT could not retrieve because + * the response of the CAS server was ill-formed. + */ +define("PHPCAS_SERVICE_PT_BAD_SERVER_RESPONSE",2); +/** + * phpCAS::service() error code when the PT could not retrieve because + * the CAS server did not want to. + */ +define("PHPCAS_SERVICE_PT_FAILURE",3); +/** + * phpCAS::service() error code when the service was not available. + */ +define("PHPCAS_SERVICE_NOT AVAILABLE",4); + +/** @} */ +// ------------------------------------------------------------------------ +// LANGUAGES +// ------------------------------------------------------------------------ + /** + * @addtogroup publicLang + * @{ + */ + +define("PHPCAS_LANG_ENGLISH", 'english'); +define("PHPCAS_LANG_FRENCH", 'french'); +define("PHPCAS_LANG_GREEK", 'greek'); +define("PHPCAS_LANG_GERMAN", 'german'); +define("PHPCAS_LANG_JAPANESE", 'japanese'); +define("PHPCAS_LANG_SPANISH", 'spanish'); +define("PHPCAS_LANG_CATALAN", 'catalan'); + +/** @} */ + +/** + * @addtogroup internalLang + * @{ + */ + +/** + * phpCAS default language (when phpCAS::setLang() is not used) + */ +define("PHPCAS_LANG_DEFAULT", PHPCAS_LANG_ENGLISH); + +/** @} */ +// ------------------------------------------------------------------------ +// DEBUG +// ------------------------------------------------------------------------ + /** + * @addtogroup publicDebug + * @{ + */ + +/** + * The default directory for the debug file under Unix. + */ +define('DEFAULT_DEBUG_DIR','/tmp/'); + +/** @} */ +// ------------------------------------------------------------------------ +// MISC +// ------------------------------------------------------------------------ + /** + * @addtogroup internalMisc + * @{ + */ + +/** + * This global variable is used by the interface class phpCAS. + * + * @hideinitializer + */ +$GLOBALS['PHPCAS_CLIENT'] = null; + +/** + * This global variable is used to store where the initializer is called from + * (to print a comprehensive error in case of multiple calls). + * + * @hideinitializer + */ +$GLOBALS['PHPCAS_INIT_CALL'] = array('done' => FALSE, + 'file' => '?', + 'line' => -1, + 'method' => '?'); + +/** + * This global variable is used to store where the method checking + * the authentication is called from (to print comprehensive errors) + * + * @hideinitializer + */ +$GLOBALS['PHPCAS_AUTH_CHECK_CALL'] = array('done' => FALSE, + 'file' => '?', + 'line' => -1, + 'method' => '?', + 'result' => FALSE); + +/** + * This global variable is used to store phpCAS debug mode. + * + * @hideinitializer + */ +$GLOBALS['PHPCAS_DEBUG'] = array('filename' => FALSE, + 'indent' => 0, + 'unique_id' => ''); + +/** @} */ + +// ######################################################################## +// CLIENT CLASS +// ######################################################################## + +// include client class +include_once(dirname(__FILE__).'/CAS/client.php'); + +// ######################################################################## +// INTERFACE CLASS +// ######################################################################## + +/** + * @class phpCAS + * The phpCAS class is a simple container for the phpCAS library. It provides CAS + * authentication for web applications written in PHP. + * + * @ingroup public + * @author Pascal Aubry + * + * \internal All its methods access the same object ($PHPCAS_CLIENT, declared + * at the end of CAS/client.php). + */ + + + +class phpCAS +{ + + // ######################################################################## + // INITIALIZATION + // ######################################################################## + + /** + * @addtogroup publicInit + * @{ + */ + + /** + * phpCAS client initializer. + * @note Only one of the phpCAS::client() and phpCAS::proxy functions should be + * called, only once, and before all other methods (except phpCAS::getVersion() + * and phpCAS::setDebug()). + * + * @param $server_version the version of the CAS server + * @param $server_hostname the hostname of the CAS server + * @param $server_port the port the CAS server is running on + * @param $server_uri the URI the CAS server is responding on + * @param $start_session Have phpCAS start PHP sessions (default true) + * + * @return a newly created CASClient object + */ + function client($server_version, + $server_hostname, + $server_port, + $server_uri, + $start_session = true) + { + global $PHPCAS_CLIENT, $PHPCAS_INIT_CALL; + + phpCAS::traceBegin(); + if ( is_object($PHPCAS_CLIENT) ) { + phpCAS::error($PHPCAS_INIT_CALL['method'].'() has already been called (at '.$PHPCAS_INIT_CALL['file'].':'.$PHPCAS_INIT_CALL['line'].')'); + } + if ( gettype($server_version) != 'string' ) { + phpCAS::error('type mismatched for parameter $server_version (should be `string\')'); + } + if ( gettype($server_hostname) != 'string' ) { + phpCAS::error('type mismatched for parameter $server_hostname (should be `string\')'); + } + if ( gettype($server_port) != 'integer' ) { + phpCAS::error('type mismatched for parameter $server_port (should be `integer\')'); + } + if ( gettype($server_uri) != 'string' ) { + phpCAS::error('type mismatched for parameter $server_uri (should be `string\')'); + } + + // store where the initializer is called from + $dbg = phpCAS::backtrace(); + $PHPCAS_INIT_CALL = array('done' => TRUE, + 'file' => $dbg[0]['file'], + 'line' => $dbg[0]['line'], + 'method' => __CLASS__.'::'.__FUNCTION__); + + // initialize the global object $PHPCAS_CLIENT + $PHPCAS_CLIENT = new CASClient($server_version,FALSE/*proxy*/,$server_hostname,$server_port,$server_uri,$start_session); + phpCAS::traceEnd(); + } + + /** + * phpCAS proxy initializer. + * @note Only one of the phpCAS::client() and phpCAS::proxy functions should be + * called, only once, and before all other methods (except phpCAS::getVersion() + * and phpCAS::setDebug()). + * + * @param $server_version the version of the CAS server + * @param $server_hostname the hostname of the CAS server + * @param $server_port the port the CAS server is running on + * @param $server_uri the URI the CAS server is responding on + * @param $start_session Have phpCAS start PHP sessions (default true) + * + * @return a newly created CASClient object + */ + function proxy($server_version, + $server_hostname, + $server_port, + $server_uri, + $start_session = true) + { + global $PHPCAS_CLIENT, $PHPCAS_INIT_CALL; + + phpCAS::traceBegin(); + if ( is_object($PHPCAS_CLIENT) ) { + phpCAS::error($PHPCAS_INIT_CALL['method'].'() has already been called (at '.$PHPCAS_INIT_CALL['file'].':'.$PHPCAS_INIT_CALL['line'].')'); + } + if ( gettype($server_version) != 'string' ) { + phpCAS::error('type mismatched for parameter $server_version (should be `string\')'); + } + if ( gettype($server_hostname) != 'string' ) { + phpCAS::error('type mismatched for parameter $server_hostname (should be `string\')'); + } + if ( gettype($server_port) != 'integer' ) { + phpCAS::error('type mismatched for parameter $server_port (should be `integer\')'); + } + if ( gettype($server_uri) != 'string' ) { + phpCAS::error('type mismatched for parameter $server_uri (should be `string\')'); + } + + // store where the initialzer is called from + $dbg = phpCAS::backtrace(); + $PHPCAS_INIT_CALL = array('done' => TRUE, + 'file' => $dbg[0]['file'], + 'line' => $dbg[0]['line'], + 'method' => __CLASS__.'::'.__FUNCTION__); + + // initialize the global object $PHPCAS_CLIENT + $PHPCAS_CLIENT = new CASClient($server_version,TRUE/*proxy*/,$server_hostname,$server_port,$server_uri,$start_session); + phpCAS::traceEnd(); + } + + /** @} */ + // ######################################################################## + // DEBUGGING + // ######################################################################## + + /** + * @addtogroup publicDebug + * @{ + */ + + /** + * Set/unset debug mode + * + * @param $filename the name of the file used for logging, or FALSE to stop debugging. + */ + function setDebug($filename='') + { + global $PHPCAS_DEBUG; + + if ( $filename != FALSE && gettype($filename) != 'string' ) { + phpCAS::error('type mismatched for parameter $dbg (should be FALSE or the name of the log file)'); + } + + if ( empty($filename) ) { + if ( preg_match('/^Win.*/',getenv('OS')) ) { + if ( isset($_ENV['TMP']) ) { + $debugDir = $_ENV['TMP'].'/'; + } else if ( isset($_ENV['TEMP']) ) { + $debugDir = $_ENV['TEMP'].'/'; + } else { + $debugDir = ''; + } + } else { + $debugDir = DEFAULT_DEBUG_DIR; + } + $filename = $debugDir . 'phpCAS.log'; + } + + if ( empty($PHPCAS_DEBUG['unique_id']) ) { + $PHPCAS_DEBUG['unique_id'] = substr(strtoupper(md5(uniqid(''))),0,4); + } + + $PHPCAS_DEBUG['filename'] = $filename; + + phpCAS::trace('START ******************'); + } + + /** @} */ + /** + * @addtogroup internalDebug + * @{ + */ + + /** + * This method is a wrapper for debug_backtrace() that is not available + * in all PHP versions (>= 4.3.0 only) + */ + function backtrace() + { + if ( function_exists('debug_backtrace') ) { + return debug_backtrace(); + } else { + // poor man's hack ... but it does work ... + return array(); + } + } + + /** + * Logs a string in debug mode. + * + * @param $str the string to write + * + * @private + */ + function log($str) + { + $indent_str = "."; + global $PHPCAS_DEBUG; + + if ( $PHPCAS_DEBUG['filename'] ) { + for ($i=0;$i<$PHPCAS_DEBUG['indent'];$i++) { + $indent_str .= '| '; + } + error_log($PHPCAS_DEBUG['unique_id'].' '.$indent_str.$str."\n",3,$PHPCAS_DEBUG['filename']); + } + + } + + /** + * This method is used by interface methods to print an error and where the function + * was originally called from. + * + * @param $msg the message to print + * + * @private + */ + function error($msg) + { + $dbg = phpCAS::backtrace(); + $function = '?'; + $file = '?'; + $line = '?'; + if ( is_array($dbg) ) { + for ( $i=1; $i\nphpCAS error: ".__CLASS__."::".$function.'(): '.htmlentities($msg)." in ".$file." on line ".$line."
    \n"; + phpCAS::trace($msg); + phpCAS::traceExit(); + exit(); + } + + /** + * This method is used to log something in debug mode. + */ + function trace($str) + { + $dbg = phpCAS::backtrace(); + phpCAS::log($str.' ['.basename($dbg[1]['file']).':'.$dbg[1]['line'].']'); + } + + /** + * This method is used to indicate the start of the execution of a function in debug mode. + */ + function traceBegin() + { + global $PHPCAS_DEBUG; + + $dbg = phpCAS::backtrace(); + $str = '=> '; + if ( !empty($dbg[2]['class']) ) { + $str .= $dbg[2]['class'].'::'; + } + $str .= $dbg[2]['function'].'('; + if ( is_array($dbg[2]['args']) ) { + foreach ($dbg[2]['args'] as $index => $arg) { + if ( $index != 0 ) { + $str .= ', '; + } + $str .= str_replace("\n","",var_export($arg,TRUE)); + } + } + $str .= ') ['.basename($dbg[2]['file']).':'.$dbg[2]['line'].']'; + phpCAS::log($str); + $PHPCAS_DEBUG['indent'] ++; + } + + /** + * This method is used to indicate the end of the execution of a function in debug mode. + * + * @param $res the result of the function + */ + function traceEnd($res='') + { + global $PHPCAS_DEBUG; + + $PHPCAS_DEBUG['indent'] --; + $dbg = phpCAS::backtrace(); + $str = ''; + $str .= '<= '.str_replace("\n","",var_export($res,TRUE)); + phpCAS::log($str); + } + + /** + * This method is used to indicate the end of the execution of the program + */ + function traceExit() + { + global $PHPCAS_DEBUG; + + phpCAS::log('exit()'); + while ( $PHPCAS_DEBUG['indent'] > 0 ) { + phpCAS::log('-'); + $PHPCAS_DEBUG['indent'] --; + } + } + + /** @} */ + // ######################################################################## + // INTERNATIONALIZATION + // ######################################################################## + /** + * @addtogroup publicLang + * @{ + */ + + /** + * This method is used to set the language used by phpCAS. + * @note Can be called only once. + * + * @param $lang a string representing the language. + * + * @sa PHPCAS_LANG_FRENCH, PHPCAS_LANG_ENGLISH + */ + function setLang($lang) + { + global $PHPCAS_CLIENT; + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); + } + if ( gettype($lang) != 'string' ) { + phpCAS::error('type mismatched for parameter $lang (should be `string\')'); + } + $PHPCAS_CLIENT->setLang($lang); + } + + /** @} */ + // ######################################################################## + // VERSION + // ######################################################################## + /** + * @addtogroup public + * @{ + */ + + /** + * This method returns the phpCAS version. + * + * @return the phpCAS version. + */ + function getVersion() + { + return PHPCAS_VERSION; + } + + /** @} */ + // ######################################################################## + // HTML OUTPUT + // ######################################################################## + /** + * @addtogroup publicOutput + * @{ + */ + + /** + * This method sets the HTML header used for all outputs. + * + * @param $header the HTML header. + */ + function setHTMLHeader($header) + { + global $PHPCAS_CLIENT; + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); + } + if ( gettype($header) != 'string' ) { + phpCAS::error('type mismatched for parameter $header (should be `string\')'); + } + $PHPCAS_CLIENT->setHTMLHeader($header); + } + + /** + * This method sets the HTML footer used for all outputs. + * + * @param $footer the HTML footer. + */ + function setHTMLFooter($footer) + { + global $PHPCAS_CLIENT; + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); + } + if ( gettype($footer) != 'string' ) { + phpCAS::error('type mismatched for parameter $footer (should be `string\')'); + } + $PHPCAS_CLIENT->setHTMLFooter($footer); + } + + /** @} */ + // ######################################################################## + // PGT STORAGE + // ######################################################################## + /** + * @addtogroup publicPGTStorage + * @{ + */ + + /** + * This method is used to tell phpCAS to store the response of the + * CAS server to PGT requests onto the filesystem. + * + * @param $format the format used to store the PGT's (`plain' and `xml' allowed) + * @param $path the path where the PGT's should be stored + */ + function setPGTStorageFile($format='', + $path='') + { + global $PHPCAS_CLIENT,$PHPCAS_AUTH_CHECK_CALL; + + phpCAS::traceBegin(); + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); + } + if ( !$PHPCAS_CLIENT->isProxy() ) { + phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); + } + if ( $PHPCAS_AUTH_CHECK_CALL['done'] ) { + phpCAS::error('this method should only be called before '.$PHPCAS_AUTH_CHECK_CALL['method'].'() (called at '.$PHPCAS_AUTH_CHECK_CALL['file'].':'.$PHPCAS_AUTH_CHECK_CALL['line'].')'); + } + if ( gettype($format) != 'string' ) { + phpCAS::error('type mismatched for parameter $format (should be `string\')'); + } + if ( gettype($path) != 'string' ) { + phpCAS::error('type mismatched for parameter $format (should be `string\')'); + } + $PHPCAS_CLIENT->setPGTStorageFile($format,$path); + phpCAS::traceEnd(); + } + + /** + * This method is used to tell phpCAS to store the response of the + * CAS server to PGT requests into a database. + * @note The connection to the database is done only when needed. + * As a consequence, bad parameters are detected only when + * initializing PGT storage, except in debug mode. + * + * @param $user the user to access the data with + * @param $password the user's password + * @param $database_type the type of the database hosting the data + * @param $hostname the server hosting the database + * @param $port the port the server is listening on + * @param $database the name of the database + * @param $table the name of the table storing the data + */ + function setPGTStorageDB($user, + $password, + $database_type='', + $hostname='', + $port=0, + $database='', + $table='') + { + global $PHPCAS_CLIENT,$PHPCAS_AUTH_CHECK_CALL; + + phpCAS::traceBegin(); + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); + } + if ( !$PHPCAS_CLIENT->isProxy() ) { + phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); + } + if ( $PHPCAS_AUTH_CHECK_CALL['done'] ) { + phpCAS::error('this method should only be called before '.$PHPCAS_AUTH_CHECK_CALL['method'].'() (called at '.$PHPCAS_AUTH_CHECK_CALL['file'].':'.$PHPCAS_AUTH_CHECK_CALL['line'].')'); + } + if ( gettype($user) != 'string' ) { + phpCAS::error('type mismatched for parameter $user (should be `string\')'); + } + if ( gettype($password) != 'string' ) { + phpCAS::error('type mismatched for parameter $password (should be `string\')'); + } + if ( gettype($database_type) != 'string' ) { + phpCAS::error('type mismatched for parameter $database_type (should be `string\')'); + } + if ( gettype($hostname) != 'string' ) { + phpCAS::error('type mismatched for parameter $hostname (should be `string\')'); + } + if ( gettype($port) != 'integer' ) { + phpCAS::error('type mismatched for parameter $port (should be `integer\')'); + } + if ( gettype($database) != 'string' ) { + phpCAS::error('type mismatched for parameter $database (should be `string\')'); + } + if ( gettype($table) != 'string' ) { + phpCAS::error('type mismatched for parameter $table (should be `string\')'); + } + $PHPCAS_CLIENT->setPGTStorageDB($user,$password,$database_type,$hostname,$port,$database,$table); + phpCAS::traceEnd(); + } + + /** @} */ + // ######################################################################## + // ACCESS TO EXTERNAL SERVICES + // ######################################################################## + /** + * @addtogroup publicServices + * @{ + */ + + /** + * This method is used to access an HTTP[S] service. + * + * @param $url the service to access. + * @param $err_code an error code Possible values are PHPCAS_SERVICE_OK (on + * success), PHPCAS_SERVICE_PT_NO_SERVER_RESPONSE, PHPCAS_SERVICE_PT_BAD_SERVER_RESPONSE, + * PHPCAS_SERVICE_PT_FAILURE, PHPCAS_SERVICE_NOT AVAILABLE. + * @param $output the output of the service (also used to give an error + * message on failure). + * + * @return TRUE on success, FALSE otherwise (in this later case, $err_code + * gives the reason why it failed and $output contains an error message). + */ + function serviceWeb($url,&$err_code,&$output) + { + global $PHPCAS_CLIENT, $PHPCAS_AUTH_CHECK_CALL; + + phpCAS::traceBegin(); + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); + } + if ( !$PHPCAS_CLIENT->isProxy() ) { + phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); + } + if ( !$PHPCAS_AUTH_CHECK_CALL['done'] ) { + phpCAS::error('this method should only be called after the programmer is sure the user has been authenticated (by calling '.__CLASS__.'::checkAuthentication() or '.__CLASS__.'::forceAuthentication()'); + } + if ( !$PHPCAS_AUTH_CHECK_CALL['result'] ) { + phpCAS::error('authentication was checked (by '.$PHPCAS_AUTH_CHECK_CALL['method'].'() at '.$PHPCAS_AUTH_CHECK_CALL['file'].':'.$PHPCAS_AUTH_CHECK_CALL['line'].') but the method returned FALSE'); + } + if ( gettype($url) != 'string' ) { + phpCAS::error('type mismatched for parameter $url (should be `string\')'); + } + + $res = $PHPCAS_CLIENT->serviceWeb($url,$err_code,$output); + + phpCAS::traceEnd($res); + return $res; + } + + /** + * This method is used to access an IMAP/POP3/NNTP service. + * + * @param $url a string giving the URL of the service, including the mailing box + * for IMAP URLs, as accepted by imap_open(). + * @param $service a string giving for CAS retrieve Proxy ticket + * @param $flags options given to imap_open(). + * @param $err_code an error code Possible values are PHPCAS_SERVICE_OK (on + * success), PHPCAS_SERVICE_PT_NO_SERVER_RESPONSE, PHPCAS_SERVICE_PT_BAD_SERVER_RESPONSE, + * PHPCAS_SERVICE_PT_FAILURE, PHPCAS_SERVICE_NOT AVAILABLE. + * @param $err_msg an error message on failure + * @param $pt the Proxy Ticket (PT) retrieved from the CAS server to access the URL + * on success, FALSE on error). + * + * @return an IMAP stream on success, FALSE otherwise (in this later case, $err_code + * gives the reason why it failed and $err_msg contains an error message). + */ + function serviceMail($url,$service,$flags,&$err_code,&$err_msg,&$pt) + { + global $PHPCAS_CLIENT, $PHPCAS_AUTH_CHECK_CALL; + + phpCAS::traceBegin(); + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); + } + if ( !$PHPCAS_CLIENT->isProxy() ) { + phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); + } + if ( !$PHPCAS_AUTH_CHECK_CALL['done'] ) { + phpCAS::error('this method should only be called after the programmer is sure the user has been authenticated (by calling '.__CLASS__.'::checkAuthentication() or '.__CLASS__.'::forceAuthentication()'); + } + if ( !$PHPCAS_AUTH_CHECK_CALL['result'] ) { + phpCAS::error('authentication was checked (by '.$PHPCAS_AUTH_CHECK_CALL['method'].'() at '.$PHPCAS_AUTH_CHECK_CALL['file'].':'.$PHPCAS_AUTH_CHECK_CALL['line'].') but the method returned FALSE'); + } + if ( gettype($url) != 'string' ) { + phpCAS::error('type mismatched for parameter $url (should be `string\')'); + } + + if ( gettype($flags) != 'integer' ) { + phpCAS::error('type mismatched for parameter $flags (should be `integer\')'); + } + + $res = $PHPCAS_CLIENT->serviceMail($url,$service,$flags,$err_code,$err_msg,$pt); + + phpCAS::traceEnd($res); + return $res; + } + + /** @} */ + // ######################################################################## + // AUTHENTICATION + // ######################################################################## + /** + * @addtogroup publicAuth + * @{ + */ + + /** + * Set the times authentication will be cached before really accessing the CAS server in gateway mode: + * - -1: check only once, and then never again (until you pree login) + * - 0: always check + * - n: check every "n" time + * + * @param $n an integer. + */ + function setCacheTimesForAuthRecheck($n) + { + global $PHPCAS_CLIENT; + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); + } + if ( gettype($n) != 'integer' ) { + phpCAS::error('type mismatched for parameter $header (should be `string\')'); + } + $PHPCAS_CLIENT->setCacheTimesForAuthRecheck($n); + } + + /** + * This method is called to check if the user is authenticated (use the gateway feature). + * @return TRUE when the user is authenticated; otherwise FALSE. + */ + function checkAuthentication() + { + global $PHPCAS_CLIENT, $PHPCAS_AUTH_CHECK_CALL; + + phpCAS::traceBegin(); + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); + } + + $auth = $PHPCAS_CLIENT->checkAuthentication(); + + // store where the authentication has been checked and the result + $dbg = phpCAS::backtrace(); + $PHPCAS_AUTH_CHECK_CALL = array('done' => TRUE, + 'file' => $dbg[0]['file'], + 'line' => $dbg[0]['line'], + 'method' => __CLASS__.'::'.__FUNCTION__, + 'result' => $auth ); + phpCAS::traceEnd($auth); + return $auth; + } + + /** + * This method is called to force authentication if the user was not already + * authenticated. If the user is not authenticated, halt by redirecting to + * the CAS server. + */ + function forceAuthentication() + { + global $PHPCAS_CLIENT, $PHPCAS_AUTH_CHECK_CALL; + + phpCAS::traceBegin(); + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); + } + + $auth = $PHPCAS_CLIENT->forceAuthentication(); + + // store where the authentication has been checked and the result + $dbg = phpCAS::backtrace(); + $PHPCAS_AUTH_CHECK_CALL = array('done' => TRUE, + 'file' => $dbg[0]['file'], + 'line' => $dbg[0]['line'], + 'method' => __CLASS__.'::'.__FUNCTION__, + 'result' => $auth ); + + if ( !$auth ) { + phpCAS::trace('user is not authenticated, redirecting to the CAS server'); + $PHPCAS_CLIENT->forceAuthentication(); + } else { + phpCAS::trace('no need to authenticate (user `'.phpCAS::getUser().'\' is already authenticated)'); + } + + phpCAS::traceEnd(); + return $auth; + } + + /** + * This method is called to renew the authentication. + **/ + function renewAuthentication() { + global $PHPCAS_CLIENT, $PHPCAS_AUTH_CHECK_CALL; + + phpCAS::traceBegin(); + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should not be called before'.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); + } + + // store where the authentication has been checked and the result + $dbg = phpCAS::backtrace(); + $PHPCAS_AUTH_CHECK_CALL = array('done' => TRUE, 'file' => $dbg[0]['file'], 'line' => $dbg[0]['line'], 'method' => __CLASS__.'::'.__FUNCTION__, 'result' => $auth ); + + $PHPCAS_CLIENT->renewAuthentication(); + phpCAS::traceEnd(); + } + + /** + * This method has been left from version 0.4.1 for compatibility reasons. + */ + function authenticate() + { + phpCAS::error('this method is deprecated. You should use '.__CLASS__.'::forceAuthentication() instead'); + } + + /** + * This method is called to check if the user is authenticated (previously or by + * tickets given in the URL). + * + * @return TRUE when the user is authenticated. + */ + function isAuthenticated() + { + global $PHPCAS_CLIENT, $PHPCAS_AUTH_CHECK_CALL; + + phpCAS::traceBegin(); + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); + } + + // call the isAuthenticated method of the global $PHPCAS_CLIENT object + $auth = $PHPCAS_CLIENT->isAuthenticated(); + + // store where the authentication has been checked and the result + $dbg = phpCAS::backtrace(); + $PHPCAS_AUTH_CHECK_CALL = array('done' => TRUE, + 'file' => $dbg[0]['file'], + 'line' => $dbg[0]['line'], + 'method' => __CLASS__.'::'.__FUNCTION__, + 'result' => $auth ); + phpCAS::traceEnd($auth); + return $auth; + } + + /** + * Checks whether authenticated based on $_SESSION. Useful to avoid + * server calls. + * @return true if authenticated, false otherwise. + * @since 0.4.22 by Brendan Arnold + */ + function isSessionAuthenticated () + { + global $PHPCAS_CLIENT; + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); + } + return($PHPCAS_CLIENT->isSessionAuthenticated()); + } + + /** + * This method returns the CAS user's login name. + * @warning should not be called only after phpCAS::forceAuthentication() + * or phpCAS::checkAuthentication(). + * + * @return the login name of the authenticated user + */ + function getUser() + { + global $PHPCAS_CLIENT, $PHPCAS_AUTH_CHECK_CALL; + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); + } + if ( !$PHPCAS_AUTH_CHECK_CALL['done'] ) { + phpCAS::error('this method should only be called after '.__CLASS__.'::forceAuthentication() or '.__CLASS__.'::isAuthenticated()'); + } + if ( !$PHPCAS_AUTH_CHECK_CALL['result'] ) { + phpCAS::error('authentication was checked (by '.$PHPCAS_AUTH_CHECK_CALL['method'].'() at '.$PHPCAS_AUTH_CHECK_CALL['file'].':'.$PHPCAS_AUTH_CHECK_CALL['line'].') but the method returned FALSE'); + } + return $PHPCAS_CLIENT->getUser(); + } + + /** + * This method returns the CAS user's login name. + * @warning should not be called only after phpCAS::forceAuthentication() + * or phpCAS::checkAuthentication(). + * + * @return the login name of the authenticated user + */ + function getAttributes() + { + global $PHPCAS_CLIENT, $PHPCAS_AUTH_CHECK_CALL; + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); + } + if ( !$PHPCAS_AUTH_CHECK_CALL['done'] ) { + phpCAS::error('this method should only be called after '.__CLASS__.'::forceAuthentication() or '.__CLASS__.'::isAuthenticated()'); + } + if ( !$PHPCAS_AUTH_CHECK_CALL['result'] ) { + phpCAS::error('authentication was checked (by '.$PHPCAS_AUTH_CHECK_CALL['method'].'() at '.$PHPCAS_AUTH_CHECK_CALL['file'].':'.$PHPCAS_AUTH_CHECK_CALL['line'].') but the method returned FALSE'); + } + return $PHPCAS_CLIENT->getAttributes(); + } + /** + * Handle logout requests. + */ + function handleLogoutRequests($check_client=true, $allowed_clients=false) + { + global $PHPCAS_CLIENT; + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); + } + return($PHPCAS_CLIENT->handleLogoutRequests($check_client, $allowed_clients)); + } + + /** + * This method returns the URL to be used to login. + * or phpCAS::isAuthenticated(). + * + * @return the login name of the authenticated user + */ + function getServerLoginURL() + { + global $PHPCAS_CLIENT; + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); + } + return $PHPCAS_CLIENT->getServerLoginURL(); + } + + /** + * Set the login URL of the CAS server. + * @param $url the login URL + * @since 0.4.21 by Wyman Chan + */ + function setServerLoginURL($url='') + { + global $PHPCAS_CLIENT; + phpCAS::traceBegin(); + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should only be called after + '.__CLASS__.'::client()'); + } + if ( gettype($url) != 'string' ) { + phpCAS::error('type mismatched for parameter $url (should be + `string\')'); + } + $PHPCAS_CLIENT->setServerLoginURL($url); + phpCAS::traceEnd(); + } + + + /** + * Set the serviceValidate URL of the CAS server. + * @param $url the serviceValidate URL + * @since 1.1.0 by Joachim Fritschi + */ + function setServerServiceValidateURL($url='') + { + global $PHPCAS_CLIENT; + phpCAS::traceBegin(); + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should only be called after + '.__CLASS__.'::client()'); + } + if ( gettype($url) != 'string' ) { + phpCAS::error('type mismatched for parameter $url (should be + `string\')'); + } + $PHPCAS_CLIENT->setServerServiceValidateURL($url); + phpCAS::traceEnd(); + } + + + /** + * Set the proxyValidate URL of the CAS server. + * @param $url the proxyValidate URL + * @since 1.1.0 by Joachim Fritschi + */ + function setServerProxyValidateURL($url='') + { + global $PHPCAS_CLIENT; + phpCAS::traceBegin(); + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should only be called after + '.__CLASS__.'::client()'); + } + if ( gettype($url) != 'string' ) { + phpCAS::error('type mismatched for parameter $url (should be + `string\')'); + } + $PHPCAS_CLIENT->setServerProxyValidateURL($url); + phpCAS::traceEnd(); + } + + /** + * Set the samlValidate URL of the CAS server. + * @param $url the samlValidate URL + * @since 1.1.0 by Joachim Fritschi + */ + function setServerSamlValidateURL($url='') + { + global $PHPCAS_CLIENT; + phpCAS::traceBegin(); + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should only be called after + '.__CLASS__.'::client()'); + } + if ( gettype($url) != 'string' ) { + phpCAS::error('type mismatched for parameter $url (should be + `string\')'); + } + $PHPCAS_CLIENT->setServerSamlValidateURL($url); + phpCAS::traceEnd(); + } + + /** + * This method returns the URL to be used to login. + * or phpCAS::isAuthenticated(). + * + * @return the login name of the authenticated user + */ + function getServerLogoutURL() + { + global $PHPCAS_CLIENT; + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should not be called before '.__CLASS__.'::client() or '.__CLASS__.'::proxy()'); + } + return $PHPCAS_CLIENT->getServerLogoutURL(); + } + + /** + * Set the logout URL of the CAS server. + * @param $url the logout URL + * @since 0.4.21 by Wyman Chan + */ + function setServerLogoutURL($url='') + { + global $PHPCAS_CLIENT; + phpCAS::traceBegin(); + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should only be called after + '.__CLASS__.'::client()'); + } + if ( gettype($url) != 'string' ) { + phpCAS::error('type mismatched for parameter $url (should be + `string\')'); + } + $PHPCAS_CLIENT->setServerLogoutURL($url); + phpCAS::traceEnd(); + } + + /** + * This method is used to logout from CAS. + * @params $params an array that contains the optional url and service parameters that will be passed to the CAS server + * @public + */ + function logout($params = "") { + global $PHPCAS_CLIENT; + phpCAS::traceBegin(); + if (!is_object($PHPCAS_CLIENT)) { + phpCAS::error('this method should only be called after '.__CLASS__.'::client() or'.__CLASS__.'::proxy()'); + } + $parsedParams = array(); + if ($params != "") { + if (is_string($params)) { + phpCAS::error('method `phpCAS::logout($url)\' is now deprecated, use `phpCAS::logoutWithUrl($url)\' instead'); + } + if (!is_array($params)) { + phpCAS::error('type mismatched for parameter $params (should be `array\')'); + } + foreach ($params as $key => $value) { + if ($key != "service" && $key != "url") { + phpCAS::error('only `url\' and `service\' parameters are allowed for method `phpCAS::logout($params)\''); + } + $parsedParams[$key] = $value; + } + } + $PHPCAS_CLIENT->logout($parsedParams); + // never reached + phpCAS::traceEnd(); + } + + /** + * This method is used to logout from CAS. Halts by redirecting to the CAS server. + * @param $service a URL that will be transmitted to the CAS server + */ + function logoutWithRedirectService($service) { + global $PHPCAS_CLIENT; + phpCAS::traceBegin(); + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should only be called after '.__CLASS__.'::client() or'.__CLASS__.'::proxy()'); + } + if (!is_string($service)) { + phpCAS::error('type mismatched for parameter $service (should be `string\')'); + } + $PHPCAS_CLIENT->logout(array("service" => $service)); + // never reached + phpCAS::traceEnd(); + } + + /** + * This method is used to logout from CAS. Halts by redirecting to the CAS server. + * @param $url a URL that will be transmitted to the CAS server + */ + function logoutWithUrl($url) { + global $PHPCAS_CLIENT; + phpCAS::traceBegin(); + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should only be called after '.__CLASS__.'::client() or'.__CLASS__.'::proxy()'); + } + if (!is_string($url)) { + phpCAS::error('type mismatched for parameter $url (should be `string\')'); + } + $PHPCAS_CLIENT->logout(array("url" => $url)); + // never reached + phpCAS::traceEnd(); + } + + /** + * This method is used to logout from CAS. Halts by redirecting to the CAS server. + * @param $service a URL that will be transmitted to the CAS server + * @param $url a URL that will be transmitted to the CAS server + */ + function logoutWithRedirectServiceAndUrl($service, $url) { + global $PHPCAS_CLIENT; + phpCAS::traceBegin(); + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should only be called after '.__CLASS__.'::client() or'.__CLASS__.'::proxy()'); + } + if (!is_string($service)) { + phpCAS::error('type mismatched for parameter $service (should be `string\')'); + } + if (!is_string($url)) { + phpCAS::error('type mismatched for parameter $url (should be `string\')'); + } + $PHPCAS_CLIENT->logout(array("service" => $service, "url" => $url)); + // never reached + phpCAS::traceEnd(); + } + + /** + * Set the fixed URL that will be used by the CAS server to transmit the PGT. + * When this method is not called, a phpCAS script uses its own URL for the callback. + * + * @param $url the URL + */ + function setFixedCallbackURL($url='') + { + global $PHPCAS_CLIENT; + phpCAS::traceBegin(); + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); + } + if ( !$PHPCAS_CLIENT->isProxy() ) { + phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); + } + if ( gettype($url) != 'string' ) { + phpCAS::error('type mismatched for parameter $url (should be `string\')'); + } + $PHPCAS_CLIENT->setCallbackURL($url); + phpCAS::traceEnd(); + } + + /** + * Set the fixed URL that will be set as the CAS service parameter. When this + * method is not called, a phpCAS script uses its own URL. + * + * @param $url the URL + */ + function setFixedServiceURL($url) + { + global $PHPCAS_CLIENT; + phpCAS::traceBegin(); + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); + } + if ( gettype($url) != 'string' ) { + phpCAS::error('type mismatched for parameter $url (should be `string\')'); + } + $PHPCAS_CLIENT->setURL($url); + phpCAS::traceEnd(); + } + + /** + * Get the URL that is set as the CAS service parameter. + */ + function getServiceURL() + { + global $PHPCAS_CLIENT; + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); + } + return($PHPCAS_CLIENT->getURL()); + } + + /** + * Retrieve a Proxy Ticket from the CAS server. + */ + function retrievePT($target_service,&$err_code,&$err_msg) + { + global $PHPCAS_CLIENT; + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should only be called after '.__CLASS__.'::proxy()'); + } + if ( gettype($target_service) != 'string' ) { + phpCAS::error('type mismatched for parameter $target_service(should be `string\')'); + } + return($PHPCAS_CLIENT->retrievePT($target_service,$err_code,$err_msg)); + } + + /** + * Set the certificate of the CAS server. + * + * @param $cert the PEM certificate + */ + function setCasServerCert($cert) + { + global $PHPCAS_CLIENT; + phpCAS::traceBegin(); + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should only be called after '.__CLASS__.'::client() or'.__CLASS__.'::proxy()'); + } + if ( gettype($cert) != 'string' ) { + phpCAS::error('type mismatched for parameter $cert (should be `string\')'); + } + $PHPCAS_CLIENT->setCasServerCert($cert); + phpCAS::traceEnd(); + } + + /** + * Set the certificate of the CAS server CA. + * + * @param $cert the CA certificate + */ + function setCasServerCACert($cert) + { + global $PHPCAS_CLIENT; + phpCAS::traceBegin(); + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should only be called after '.__CLASS__.'::client() or'.__CLASS__.'::proxy()'); + } + if ( gettype($cert) != 'string' ) { + phpCAS::error('type mismatched for parameter $cert (should be `string\')'); + } + $PHPCAS_CLIENT->setCasServerCACert($cert); + phpCAS::traceEnd(); + } + + /** + * Set no SSL validation for the CAS server. + */ + function setNoCasServerValidation() + { + global $PHPCAS_CLIENT; + phpCAS::traceBegin(); + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should only be called after '.__CLASS__.'::client() or'.__CLASS__.'::proxy()'); + } + $PHPCAS_CLIENT->setNoCasServerValidation(); + phpCAS::traceEnd(); + } + + /** @} */ + + /** + * Change CURL options. + * CURL is used to connect through HTTPS to CAS server + * @param $key the option key + * @param $value the value to set + */ + function setExtraCurlOption($key, $value) + { + global $PHPCAS_CLIENT; + phpCAS::traceBegin(); + if ( !is_object($PHPCAS_CLIENT) ) { + phpCAS::error('this method should only be called after '.__CLASS__.'::client() or'.__CLASS__.'::proxy()'); + } + $PHPCAS_CLIENT->setExtraCurlOption($key, $value); + phpCAS::traceEnd(); + } + +} + +// ######################################################################## +// DOCUMENTATION +// ######################################################################## + +// ######################################################################## +// MAIN PAGE + +/** + * @mainpage + * + * The following pages only show the source documentation. + * + */ + +// ######################################################################## +// MODULES DEFINITION + +/** @defgroup public User interface */ + +/** @defgroup publicInit Initialization + * @ingroup public */ + +/** @defgroup publicAuth Authentication + * @ingroup public */ + +/** @defgroup publicServices Access to external services + * @ingroup public */ + +/** @defgroup publicConfig Configuration + * @ingroup public */ + +/** @defgroup publicLang Internationalization + * @ingroup publicConfig */ + +/** @defgroup publicOutput HTML output + * @ingroup publicConfig */ + +/** @defgroup publicPGTStorage PGT storage + * @ingroup publicConfig */ + +/** @defgroup publicDebug Debugging + * @ingroup public */ + + +/** @defgroup internal Implementation */ + +/** @defgroup internalAuthentication Authentication + * @ingroup internal */ + +/** @defgroup internalBasic CAS Basic client features (CAS 1.0, Service Tickets) + * @ingroup internal */ + +/** @defgroup internalProxy CAS Proxy features (CAS 2.0, Proxy Granting Tickets) + * @ingroup internal */ + +/** @defgroup internalPGTStorage PGT storage + * @ingroup internalProxy */ + +/** @defgroup internalPGTStorageDB PGT storage in a database + * @ingroup internalPGTStorage */ + +/** @defgroup internalPGTStorageFile PGT storage on the filesystem + * @ingroup internalPGTStorage */ + +/** @defgroup internalCallback Callback from the CAS server + * @ingroup internalProxy */ + +/** @defgroup internalProxied CAS proxied client features (CAS 2.0, Proxy Tickets) + * @ingroup internal */ + +/** @defgroup internalConfig Configuration + * @ingroup internal */ + +/** @defgroup internalOutput HTML output + * @ingroup internalConfig */ + +/** @defgroup internalLang Internationalization + * @ingroup internalConfig + * + * To add a new language: + * - 1. define a new constant PHPCAS_LANG_XXXXXX in CAS/CAS.php + * - 2. copy any file from CAS/languages to CAS/languages/XXXXXX.php + * - 3. Make the translations + */ + +/** @defgroup internalDebug Debugging + * @ingroup internal */ + +/** @defgroup internalMisc Miscellaneous + * @ingroup internal */ + +// ######################################################################## +// EXAMPLES + +/** + * @example example_simple.php + */ + /** + * @example example_proxy.php + */ + /** + * @example example_proxy2.php + */ + /** + * @example example_lang.php + */ + /** + * @example example_html.php + */ + /** + * @example example_file.php + */ + /** + * @example example_db.php + */ + /** + * @example example_service.php + */ + /** + * @example example_session_proxy.php + */ + /** + * @example example_session_service.php + */ + /** + * @example example_gateway.php + */ + + + +?> diff --git a/plugins/CasAuthentication/extlib/CAS/PGTStorage/pgt-db.php b/plugins/CasAuthentication/extlib/CAS/PGTStorage/pgt-db.php index 00797b9c5..5a589e4b2 100644 --- a/plugins/CasAuthentication/extlib/CAS/PGTStorage/pgt-db.php +++ b/plugins/CasAuthentication/extlib/CAS/PGTStorage/pgt-db.php @@ -1,190 +1,190 @@ - - * - * @ingroup internalPGTStorageDB - */ - -class PGTStorageDB extends PGTStorage -{ - /** - * @addtogroup internalPGTStorageDB - * @{ - */ - - /** - * a string representing a PEAR DB URL to connect to the database. Written by - * PGTStorageDB::PGTStorageDB(), read by getURL(). - * - * @hideinitializer - * @private - */ - var $_url=''; - - /** - * This method returns the PEAR DB URL to use to connect to the database. - * - * @return a PEAR DB URL - * - * @private - */ - function getURL() - { - return $this->_url; - } - - /** - * The handle of the connection to the database where PGT's are stored. Written by - * PGTStorageDB::init(), read by getLink(). - * - * @hideinitializer - * @private - */ - var $_link = null; - - /** - * This method returns the handle of the connection to the database where PGT's are - * stored. - * - * @return a handle of connection. - * - * @private - */ - function getLink() - { - return $this->_link; - } - - /** - * The name of the table where PGT's are stored. Written by - * PGTStorageDB::PGTStorageDB(), read by getTable(). - * - * @hideinitializer - * @private - */ - var $_table = ''; - - /** - * This method returns the name of the table where PGT's are stored. - * - * @return the name of a table. - * - * @private - */ - function getTable() - { - return $this->_table; - } - - // ######################################################################## - // DEBUGGING - // ######################################################################## - - /** - * This method returns an informational string giving the type of storage - * used by the object (used for debugging purposes). - * - * @return an informational string. - * @public - */ - function getStorageType() - { - return "database"; - } - - /** - * This method returns an informational string giving informations on the - * parameters of the storage.(used for debugging purposes). - * - * @public - */ - function getStorageInfo() - { - return 'url=`'.$this->getURL().'\', table=`'.$this->getTable().'\''; - } - - // ######################################################################## - // CONSTRUCTOR - // ######################################################################## - - /** - * The class constructor, called by CASClient::SetPGTStorageDB(). - * - * @param $cas_parent the CASClient instance that creates the object. - * @param $user the user to access the data with - * @param $password the user's password - * @param $database_type the type of the database hosting the data - * @param $hostname the server hosting the database - * @param $port the port the server is listening on - * @param $database the name of the database - * @param $table the name of the table storing the data - * - * @public - */ - function PGTStorageDB($cas_parent,$user,$password,$database_type,$hostname,$port,$database,$table) - { - phpCAS::traceBegin(); - - // call the ancestor's constructor - $this->PGTStorage($cas_parent); - - if ( empty($database_type) ) $database_type = CAS_PGT_STORAGE_DB_DEFAULT_DATABASE_TYPE; - if ( empty($hostname) ) $hostname = CAS_PGT_STORAGE_DB_DEFAULT_HOSTNAME; - if ( $port==0 ) $port = CAS_PGT_STORAGE_DB_DEFAULT_PORT; - if ( empty($database) ) $database = CAS_PGT_STORAGE_DB_DEFAULT_DATABASE; - if ( empty($table) ) $table = CAS_PGT_STORAGE_DB_DEFAULT_TABLE; - - // build and store the PEAR DB URL - $this->_url = $database_type.':'.'//'.$user.':'.$password.'@'.$hostname.':'.$port.'/'.$database; - - // XXX should use setURL and setTable - phpCAS::traceEnd(); - } - - // ######################################################################## - // INITIALIZATION - // ######################################################################## - - /** - * This method is used to initialize the storage. Halts on error. - * - * @public - */ - function init() - { - phpCAS::traceBegin(); - // if the storage has already been initialized, return immediatly - if ( $this->isInitialized() ) - return; - // call the ancestor's method (mark as initialized) - parent::init(); - - //include phpDB library (the test was introduced in release 0.4.8 for - //the integration into Tikiwiki). - if (!class_exists('DB')) { - include_once('DB.php'); - } - - // try to connect to the database - $this->_link = DB::connect($this->getURL()); - if ( DB::isError($this->_link) ) { - phpCAS::error('could not connect to database ('.DB::errorMessage($this->_link).')'); - } - var_dump($this->_link); - phpCAS::traceBEnd(); - } - - /** @} */ -} - + + * + * @ingroup internalPGTStorageDB + */ + +class PGTStorageDB extends PGTStorage +{ + /** + * @addtogroup internalPGTStorageDB + * @{ + */ + + /** + * a string representing a PEAR DB URL to connect to the database. Written by + * PGTStorageDB::PGTStorageDB(), read by getURL(). + * + * @hideinitializer + * @private + */ + var $_url=''; + + /** + * This method returns the PEAR DB URL to use to connect to the database. + * + * @return a PEAR DB URL + * + * @private + */ + function getURL() + { + return $this->_url; + } + + /** + * The handle of the connection to the database where PGT's are stored. Written by + * PGTStorageDB::init(), read by getLink(). + * + * @hideinitializer + * @private + */ + var $_link = null; + + /** + * This method returns the handle of the connection to the database where PGT's are + * stored. + * + * @return a handle of connection. + * + * @private + */ + function getLink() + { + return $this->_link; + } + + /** + * The name of the table where PGT's are stored. Written by + * PGTStorageDB::PGTStorageDB(), read by getTable(). + * + * @hideinitializer + * @private + */ + var $_table = ''; + + /** + * This method returns the name of the table where PGT's are stored. + * + * @return the name of a table. + * + * @private + */ + function getTable() + { + return $this->_table; + } + + // ######################################################################## + // DEBUGGING + // ######################################################################## + + /** + * This method returns an informational string giving the type of storage + * used by the object (used for debugging purposes). + * + * @return an informational string. + * @public + */ + function getStorageType() + { + return "database"; + } + + /** + * This method returns an informational string giving informations on the + * parameters of the storage.(used for debugging purposes). + * + * @public + */ + function getStorageInfo() + { + return 'url=`'.$this->getURL().'\', table=`'.$this->getTable().'\''; + } + + // ######################################################################## + // CONSTRUCTOR + // ######################################################################## + + /** + * The class constructor, called by CASClient::SetPGTStorageDB(). + * + * @param $cas_parent the CASClient instance that creates the object. + * @param $user the user to access the data with + * @param $password the user's password + * @param $database_type the type of the database hosting the data + * @param $hostname the server hosting the database + * @param $port the port the server is listening on + * @param $database the name of the database + * @param $table the name of the table storing the data + * + * @public + */ + function PGTStorageDB($cas_parent,$user,$password,$database_type,$hostname,$port,$database,$table) + { + phpCAS::traceBegin(); + + // call the ancestor's constructor + $this->PGTStorage($cas_parent); + + if ( empty($database_type) ) $database_type = CAS_PGT_STORAGE_DB_DEFAULT_DATABASE_TYPE; + if ( empty($hostname) ) $hostname = CAS_PGT_STORAGE_DB_DEFAULT_HOSTNAME; + if ( $port==0 ) $port = CAS_PGT_STORAGE_DB_DEFAULT_PORT; + if ( empty($database) ) $database = CAS_PGT_STORAGE_DB_DEFAULT_DATABASE; + if ( empty($table) ) $table = CAS_PGT_STORAGE_DB_DEFAULT_TABLE; + + // build and store the PEAR DB URL + $this->_url = $database_type.':'.'//'.$user.':'.$password.'@'.$hostname.':'.$port.'/'.$database; + + // XXX should use setURL and setTable + phpCAS::traceEnd(); + } + + // ######################################################################## + // INITIALIZATION + // ######################################################################## + + /** + * This method is used to initialize the storage. Halts on error. + * + * @public + */ + function init() + { + phpCAS::traceBegin(); + // if the storage has already been initialized, return immediatly + if ( $this->isInitialized() ) + return; + // call the ancestor's method (mark as initialized) + parent::init(); + + //include phpDB library (the test was introduced in release 0.4.8 for + //the integration into Tikiwiki). + if (!class_exists('DB')) { + include_once('DB.php'); + } + + // try to connect to the database + $this->_link = DB::connect($this->getURL()); + if ( DB::isError($this->_link) ) { + phpCAS::error('could not connect to database ('.DB::errorMessage($this->_link).')'); + } + var_dump($this->_link); + phpCAS::traceBEnd(); + } + + /** @} */ +} + ?> \ No newline at end of file diff --git a/plugins/CasAuthentication/extlib/CAS/PGTStorage/pgt-file.php b/plugins/CasAuthentication/extlib/CAS/PGTStorage/pgt-file.php index d48a60d67..bc07485b8 100644 --- a/plugins/CasAuthentication/extlib/CAS/PGTStorage/pgt-file.php +++ b/plugins/CasAuthentication/extlib/CAS/PGTStorage/pgt-file.php @@ -1,249 +1,249 @@ - - * - * @ingroup internalPGTStorageFile - */ - -class PGTStorageFile extends PGTStorage -{ - /** - * @addtogroup internalPGTStorageFile - * @{ - */ - - /** - * a string telling where PGT's should be stored on the filesystem. Written by - * PGTStorageFile::PGTStorageFile(), read by getPath(). - * - * @private - */ - var $_path; - - /** - * This method returns the name of the directory where PGT's should be stored - * on the filesystem. - * - * @return the name of a directory (with leading and trailing '/') - * - * @private - */ - function getPath() - { - return $this->_path; - } - - /** - * a string telling the format to use to store PGT's (plain or xml). Written by - * PGTStorageFile::PGTStorageFile(), read by getFormat(). - * - * @private - */ - var $_format; - - /** - * This method returns the format to use when storing PGT's on the filesystem. - * - * @return a string corresponding to the format used (plain or xml). - * - * @private - */ - function getFormat() - { - return $this->_format; - } - - // ######################################################################## - // DEBUGGING - // ######################################################################## - - /** - * This method returns an informational string giving the type of storage - * used by the object (used for debugging purposes). - * - * @return an informational string. - * @public - */ - function getStorageType() - { - return "file"; - } - - /** - * This method returns an informational string giving informations on the - * parameters of the storage.(used for debugging purposes). - * - * @return an informational string. - * @public - */ - function getStorageInfo() - { - return 'path=`'.$this->getPath().'\', format=`'.$this->getFormat().'\''; - } - - // ######################################################################## - // CONSTRUCTOR - // ######################################################################## - - /** - * The class constructor, called by CASClient::SetPGTStorageFile(). - * - * @param $cas_parent the CASClient instance that creates the object. - * @param $format the format used to store the PGT's (`plain' and `xml' allowed). - * @param $path the path where the PGT's should be stored - * - * @public - */ - function PGTStorageFile($cas_parent,$format,$path) - { - phpCAS::traceBegin(); - // call the ancestor's constructor - $this->PGTStorage($cas_parent); - - if (empty($format) ) $format = CAS_PGT_STORAGE_FILE_DEFAULT_FORMAT; - if (empty($path) ) $path = CAS_PGT_STORAGE_FILE_DEFAULT_PATH; - - // check that the path is an absolute path - if (getenv("OS")=="Windows_NT"){ - - if (!preg_match('`^[a-zA-Z]:`', $path)) { - phpCAS::error('an absolute path is needed for PGT storage to file'); - } - - } - else - { - - if ( $path[0] != '/' ) { - phpCAS::error('an absolute path is needed for PGT storage to file'); - } - - // store the path (with a leading and trailing '/') - $path = preg_replace('|[/]*$|','/',$path); - $path = preg_replace('|^[/]*|','/',$path); - } - - $this->_path = $path; - // check the format and store it - switch ($format) { - case CAS_PGT_STORAGE_FILE_FORMAT_PLAIN: - case CAS_PGT_STORAGE_FILE_FORMAT_XML: - $this->_format = $format; - break; - default: - phpCAS::error('unknown PGT file storage format (`'.CAS_PGT_STORAGE_FILE_FORMAT_PLAIN.'\' and `'.CAS_PGT_STORAGE_FILE_FORMAT_XML.'\' allowed)'); - } - phpCAS::traceEnd(); - } - - // ######################################################################## - // INITIALIZATION - // ######################################################################## - - /** - * This method is used to initialize the storage. Halts on error. - * - * @public - */ - function init() - { - phpCAS::traceBegin(); - // if the storage has already been initialized, return immediatly - if ( $this->isInitialized() ) - return; - // call the ancestor's method (mark as initialized) - parent::init(); - phpCAS::traceEnd(); - } - - // ######################################################################## - // PGT I/O - // ######################################################################## - - /** - * This method returns the filename corresponding to a PGT Iou. - * - * @param $pgt_iou the PGT iou. - * - * @return a filename - * @private - */ - function getPGTIouFilename($pgt_iou) - { - phpCAS::traceBegin(); - $filename = $this->getPath().$pgt_iou.'.'.$this->getFormat(); - phpCAS::traceEnd($filename); - return $filename; - } - - /** - * This method stores a PGT and its corresponding PGT Iou into a file. Echoes a - * warning on error. - * - * @param $pgt the PGT - * @param $pgt_iou the PGT iou - * - * @public - */ - function write($pgt,$pgt_iou) - { - phpCAS::traceBegin(); - $fname = $this->getPGTIouFilename($pgt_iou); - if ( $f=fopen($fname,"w") ) { - if ( fputs($f,$pgt) === FALSE ) { - phpCAS::error('could not write PGT to `'.$fname.'\''); - } - fclose($f); - } else { - phpCAS::error('could not open `'.$fname.'\''); - } - phpCAS::traceEnd(); - } - - /** - * This method reads a PGT corresponding to a PGT Iou and deletes the - * corresponding file. - * - * @param $pgt_iou the PGT iou - * - * @return the corresponding PGT, or FALSE on error - * - * @public - */ - function read($pgt_iou) - { - phpCAS::traceBegin(); - $pgt = FALSE; - $fname = $this->getPGTIouFilename($pgt_iou); - if ( !($f=fopen($fname,"r")) ) { - phpCAS::trace('could not open `'.$fname.'\''); - } else { - if ( ($pgt=fgets($f)) === FALSE ) { - phpCAS::trace('could not read PGT from `'.$fname.'\''); - } - fclose($f); - } - - // delete the PGT file - @unlink($fname); - - phpCAS::traceEnd($pgt); - return $pgt; - } - - /** @} */ - -} - - + + * + * @ingroup internalPGTStorageFile + */ + +class PGTStorageFile extends PGTStorage +{ + /** + * @addtogroup internalPGTStorageFile + * @{ + */ + + /** + * a string telling where PGT's should be stored on the filesystem. Written by + * PGTStorageFile::PGTStorageFile(), read by getPath(). + * + * @private + */ + var $_path; + + /** + * This method returns the name of the directory where PGT's should be stored + * on the filesystem. + * + * @return the name of a directory (with leading and trailing '/') + * + * @private + */ + function getPath() + { + return $this->_path; + } + + /** + * a string telling the format to use to store PGT's (plain or xml). Written by + * PGTStorageFile::PGTStorageFile(), read by getFormat(). + * + * @private + */ + var $_format; + + /** + * This method returns the format to use when storing PGT's on the filesystem. + * + * @return a string corresponding to the format used (plain or xml). + * + * @private + */ + function getFormat() + { + return $this->_format; + } + + // ######################################################################## + // DEBUGGING + // ######################################################################## + + /** + * This method returns an informational string giving the type of storage + * used by the object (used for debugging purposes). + * + * @return an informational string. + * @public + */ + function getStorageType() + { + return "file"; + } + + /** + * This method returns an informational string giving informations on the + * parameters of the storage.(used for debugging purposes). + * + * @return an informational string. + * @public + */ + function getStorageInfo() + { + return 'path=`'.$this->getPath().'\', format=`'.$this->getFormat().'\''; + } + + // ######################################################################## + // CONSTRUCTOR + // ######################################################################## + + /** + * The class constructor, called by CASClient::SetPGTStorageFile(). + * + * @param $cas_parent the CASClient instance that creates the object. + * @param $format the format used to store the PGT's (`plain' and `xml' allowed). + * @param $path the path where the PGT's should be stored + * + * @public + */ + function PGTStorageFile($cas_parent,$format,$path) + { + phpCAS::traceBegin(); + // call the ancestor's constructor + $this->PGTStorage($cas_parent); + + if (empty($format) ) $format = CAS_PGT_STORAGE_FILE_DEFAULT_FORMAT; + if (empty($path) ) $path = CAS_PGT_STORAGE_FILE_DEFAULT_PATH; + + // check that the path is an absolute path + if (getenv("OS")=="Windows_NT"){ + + if (!preg_match('`^[a-zA-Z]:`', $path)) { + phpCAS::error('an absolute path is needed for PGT storage to file'); + } + + } + else + { + + if ( $path[0] != '/' ) { + phpCAS::error('an absolute path is needed for PGT storage to file'); + } + + // store the path (with a leading and trailing '/') + $path = preg_replace('|[/]*$|','/',$path); + $path = preg_replace('|^[/]*|','/',$path); + } + + $this->_path = $path; + // check the format and store it + switch ($format) { + case CAS_PGT_STORAGE_FILE_FORMAT_PLAIN: + case CAS_PGT_STORAGE_FILE_FORMAT_XML: + $this->_format = $format; + break; + default: + phpCAS::error('unknown PGT file storage format (`'.CAS_PGT_STORAGE_FILE_FORMAT_PLAIN.'\' and `'.CAS_PGT_STORAGE_FILE_FORMAT_XML.'\' allowed)'); + } + phpCAS::traceEnd(); + } + + // ######################################################################## + // INITIALIZATION + // ######################################################################## + + /** + * This method is used to initialize the storage. Halts on error. + * + * @public + */ + function init() + { + phpCAS::traceBegin(); + // if the storage has already been initialized, return immediatly + if ( $this->isInitialized() ) + return; + // call the ancestor's method (mark as initialized) + parent::init(); + phpCAS::traceEnd(); + } + + // ######################################################################## + // PGT I/O + // ######################################################################## + + /** + * This method returns the filename corresponding to a PGT Iou. + * + * @param $pgt_iou the PGT iou. + * + * @return a filename + * @private + */ + function getPGTIouFilename($pgt_iou) + { + phpCAS::traceBegin(); + $filename = $this->getPath().$pgt_iou.'.'.$this->getFormat(); + phpCAS::traceEnd($filename); + return $filename; + } + + /** + * This method stores a PGT and its corresponding PGT Iou into a file. Echoes a + * warning on error. + * + * @param $pgt the PGT + * @param $pgt_iou the PGT iou + * + * @public + */ + function write($pgt,$pgt_iou) + { + phpCAS::traceBegin(); + $fname = $this->getPGTIouFilename($pgt_iou); + if ( $f=fopen($fname,"w") ) { + if ( fputs($f,$pgt) === FALSE ) { + phpCAS::error('could not write PGT to `'.$fname.'\''); + } + fclose($f); + } else { + phpCAS::error('could not open `'.$fname.'\''); + } + phpCAS::traceEnd(); + } + + /** + * This method reads a PGT corresponding to a PGT Iou and deletes the + * corresponding file. + * + * @param $pgt_iou the PGT iou + * + * @return the corresponding PGT, or FALSE on error + * + * @public + */ + function read($pgt_iou) + { + phpCAS::traceBegin(); + $pgt = FALSE; + $fname = $this->getPGTIouFilename($pgt_iou); + if ( !($f=fopen($fname,"r")) ) { + phpCAS::trace('could not open `'.$fname.'\''); + } else { + if ( ($pgt=fgets($f)) === FALSE ) { + phpCAS::trace('could not read PGT from `'.$fname.'\''); + } + fclose($f); + } + + // delete the PGT file + @unlink($fname); + + phpCAS::traceEnd($pgt); + return $pgt; + } + + /** @} */ + +} + + ?> \ No newline at end of file diff --git a/plugins/CasAuthentication/extlib/CAS/PGTStorage/pgt-main.php b/plugins/CasAuthentication/extlib/CAS/PGTStorage/pgt-main.php index 8fd3c9e12..cd9b49967 100644 --- a/plugins/CasAuthentication/extlib/CAS/PGTStorage/pgt-main.php +++ b/plugins/CasAuthentication/extlib/CAS/PGTStorage/pgt-main.php @@ -1,188 +1,188 @@ - - * - * @ingroup internalPGTStorage - */ - -class PGTStorage -{ - /** - * @addtogroup internalPGTStorage - * @{ - */ - - // ######################################################################## - // CONSTRUCTOR - // ######################################################################## - - /** - * The constructor of the class, should be called only by inherited classes. - * - * @param $cas_parent the CASclient instance that creates the current object. - * - * @protected - */ - function PGTStorage($cas_parent) - { - phpCAS::traceBegin(); - if ( !$cas_parent->isProxy() ) { - phpCAS::error('defining PGT storage makes no sense when not using a CAS proxy'); - } - phpCAS::traceEnd(); - } - - // ######################################################################## - // DEBUGGING - // ######################################################################## - - /** - * This virtual method returns an informational string giving the type of storage - * used by the object (used for debugging purposes). - * - * @public - */ - function getStorageType() - { - phpCAS::error(__CLASS__.'::'.__FUNCTION__.'() should never be called'); - } - - /** - * This virtual method returns an informational string giving informations on the - * parameters of the storage.(used for debugging purposes). - * - * @public - */ - function getStorageInfo() - { - phpCAS::error(__CLASS__.'::'.__FUNCTION__.'() should never be called'); - } - - // ######################################################################## - // ERROR HANDLING - // ######################################################################## - - /** - * string used to store an error message. Written by PGTStorage::setErrorMessage(), - * read by PGTStorage::getErrorMessage(). - * - * @hideinitializer - * @private - * @deprecated not used. - */ - var $_error_message=FALSE; - - /** - * This method sets en error message, which can be read later by - * PGTStorage::getErrorMessage(). - * - * @param $error_message an error message - * - * @protected - * @deprecated not used. - */ - function setErrorMessage($error_message) - { - $this->_error_message = $error_message; - } - - /** - * This method returns an error message set by PGTStorage::setErrorMessage(). - * - * @return an error message when set by PGTStorage::setErrorMessage(), FALSE - * otherwise. - * - * @public - * @deprecated not used. - */ - function getErrorMessage() - { - return $this->_error_message; - } - - // ######################################################################## - // INITIALIZATION - // ######################################################################## - - /** - * a boolean telling if the storage has already been initialized. Written by - * PGTStorage::init(), read by PGTStorage::isInitialized(). - * - * @hideinitializer - * @private - */ - var $_initialized = FALSE; - - /** - * This method tells if the storage has already been intialized. - * - * @return a boolean - * - * @protected - */ - function isInitialized() - { - return $this->_initialized; - } - - /** - * This virtual method initializes the object. - * - * @protected - */ - function init() - { - $this->_initialized = TRUE; - } - - // ######################################################################## - // PGT I/O - // ######################################################################## - - /** - * This virtual method stores a PGT and its corresponding PGT Iuo. - * @note Should never be called. - * - * @param $pgt the PGT - * @param $pgt_iou the PGT iou - * - * @protected - */ - function write($pgt,$pgt_iou) - { - phpCAS::error(__CLASS__.'::'.__FUNCTION__.'() should never be called'); - } - - /** - * This virtual method reads a PGT corresponding to a PGT Iou and deletes - * the corresponding storage entry. - * @note Should never be called. - * - * @param $pgt_iou the PGT iou - * - * @protected - */ - function read($pgt_iou) - { - phpCAS::error(__CLASS__.'::'.__FUNCTION__.'() should never be called'); - } - - /** @} */ - -} - -// include specific PGT storage classes -include_once(dirname(__FILE__).'/pgt-file.php'); -include_once(dirname(__FILE__).'/pgt-db.php'); - + + * + * @ingroup internalPGTStorage + */ + +class PGTStorage +{ + /** + * @addtogroup internalPGTStorage + * @{ + */ + + // ######################################################################## + // CONSTRUCTOR + // ######################################################################## + + /** + * The constructor of the class, should be called only by inherited classes. + * + * @param $cas_parent the CASclient instance that creates the current object. + * + * @protected + */ + function PGTStorage($cas_parent) + { + phpCAS::traceBegin(); + if ( !$cas_parent->isProxy() ) { + phpCAS::error('defining PGT storage makes no sense when not using a CAS proxy'); + } + phpCAS::traceEnd(); + } + + // ######################################################################## + // DEBUGGING + // ######################################################################## + + /** + * This virtual method returns an informational string giving the type of storage + * used by the object (used for debugging purposes). + * + * @public + */ + function getStorageType() + { + phpCAS::error(__CLASS__.'::'.__FUNCTION__.'() should never be called'); + } + + /** + * This virtual method returns an informational string giving informations on the + * parameters of the storage.(used for debugging purposes). + * + * @public + */ + function getStorageInfo() + { + phpCAS::error(__CLASS__.'::'.__FUNCTION__.'() should never be called'); + } + + // ######################################################################## + // ERROR HANDLING + // ######################################################################## + + /** + * string used to store an error message. Written by PGTStorage::setErrorMessage(), + * read by PGTStorage::getErrorMessage(). + * + * @hideinitializer + * @private + * @deprecated not used. + */ + var $_error_message=FALSE; + + /** + * This method sets en error message, which can be read later by + * PGTStorage::getErrorMessage(). + * + * @param $error_message an error message + * + * @protected + * @deprecated not used. + */ + function setErrorMessage($error_message) + { + $this->_error_message = $error_message; + } + + /** + * This method returns an error message set by PGTStorage::setErrorMessage(). + * + * @return an error message when set by PGTStorage::setErrorMessage(), FALSE + * otherwise. + * + * @public + * @deprecated not used. + */ + function getErrorMessage() + { + return $this->_error_message; + } + + // ######################################################################## + // INITIALIZATION + // ######################################################################## + + /** + * a boolean telling if the storage has already been initialized. Written by + * PGTStorage::init(), read by PGTStorage::isInitialized(). + * + * @hideinitializer + * @private + */ + var $_initialized = FALSE; + + /** + * This method tells if the storage has already been intialized. + * + * @return a boolean + * + * @protected + */ + function isInitialized() + { + return $this->_initialized; + } + + /** + * This virtual method initializes the object. + * + * @protected + */ + function init() + { + $this->_initialized = TRUE; + } + + // ######################################################################## + // PGT I/O + // ######################################################################## + + /** + * This virtual method stores a PGT and its corresponding PGT Iuo. + * @note Should never be called. + * + * @param $pgt the PGT + * @param $pgt_iou the PGT iou + * + * @protected + */ + function write($pgt,$pgt_iou) + { + phpCAS::error(__CLASS__.'::'.__FUNCTION__.'() should never be called'); + } + + /** + * This virtual method reads a PGT corresponding to a PGT Iou and deletes + * the corresponding storage entry. + * @note Should never be called. + * + * @param $pgt_iou the PGT iou + * + * @protected + */ + function read($pgt_iou) + { + phpCAS::error(__CLASS__.'::'.__FUNCTION__.'() should never be called'); + } + + /** @} */ + +} + +// include specific PGT storage classes +include_once(dirname(__FILE__).'/pgt-file.php'); +include_once(dirname(__FILE__).'/pgt-db.php'); + ?> \ No newline at end of file diff --git a/plugins/CasAuthentication/extlib/CAS/client.php b/plugins/CasAuthentication/extlib/CAS/client.php index bbde55a28..ad5a23f83 100644 --- a/plugins/CasAuthentication/extlib/CAS/client.php +++ b/plugins/CasAuthentication/extlib/CAS/client.php @@ -351,6 +351,43 @@ class CASClient { return $this->_server['login_url'] = $url; } + + + /** + * This method sets the serviceValidate URL of the CAS server. + * @param $url the serviceValidate URL + * @private + * @since 1.1.0 by Joachim Fritschi + */ + function setServerServiceValidateURL($url) + { + return $this->_server['service_validate_url'] = $url; + } + + + /** + * This method sets the proxyValidate URL of the CAS server. + * @param $url the proxyValidate URL + * @private + * @since 1.1.0 by Joachim Fritschi + */ + function setServerProxyValidateURL($url) + { + return $this->_server['proxy_validate_url'] = $url; + } + + + /** + * This method sets the samlValidate URL of the CAS server. + * @param $url the samlValidate URL + * @private + * @since 1.1.0 by Joachim Fritschi + */ + function setServerSamlValidateURL($url) + { + return $this->_server['saml_validate_url'] = $url; + } + /** * This method is used to retrieve the service validating URL of the CAS server. @@ -373,7 +410,25 @@ class CASClient // return $this->_server['service_validate_url'].'?service='.preg_replace('/&/','%26',$this->getURL()); return $this->_server['service_validate_url'].'?service='.urlencode($this->getURL()); } - + /** + * This method is used to retrieve the SAML validating URL of the CAS server. + * @return a URL. + * @private + */ + function getServerSamlValidateURL() + { + phpCAS::traceBegin(); + // the URL is build only when needed + if ( empty($this->_server['saml_validate_url']) ) { + switch ($this->getServerVersion()) { + case SAML_VERSION_1_1: + $this->_server['saml_validate_url'] = $this->getServerBaseURL().'samlValidate'; + break; + } + } + phpCAS::traceEnd($this->_server['saml_validate_url'].'?TARGET='.urlencode($this->getURL())); + return $this->_server['saml_validate_url'].'?TARGET='.urlencode($this->getURL()); + } /** * This method is used to retrieve the proxy validating URL of the CAS server. * @return a URL. @@ -497,31 +552,51 @@ class CASClient phpCAS::traceBegin(); - if (!$this->isLogoutRequest() && !empty($_GET['ticket']) && $start_session) { - // copy old session vars and destroy the current session - if (!isset($_SESSION)) { - session_start(); - } - $old_session = $_SESSION; - session_destroy(); - // set up a new session, of name based on the ticket - $session_id = preg_replace('/[^\w]/','',$_GET['ticket']); - phpCAS::LOG("Session ID: " . $session_id); - session_id($session_id); - if (!isset($_SESSION)) { - session_start(); - } - // restore old session vars - $_SESSION = $old_session; - // Redirect to location without ticket. - header('Location: '.$this->getURL()); - } - - //activate session mechanism if desired - if (!$this->isLogoutRequest() && $start_session) { - session_start(); + // the redirect header() call and DOM parsing code from domxml-php4-php5.php won't work in PHP4 compatibility mode + if (version_compare(PHP_VERSION,'5','>=') && ini_get('zend.ze1_compatibility_mode')) { + phpCAS::error('phpCAS cannot support zend.ze1_compatibility_mode. Sorry.'); + } + // skip Session Handling for logout requests and if don't want it' + if ($start_session && !$this->isLogoutRequest()) { + phpCAS::trace("Starting session handling"); + // Check for Tickets from the CAS server + if (empty($_GET['ticket'])){ + phpCAS::trace("No ticket found"); + // only create a session if necessary + if (!isset($_SESSION)) { + phpCAS::trace("No session found, creating new session"); + session_start(); + } + }else{ + phpCAS::trace("Ticket found"); + // We have to copy any old data before renaming the session + if (isset($_SESSION)) { + phpCAS::trace("Old active session found, saving old data and destroying session"); + $old_session = $_SESSION; + session_destroy(); + }else{ + session_start(); + phpCAS::trace("Starting possible old session to copy variables"); + $old_session = $_SESSION; + session_destroy(); + } + // set up a new session, of name based on the ticket + $session_id = preg_replace('/[^\w]/','',$_GET['ticket']); + phpCAS::LOG("Session ID: " . $session_id); + session_id($session_id); + session_start(); + // restore old session vars + if(isset($old_session)){ + phpCAS::trace("Restoring old session vars"); + $_SESSION = $old_session; + } + } + }else{ + phpCAS::trace("Skipping session creation"); } + + // are we in proxy mode ? $this->_proxy = $proxy; //check version @@ -533,6 +608,8 @@ class CASClient break; case CAS_VERSION_2_0: break; + case SAML_VERSION_1_1: + break; default: phpCAS::error('this version of CAS (`' .$server_version @@ -541,29 +618,29 @@ class CASClient } $this->_server['version'] = $server_version; - //check hostname + // check hostname if ( empty($server_hostname) || !preg_match('/[\.\d\-abcdefghijklmnopqrstuvwxyz]*/',$server_hostname) ) { phpCAS::error('bad CAS server hostname (`'.$server_hostname.'\')'); } $this->_server['hostname'] = $server_hostname; - //check port + // check port if ( $server_port == 0 || !is_int($server_port) ) { phpCAS::error('bad CAS server port (`'.$server_hostname.'\')'); } $this->_server['port'] = $server_port; - //check URI + // check URI if ( !preg_match('/[\.\d\-_abcdefghijklmnopqrstuvwxyz\/]*/',$server_uri) ) { phpCAS::error('bad CAS server URI (`'.$server_uri.'\')'); } - //add leading and trailing `/' and remove doubles + // add leading and trailing `/' and remove doubles $server_uri = preg_replace('/\/\//','/','/'.$server_uri.'/'); $this->_server['uri'] = $server_uri; - //set to callback mode if PgtIou and PgtId CGI GET parameters are provided + // set to callback mode if PgtIou and PgtId CGI GET parameters are provided if ( $this->isProxy() ) { $this->setCallbackMode(!empty($_GET['pgtIou'])&&!empty($_GET['pgtId'])); } @@ -590,8 +667,12 @@ class CASClient } break; case CAS_VERSION_2_0: // check for a Service or Proxy Ticket - if( preg_match('/^[SP]T-/',$ticket) ) { - phpCAS::trace('ST or PT \''.$ticket.'\' found'); + if (preg_match('/^ST-/', $ticket)) { + phpCAS::trace('ST \'' . $ticket . '\' found'); + $this->setST($ticket); + unset ($_GET['ticket']); + } else if (preg_match('/^PT-/', $ticket)) { + phpCAS::trace('PT \'' . $ticket . '\' found'); $this->setPT($ticket); unset($_GET['ticket']); } else if ( !empty($ticket) ) { @@ -599,6 +680,16 @@ class CASClient phpCAS::error('ill-formed ticket found in the URL (ticket=`'.htmlentities($ticket).'\')'); } break; + case SAML_VERSION_1_1: // SAML just does Service Tickets + if( preg_match('/^[SP]T-/',$ticket) ) { + phpCAS::trace('SA \''.$ticket.'\' found'); + $this->setSA($ticket); + unset($_GET['ticket']); + } else if ( !empty($ticket) ) { + //ill-formed ticket, halt + phpCAS::error('ill-formed ticket found in the URL (ticket=`'.htmlentities($ticket).'\')'); + } + break; } } phpCAS::traceEnd(); @@ -652,6 +743,45 @@ class CASClient } return $this->_user; } + + + + /*********************************************************************************************************************** + * Atrributes section + * + * @author Matthias Crauwels , Ghent University, Belgium + * + ***********************************************************************************************************************/ + /** + * The Authenticated users attributes. Written by CASClient::setAttributes(), read by CASClient::getAttributes(). + * @attention client applications should use phpCAS::getAttributes(). + * + * @hideinitializer + * @private + */ + var $_attributes = array(); + + function setAttributes($attributes) + { $this->_attributes = $attributes; } + + function getAttributes() { + if ( empty($this->_user) ) { // if no user is set, there shouldn't be any attributes also... + phpCAS::error('this method should be used only after '.__CLASS__.'::forceAuthentication() or '.__CLASS__.'::isAuthenticated()'); + } + return $this->_attributes; + } + + function hasAttributes() + { return !empty($this->_attributes); } + + function hasAttribute($key) + { return (is_array($this->_attributes) && array_key_exists($key, $this->_attributes)); } + + function getAttribute($key) { + if($this->hasAttribute($key)) { + return $this->_attributes[$key]; + } + } /** * This method is called to renew the authentication of the user @@ -778,55 +908,72 @@ class CASClient * This method is called to check if the user is authenticated (previously or by * tickets given in the URL). * - * @return TRUE when the user is authenticated. + * @return TRUE when the user is authenticated. Also may redirect to the same URL without the ticket. * * @public */ function isAuthenticated() { - phpCAS::traceBegin(); - $res = FALSE; - $validate_url = ''; - - if ( $this->wasPreviouslyAuthenticated() ) { - // the user has already (previously during the session) been - // authenticated, nothing to be done. - phpCAS::trace('user was already authenticated, no need to look for tickets'); - $res = TRUE; - } - elseif ( $this->hasST() ) { - // if a Service Ticket was given, validate it - phpCAS::trace('ST `'.$this->getST().'\' is present'); - $this->validateST($validate_url,$text_response,$tree_response); // if it fails, it halts - phpCAS::trace('ST `'.$this->getST().'\' was validated'); - if ( $this->isProxy() ) { - $this->validatePGT($validate_url,$text_response,$tree_response); // idem - phpCAS::trace('PGT `'.$this->getPGT().'\' was validated'); - $_SESSION['phpCAS']['pgt'] = $this->getPGT(); + phpCAS::traceBegin(); + $res = FALSE; + $validate_url = ''; + + if ( $this->wasPreviouslyAuthenticated() ) { + // the user has already (previously during the session) been + // authenticated, nothing to be done. + phpCAS::trace('user was already authenticated, no need to look for tickets'); + $res = TRUE; } - $_SESSION['phpCAS']['user'] = $this->getUser(); - $res = TRUE; - } - elseif ( $this->hasPT() ) { - // if a Proxy Ticket was given, validate it - phpCAS::trace('PT `'.$this->getPT().'\' is present'); - $this->validatePT($validate_url,$text_response,$tree_response); // note: if it fails, it halts - phpCAS::trace('PT `'.$this->getPT().'\' was validated'); - if ( $this->isProxy() ) { - $this->validatePGT($validate_url,$text_response,$tree_response); // idem - phpCAS::trace('PGT `'.$this->getPGT().'\' was validated'); - $_SESSION['phpCAS']['pgt'] = $this->getPGT(); + else { + if ( $this->hasST() ) { + // if a Service Ticket was given, validate it + phpCAS::trace('ST `'.$this->getST().'\' is present'); + $this->validateST($validate_url,$text_response,$tree_response); // if it fails, it halts + phpCAS::trace('ST `'.$this->getST().'\' was validated'); + if ( $this->isProxy() ) { + $this->validatePGT($validate_url,$text_response,$tree_response); // idem + phpCAS::trace('PGT `'.$this->getPGT().'\' was validated'); + $_SESSION['phpCAS']['pgt'] = $this->getPGT(); + } + $_SESSION['phpCAS']['user'] = $this->getUser(); + $res = TRUE; + } + elseif ( $this->hasPT() ) { + // if a Proxy Ticket was given, validate it + phpCAS::trace('PT `'.$this->getPT().'\' is present'); + $this->validatePT($validate_url,$text_response,$tree_response); // note: if it fails, it halts + phpCAS::trace('PT `'.$this->getPT().'\' was validated'); + if ( $this->isProxy() ) { + $this->validatePGT($validate_url,$text_response,$tree_response); // idem + phpCAS::trace('PGT `'.$this->getPGT().'\' was validated'); + $_SESSION['phpCAS']['pgt'] = $this->getPGT(); + } + $_SESSION['phpCAS']['user'] = $this->getUser(); + $res = TRUE; + } + elseif ( $this->hasSA() ) { + // if we have a SAML ticket, validate it. + phpCAS::trace('SA `'.$this->getSA().'\' is present'); + $this->validateSA($validate_url,$text_response,$tree_response); // if it fails, it halts + phpCAS::trace('SA `'.$this->getSA().'\' was validated'); + $_SESSION['phpCAS']['user'] = $this->getUser(); + $_SESSION['phpCAS']['attributes'] = $this->getAttributes(); + $res = TRUE; + } + else { + // no ticket given, not authenticated + phpCAS::trace('no ticket found'); + } + if ($res) { + // if called with a ticket parameter, we need to redirect to the app without the ticket so that CAS-ification is transparent to the browser (for later POSTS) + // most of the checks and errors should have been made now, so we're safe for redirect without masking error messages. + header('Location: '.$this->getURL()); + phpCAS::log( "Prepare redirect to : ".$this->getURL() ); + } } - $_SESSION['phpCAS']['user'] = $this->getUser(); - $res = TRUE; - } - else { - // no ticket given, not authenticated - phpCAS::trace('no ticket found'); - } - - phpCAS::traceEnd($res); - return $res; + + phpCAS::traceEnd($res); + return $res; } /** @@ -889,6 +1036,9 @@ class CASClient if ( $this->isSessionAuthenticated() ) { // authentication already done $this->setUser($_SESSION['phpCAS']['user']); + if(isset($_SESSION['phpCAS']['attributes'])){ + $this->setAttributes($_SESSION['phpCAS']['attributes']); + } phpCAS::trace('user = `'.$_SESSION['phpCAS']['user'].'\''); $auth = TRUE; } else { @@ -917,6 +1067,7 @@ class CASClient printf('

    '.$this->getString(CAS_STR_SHOULD_HAVE_BEEN_REDIRECTED).'

    ',$cas_url); $this->printHTMLFooter(); + phpCAS::traceExit(); exit(); } @@ -962,11 +1113,15 @@ class CASClient $cas_url = $cas_url . $paramSeparator . "service=" . urlencode($params['service']); } header('Location: '.$cas_url); + phpCAS::log( "Prepare redirect to : ".$cas_url ); + session_unset(); session_destroy(); + $this->printHTMLHeader($this->getString(CAS_STR_LOGOUT)); printf('

    '.$this->getString(CAS_STR_SHOULD_HAVE_BEEN_REDIRECTED).'

    ',$cas_url); $this->printHTMLFooter(); + phpCAS::traceExit(); exit(); } @@ -1009,10 +1164,10 @@ class CASClient } $client_ip = $_SERVER['REMOTE_ADDR']; $client = gethostbyaddr($client_ip); - phpCAS::log("Client: ".$client); + phpCAS::log("Client: ".$client."/".$client_ip); $allowed = false; foreach ($allowed_clients as $allowed_client) { - if ($client == $allowed_client) { + if (($client == $allowed_client) or ($client_ip == $allowed_client)) { phpCAS::log("Allowed client '".$allowed_client."' matches, logout request is allowed"); $allowed = true; break; @@ -1284,6 +1439,151 @@ class CASClient phpCAS::traceEnd(TRUE); return TRUE; } + + // ######################################################################## + // SAML VALIDATION + // ######################################################################## + /** + * @addtogroup internalBasic + * @{ + */ + + /** + * This method is used to validate a SAML TICKET; halt on failure, and sets $validate_url, + * $text_reponse and $tree_response on success. These parameters are used later + * by CASClient::validatePGT() for CAS proxies. + * + * @param $validate_url the URL of the request to the CAS server. + * @param $text_response the response of the CAS server, as is (XML text). + * @param $tree_response the response of the CAS server, as a DOM XML tree. + * + * @return bool TRUE when successfull, halt otherwise by calling CASClient::authError(). + * + * @private + */ + function validateSA($validate_url,&$text_response,&$tree_response) + { + phpCAS::traceBegin(); + + // build the URL to validate the ticket + $validate_url = $this->getServerSamlValidateURL(); + + // open and read the URL + if ( !$this->readURL($validate_url,''/*cookies*/,$headers,$text_response,$err_msg) ) { + phpCAS::trace('could not open URL \''.$validate_url.'\' to validate ('.$err_msg.')'); + $this->authError('SA not validated', $validate_url, TRUE/*$no_response*/); + } + + phpCAS::trace('server version: '.$this->getServerVersion()); + + // analyze the result depending on the version + switch ($this->getServerVersion()) { + case SAML_VERSION_1_1: + + // read the response of the CAS server into a DOM object + if ( !($dom = domxml_open_mem($text_response))) { + phpCAS::trace('domxml_open_mem() failed'); + $this->authError('SA not validated', + $validate_url, + FALSE/*$no_response*/, + TRUE/*$bad_response*/, + $text_response); + } + // read the root node of the XML tree + if ( !($tree_response = $dom->document_element()) ) { + phpCAS::trace('document_element() failed'); + $this->authError('SA not validated', + $validate_url, + FALSE/*$no_response*/, + TRUE/*$bad_response*/, + $text_response); + } + // insure that tag name is 'Envelope' + if ( $tree_response->node_name() != 'Envelope' ) { + phpCAS::trace('bad XML root node (should be `Envelope\' instead of `'.$tree_response->node_name().'\''); + $this->authError('SA not validated', + $validate_url, + FALSE/*$no_response*/, + TRUE/*$bad_response*/, + $text_response); + } + // check for the NameIdentifier tag in the SAML response + if ( sizeof($success_elements = $tree_response->get_elements_by_tagname("NameIdentifier")) != 0) { + phpCAS::trace('NameIdentifier found'); + $user = trim($success_elements[0]->get_content()); + phpCAS::trace('user = `'.$user.'`'); + $this->setUser($user); + $this->setSessionAttributes($text_response); + } else { + phpCAS::trace('no tag found in SAML payload'); + $this->authError('SA not validated', + $validate_url, + FALSE/*$no_response*/, + TRUE/*$bad_response*/, + $text_response); + } + break; + } + + // at this step, ST has been validated and $this->_user has been set, + phpCAS::traceEnd(TRUE); + return TRUE; + } + + /** + * This method will parse the DOM and pull out the attributes from the SAML + * payload and put them into an array, then put the array into the session. + * + * @param $text_response the SAML payload. + * @return bool TRUE when successfull, halt otherwise by calling CASClient::authError(). + * + * @private + */ + function setSessionAttributes($text_response) + { + phpCAS::traceBegin(); + + $result = FALSE; + + if (isset($_SESSION[SAML_ATTRIBUTES])) { + phpCAS::trace("session attrs already set."); //testbml - do we care? + } + + $attr_array = array(); + + if (($dom = domxml_open_mem($text_response))) { + $xPath = $dom->xpath_new_context(); + $xPath->xpath_register_ns('samlp', 'urn:oasis:names:tc:SAML:1.0:protocol'); + $xPath->xpath_register_ns('saml', 'urn:oasis:names:tc:SAML:1.0:assertion'); + $nodelist = $xPath->xpath_eval("//saml:Attribute"); + $attrs = $nodelist->nodeset; + phpCAS::trace($text_response); + foreach($attrs as $attr){ + $xres = $xPath->xpath_eval("saml:AttributeValue", $attr); + $name = $attr->get_attribute("AttributeName"); + $value_array = array(); + foreach($xres->nodeset as $node){ + $value_array[] = $node->get_content(); + + } + phpCAS::trace("* " . $name . "=" . $value_array); + $attr_array[$name] = $value_array; + } + $_SESSION[SAML_ATTRIBUTES] = $attr_array; + // UGent addition... + foreach($attr_array as $attr_key => $attr_value) { + if(count($attr_value) > 1) { + $this->_attributes[$attr_key] = $attr_value; + } + else { + $this->_attributes[$attr_key] = $attr_value[0]; + } + } + $result = TRUE; + } + phpCAS::traceEnd($result); + return $result; + } /** @} */ @@ -1495,6 +1795,7 @@ class CASClient $this->storePGT($pgt,$pgt_iou); $this->printHTMLFooter(); phpCAS::traceExit(); + exit(); } /** @} */ @@ -1585,7 +1886,7 @@ class CASClient } // create the storage object - $this->_pgt_storage = &new PGTStorageFile($this,$format,$path); + $this->_pgt_storage = new PGTStorageFile($this,$format,$path); } /** @@ -1622,7 +1923,7 @@ class CASClient trigger_error('PGT storage into database is an experimental feature, use at your own risk',E_USER_WARNING); // create the storage object - $this->_pgt_storage = & new PGTStorageDB($this,$user,$password,$database_type,$hostname,$port,$database,$table); + $this->_pgt_storage = new PGTStorageDB($this,$user,$password,$database_type,$hostname,$port,$database,$table); } // ######################################################################## @@ -1643,7 +1944,8 @@ class CASClient */ function validatePGT(&$validate_url,$text_response,$tree_response) { - phpCAS::traceBegin(); + // here cannot use phpCAS::traceBegin(); alongside domxml-php4-to-php5.php + phpCAS::log('start validatePGT()'); if ( sizeof($arr = $tree_response->get_elements_by_tagname("proxyGrantingTicket")) == 0) { phpCAS::trace(' not found'); // authentication succeded, but no PGT Iou was transmitted @@ -1666,7 +1968,8 @@ class CASClient } $this->setPGT($pgt); } - phpCAS::traceEnd(TRUE); + // here, cannot use phpCAS::traceEnd(TRUE); alongside domxml-php4-to-php5.php + phpCAS::log('end validatePGT()'); return TRUE; } @@ -1819,7 +2122,15 @@ class CASClient if ($this->_cas_server_cert == '' && $this->_cas_server_ca_cert == '' && !$this->_no_cas_server_validation) { phpCAS::error('one of the methods phpCAS::setCasServerCert(), phpCAS::setCasServerCACert() or phpCAS::setNoCasServerValidation() must be called.'); } - if ($this->_cas_server_cert != '' ) { + if ($this->_cas_server_cert != '' && $this->_cas_server_ca_cert != '') { + // This branch added by IDMS. Seems phpCAS implementor got a bit confused about the curl options CURLOPT_SSLCERT and CURLOPT_CAINFO + curl_setopt($ch, CURLOPT_SSL_VERIFYPEER, 1); + curl_setopt($ch, CURLOPT_SSL_VERIFYHOST, 1); + curl_setopt($ch, CURLOPT_SSLCERT, $this->_cas_server_cert); + curl_setopt($ch, CURLOPT_CAINFO, $this->_cas_server_ca_cert); + curl_setopt($ch, CURLOPT_VERBOSE, '1'); + phpCAS::trace('CURL: Set all required opts for mutual authentication ------'); + } else if ($this->_cas_server_cert != '' ) { curl_setopt($ch, CURLOPT_SSL_VERIFYPEER, 1); curl_setopt($ch, CURLOPT_SSLCERT, $this->_cas_server_cert); } else if ($this->_cas_server_ca_cert != '') { @@ -1839,11 +2150,28 @@ class CASClient if ( is_array($cookies) ) { curl_setopt($ch,CURLOPT_COOKIE,implode(';',$cookies)); } + // add extra stuff if SAML + if ($this->hasSA()) { + $more_headers = array ("soapaction: http://www.oasis-open.org/committees/security", + "cache-control: no-cache", + "pragma: no-cache", + "accept: text/xml", + "connection: keep-alive", + "content-type: text/xml"); + + curl_setopt($ch, CURLOPT_HTTPHEADER, $more_headers); + curl_setopt($ch, CURLOPT_POST, 1); + $data = $this->buildSAMLPayload(); + //phpCAS::trace('SAML Payload: '.print_r($data, TRUE)); + curl_setopt($ch, CURLOPT_POSTFIELDS, $data); + } // perform the query $buf = curl_exec ($ch); + //phpCAS::trace('CURL: Call completed. Response body is: \''.$buf.'\''); if ( $buf === FALSE ) { phpCAS::trace('curl_exec() failed'); $err_msg = 'CURL error #'.curl_errno($ch).': '.curl_error($ch); + //phpCAS::trace('curl error: '.$err_msg); // close the CURL session curl_close ($ch); $res = FALSE; @@ -1858,7 +2186,28 @@ class CASClient phpCAS::traceEnd($res); return $res; } - + + /** + * This method is used to build the SAML POST body sent to /samlValidate URL. + * + * @return the SOAP-encased SAMLP artifact (the ticket). + * + * @private + */ + function buildSAMLPayload() + { + phpCAS::traceBegin(); + + //get the ticket + $sa = $this->getSA(); + //phpCAS::trace("SA: ".$sa); + + $body=SAML_SOAP_ENV.SAML_SOAP_BODY.SAMLP_REQUEST.SAML_ASSERTION_ARTIFACT.$sa.SAML_ASSERTION_ARTIFACT_CLOSE.SAMLP_REQUEST_CLOSE.SAML_SOAP_BODY_CLOSE.SAML_SOAP_ENV_CLOSE; + + phpCAS::traceEnd($body); + return ($body); + } + /** * This method is the callback used by readURL method to request HTTP headers. */ @@ -1951,6 +2300,7 @@ class CASClient * * @param $url a string giving the URL of the service, including the mailing box * for IMAP URLs, as accepted by imap_open(). + * @param $service a string giving for CAS retrieve Proxy ticket * @param $flags options given to imap_open(). * @param $err_code an error code Possible values are PHPCAS_SERVICE_OK (on * success), PHPCAS_SERVICE_PT_NO_SERVER_RESPONSE, PHPCAS_SERVICE_PT_BAD_SERVER_RESPONSE, @@ -1964,11 +2314,11 @@ class CASClient * * @public */ - function serviceMail($url,$flags,&$err_code,&$err_msg,&$pt) + function serviceMail($url,$service,$flags,&$err_code,&$err_msg,&$pt) { phpCAS::traceBegin(); // at first retrieve a PT - $pt = $this->retrievePT($target_service,$err_code,$output); + $pt = $this->retrievePT($service,$err_code,$output); $stream = FALSE; @@ -2049,7 +2399,30 @@ class CASClient */ function hasPT() { return !empty($this->_pt); } - + /** + * This method returns the SAML Ticket provided in the URL of the request. + * @return The SAML ticket. + * @private + */ + function getSA() + { return 'ST'.substr($this->_sa, 2); } + + /** + * This method stores the SAML Ticket. + * @param $sa The SAML Ticket. + * @private + */ + function setSA($sa) + { $this->_sa = $sa; } + + /** + * This method tells if a SAML Ticket was stored. + * @return TRUE if a SAML Ticket has been stored. + * @private + */ + function hasSA() + { return !empty($this->_sa); } + /** @} */ // ######################################################################## // PT VALIDATION @@ -2213,8 +2586,13 @@ class CASClient } } - $final_uri .= strtok($_SERVER['REQUEST_URI'],"?"); - $cgi_params = '?'.strtok("?"); + $php_is_for_sissies = split("\?", $_SERVER['REQUEST_URI'], 2); + $final_uri .= $php_is_for_sissies[0]; + if(sizeof($php_is_for_sissies) > 1){ + $cgi_params = '?' . $php_is_for_sissies[1]; + } else { + $cgi_params = '?'; + } // remove the ticket if present in the CGI parameters $cgi_params = preg_replace('/&ticket=[^&]*/','',$cgi_params); $cgi_params = preg_replace('/\?ticket=[^&;]*/','?',$cgi_params); @@ -2294,4 +2672,4 @@ class CASClient /** @} */ } -?> \ No newline at end of file +?> diff --git a/plugins/CasAuthentication/extlib/CAS/domxml-php4-php5.php b/plugins/CasAuthentication/extlib/CAS/domxml-php4-php5.php deleted file mode 100644 index a0dfb99c7..000000000 --- a/plugins/CasAuthentication/extlib/CAS/domxml-php4-php5.php +++ /dev/null @@ -1,277 +0,0 @@ - - * { - * if (version_compare(PHP_VERSION,'5','>=')) - * require_once('domxml-php4-to-php5.php'); - * } - * - * - * Version 1.5.5, 2005-01-18, http://alexandre.alapetite.net/doc-alex/domxml-php4-php5/ - * - * ------------------------------------------------------------------
    - * Written by Alexandre Alapetite, http://alexandre.alapetite.net/cv/ - * - * Copyright 2004, Licence: Creative Commons "Attribution-ShareAlike 2.0 France" BY-SA (FR), - * http://creativecommons.org/licenses/by-sa/2.0/fr/ - * http://alexandre.alapetite.net/divers/apropos/#by-sa - * - Attribution. You must give the original author credit - * - Share Alike. If you alter, transform, or build upon this work, - * you may distribute the resulting work only under a license identical to this one - * - The French law is authoritative - * - Any of these conditions can be waived if you get permission from Alexandre Alapetite - * - Please send to Alexandre Alapetite the modifications you make, - * in order to improve this file for the benefit of everybody - * - * If you want to distribute this code, please do it as a link to: - * http://alexandre.alapetite.net/doc-alex/domxml-php4-php5/ - */ - -function domxml_new_doc($version) {return new php4DOMDocument('');} -function domxml_open_file($filename) {return new php4DOMDocument($filename);} -function domxml_open_mem($str) -{ - $dom=new php4DOMDocument(''); - $dom->myDOMNode->loadXML($str); - return $dom; -} -function xpath_eval($xpath_context,$eval_str,$contextnode=null) {return $xpath_context->query($eval_str,$contextnode);} -function xpath_new_context($dom_document) {return new php4DOMXPath($dom_document);} - -class php4DOMAttr extends php4DOMNode -{ - function php4DOMAttr($aDOMAttr) {$this->myDOMNode=$aDOMAttr;} - function Name() {return $this->myDOMNode->name;} - function Specified() {return $this->myDOMNode->specified;} - function Value() {return $this->myDOMNode->value;} -} - -class php4DOMDocument extends php4DOMNode -{ - function php4DOMDocument($filename='') - { - $this->myDOMNode=new DOMDocument(); - if ($filename!='') $this->myDOMNode->load($filename); - } - function create_attribute($name,$value) - { - $myAttr=$this->myDOMNode->createAttribute($name); - $myAttr->value=$value; - return new php4DOMAttr($myAttr,$this); - } - function create_cdata_section($content) {return new php4DOMNode($this->myDOMNode->createCDATASection($content),$this);} - function create_comment($data) {return new php4DOMNode($this->myDOMNode->createComment($data),$this);} - function create_element($name) {return new php4DOMElement($this->myDOMNode->createElement($name),$this);} - function create_text_node($content) {return new php4DOMNode($this->myDOMNode->createTextNode($content),$this);} - function document_element() {return new php4DOMElement($this->myDOMNode->documentElement,$this);} - function dump_file($filename,$compressionmode=false,$format=false) {return $this->myDOMNode->save($filename);} - function dump_mem($format=false,$encoding=false) {return $this->myDOMNode->saveXML();} - function get_element_by_id($id) {return new php4DOMElement($this->myDOMNode->getElementById($id),$this);} - function get_elements_by_tagname($name) - { - $myDOMNodeList=$this->myDOMNode->getElementsByTagName($name); - $nodeSet=array(); - $i=0; - if (isset($myDOMNodeList)) - while ($node=$myDOMNodeList->item($i)) - { - $nodeSet[]=new php4DOMElement($node,$this); - $i++; - } - return $nodeSet; - } - function html_dump_mem() {return $this->myDOMNode->saveHTML();} - function root() {return new php4DOMElement($this->myDOMNode->documentElement,$this);} -} - -class php4DOMElement extends php4DOMNode -{ - function get_attribute($name) {return $this->myDOMNode->getAttribute($name);} - function get_elements_by_tagname($name) - { - $myDOMNodeList=$this->myDOMNode->getElementsByTagName($name); - $nodeSet=array(); - $i=0; - if (isset($myDOMNodeList)) - while ($node=$myDOMNodeList->item($i)) - { - $nodeSet[]=new php4DOMElement($node,$this->myOwnerDocument); - $i++; - } - return $nodeSet; - } - function has_attribute($name) {return $this->myDOMNode->hasAttribute($name);} - function remove_attribute($name) {return $this->myDOMNode->removeAttribute($name);} - function set_attribute($name,$value) {return $this->myDOMNode->setAttribute($name,$value);} - function tagname() {return $this->myDOMNode->tagName;} -} - -class php4DOMNode -{ - var $myDOMNode; - var $myOwnerDocument; - function php4DOMNode($aDomNode,$aOwnerDocument) - { - $this->myDOMNode=$aDomNode; - $this->myOwnerDocument=$aOwnerDocument; - } - function __get($name) - { - if ($name=='type') return $this->myDOMNode->nodeType; - elseif ($name=='tagname') return $this->myDOMNode->tagName; - elseif ($name=='content') return $this->myDOMNode->textContent; - else - { - $myErrors=debug_backtrace(); - trigger_error('Undefined property: '.get_class($this).'::$'.$name.' ['.$myErrors[0]['file'].':'.$myErrors[0]['line'].']',E_USER_NOTICE); - return false; - } - } - function append_child($newnode) {return new php4DOMElement($this->myDOMNode->appendChild($newnode->myDOMNode),$this->myOwnerDocument);} - function append_sibling($newnode) {return new php4DOMElement($this->myDOMNode->parentNode->appendChild($newnode->myDOMNode),$this->myOwnerDocument);} - function attributes() - { - $myDOMNodeList=$this->myDOMNode->attributes; - $nodeSet=array(); - $i=0; - if (isset($myDOMNodeList)) - while ($node=$myDOMNodeList->item($i)) - { - $nodeSet[]=new php4DOMAttr($node,$this->myOwnerDocument); - $i++; - } - return $nodeSet; - } - function child_nodes() - { - $myDOMNodeList=$this->myDOMNode->childNodes; - $nodeSet=array(); - $i=0; - if (isset($myDOMNodeList)) - while ($node=$myDOMNodeList->item($i)) - { - $nodeSet[]=new php4DOMElement($node,$this->myOwnerDocument); - $i++; - } - return $nodeSet; - } - function children() {return $this->child_nodes();} - function clone_node($deep=false) {return new php4DOMElement($this->myDOMNode->cloneNode($deep),$this->myOwnerDocument);} - function first_child() {return new php4DOMElement($this->myDOMNode->firstChild,$this->myOwnerDocument);} - function get_content() {return $this->myDOMNode->textContent;} - function has_attributes() {return $this->myDOMNode->hasAttributes();} - function has_child_nodes() {return $this->myDOMNode->hasChildNodes();} - function insert_before($newnode,$refnode) {return new php4DOMElement($this->myDOMNode->insertBefore($newnode->myDOMNode,$refnode->myDOMNode),$this->myOwnerDocument);} - function is_blank_node() - { - $myDOMNodeList=$this->myDOMNode->childNodes; - $i=0; - if (isset($myDOMNodeList)) - while ($node=$myDOMNodeList->item($i)) - { - if (($node->nodeType==XML_ELEMENT_NODE)|| - (($node->nodeType==XML_TEXT_NODE)&&!ereg('^([[:cntrl:]]|[[:space:]])*$',$node->nodeValue))) - return false; - $i++; - } - return true; - } - function last_child() {return new php4DOMElement($this->myDOMNode->lastChild,$this->myOwnerDocument);} - function new_child($name,$content) - { - $mySubNode=$this->myDOMNode->ownerDocument->createElement($name); - $mySubNode->appendChild($this->myDOMNode->ownerDocument->createTextNode($content)); - $this->myDOMNode->appendChild($mySubNode); - return new php4DOMElement($mySubNode,$this->myOwnerDocument); - } - function next_sibling() {return new php4DOMElement($this->myDOMNode->nextSibling,$this->myOwnerDocument);} - function node_name() {return $this->myDOMNode->localName;} - function node_type() {return $this->myDOMNode->nodeType;} - function node_value() {return $this->myDOMNode->nodeValue;} - function owner_document() {return $this->myOwnerDocument;} - function parent_node() {return new php4DOMElement($this->myDOMNode->parentNode,$this->myOwnerDocument);} - function prefix() {return $this->myDOMNode->prefix;} - function previous_sibling() {return new php4DOMElement($this->myDOMNode->previousSibling,$this->myOwnerDocument);} - function remove_child($oldchild) {return new php4DOMElement($this->myDOMNode->removeChild($oldchild->myDOMNode),$this->myOwnerDocument);} - function replace_child($oldnode,$newnode) {return new php4DOMElement($this->myDOMNode->replaceChild($oldnode->myDOMNode,$newnode->myDOMNode),$this->myOwnerDocument);} - function set_content($text) - { - if (($this->myDOMNode->hasChildNodes())&&($this->myDOMNode->firstChild->nodeType==XML_TEXT_NODE)) - $this->myDOMNode->removeChild($this->myDOMNode->firstChild); - return $this->myDOMNode->appendChild($this->myDOMNode->ownerDocument->createTextNode($text)); - } -} - -class php4DOMNodelist -{ - var $myDOMNodelist; - var $nodeset; - function php4DOMNodelist($aDOMNodelist,$aOwnerDocument) - { - $this->myDOMNodelist=$aDOMNodelist; - $this->nodeset=array(); - $i=0; - if (isset($this->myDOMNodelist)) - while ($node=$this->myDOMNodelist->item($i)) - { - $this->nodeset[]=new php4DOMElement($node,$aOwnerDocument); - $i++; - } - } -} - -class php4DOMXPath -{ - var $myDOMXPath; - var $myOwnerDocument; - function php4DOMXPath($dom_document) - { - $this->myOwnerDocument=$dom_document; - $this->myDOMXPath=new DOMXPath($dom_document->myDOMNode); - } - function query($eval_str,$contextnode) - { - if (isset($contextnode)) return new php4DOMNodelist($this->myDOMXPath->query($eval_str,$contextnode->myDOMNode),$this->myOwnerDocument); - else return new php4DOMNodelist($this->myDOMXPath->query($eval_str),$this->myOwnerDocument); - } - function xpath_register_ns($prefix,$namespaceURI) {return $this->myDOMXPath->registerNamespace($prefix,$namespaceURI);} -} - -if (extension_loaded('xsl')) -{//See also: http://alexandre.alapetite.net/doc-alex/xslt-php4-php5/ - function domxml_xslt_stylesheet($xslstring) {return new php4DomXsltStylesheet(DOMDocument::loadXML($xslstring));} - function domxml_xslt_stylesheet_doc($dom_document) {return new php4DomXsltStylesheet($dom_document);} - function domxml_xslt_stylesheet_file($xslfile) {return new php4DomXsltStylesheet(DOMDocument::load($xslfile));} - class php4DomXsltStylesheet - { - var $myxsltProcessor; - function php4DomXsltStylesheet($dom_document) - { - $this->myxsltProcessor=new xsltProcessor(); - $this->myxsltProcessor->importStyleSheet($dom_document); - } - function process($dom_document,$xslt_parameters=array(),$param_is_xpath=false) - { - foreach ($xslt_parameters as $param=>$value) - $this->myxsltProcessor->setParameter('',$param,$value); - $myphp4DOMDocument=new php4DOMDocument(); - $myphp4DOMDocument->myDOMNode=$this->myxsltProcessor->transformToDoc($dom_document->myDOMNode); - return $myphp4DOMDocument; - } - function result_dump_file($dom_document,$filename) - { - $html=$dom_document->myDOMNode->saveHTML(); - file_put_contents($filename,$html); - return $html; - } - function result_dump_mem($dom_document) {return $dom_document->myDOMNode->saveHTML();} - } -} -?> \ No newline at end of file diff --git a/plugins/CasAuthentication/extlib/CAS/domxml-php4-to-php5.php b/plugins/CasAuthentication/extlib/CAS/domxml-php4-to-php5.php new file mode 100644 index 000000000..1dc4e4b97 --- /dev/null +++ b/plugins/CasAuthentication/extlib/CAS/domxml-php4-to-php5.php @@ -0,0 +1,499 @@ +=5.1 for XPath evaluation functions, and PHP>=5.1/libxml for DOMXML error reports) + + Typical use: + { + if (PHP_VERSION>='5') + require_once('domxml-php4-to-php5.php'); + } + + Version 1.21, 2008-12-05, http://alexandre.alapetite.net/doc-alex/domxml-php4-php5/ + + ------------------------------------------------------------------ + Written by Alexandre Alapetite, http://alexandre.alapetite.net/cv/ + + Copyright 2004-2008, GNU Lesser General Public License, + http://www.gnu.org/licenses/lgpl.html + + This program is free software: you can redistribute it and/or modify + it under the terms of the GNU Lesser General Public License as published by + the Free Software Foundation, either version 3 of the License, or + (at your option) any later version. + This program is distributed in the hope that it will be useful, + but WITHOUT ANY WARRANTY; without even the implied warranty of + MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + GNU Lesser General Public License for more details. + You should have received a copy of the GNU Lesser General Public License + along with this program. If not, see + + == Rights and obligations == + - Attribution: You must give the original author credit. + - Share Alike: If you alter or transform this library, + you may distribute the resulting library only under the same license GNU/LGPL. + - In case of jurisdiction dispute, the French law is authoritative. + - Any of these conditions can be waived if you get permission from Alexandre Alapetite. + - Not required, but please send to Alexandre Alapetite the modifications you make, + in order to improve this file for the benefit of everybody. + + If you want to distribute this code, please do it as a link to: + http://alexandre.alapetite.net/doc-alex/domxml-php4-php5/ +*/ + +define('DOMXML_LOAD_PARSING',0); +define('DOMXML_LOAD_VALIDATING',1); +define('DOMXML_LOAD_RECOVERING',2); +define('DOMXML_LOAD_SUBSTITUTE_ENTITIES',4); +//define('DOMXML_LOAD_COMPLETE_ATTRS',8); +define('DOMXML_LOAD_DONT_KEEP_BLANKS',16); + +function domxml_new_doc($version) {return new php4DOMDocument();} +function domxml_new_xmldoc($version) {return new php4DOMDocument();} +function domxml_open_file($filename,$mode=DOMXML_LOAD_PARSING,&$error=null) +{ + $dom=new php4DOMDocument($mode); + $errorMode=(func_num_args()>2)&&defined('LIBXML_VERSION'); + if ($errorMode) libxml_use_internal_errors(true); + if (!$dom->myDOMNode->load($filename)) $dom=null; + if ($errorMode) + { + $error=array_map('_error_report',libxml_get_errors()); + libxml_clear_errors(); + } + return $dom; +} +function domxml_open_mem($str,$mode=DOMXML_LOAD_PARSING,&$error=null) +{ + $dom=new php4DOMDocument($mode); + $errorMode=(func_num_args()>2)&&defined('LIBXML_VERSION'); + if ($errorMode) libxml_use_internal_errors(true); + if (!$dom->myDOMNode->loadXML($str)) $dom=null; + if ($errorMode) + { + $error=array_map('_error_report',libxml_get_errors()); + libxml_clear_errors(); + } + return $dom; +} +function html_doc($html_doc,$from_file=false) +{ + $dom=new php4DOMDocument(); + if ($from_file) $result=$dom->myDOMNode->loadHTMLFile($html_doc); + else $result=$dom->myDOMNode->loadHTML($html_doc); + return $result ? $dom : null; +} +function html_doc_file($filename) {return html_doc($filename,true);} +function xmldoc($str) {return domxml_open_mem($str);} +function xmldocfile($filename) {return domxml_open_file($filename);} +function xpath_eval($xpath_context,$eval_str,$contextnode=null) {return $xpath_context->xpath_eval($eval_str,$contextnode);} +function xpath_new_context($dom_document) {return new php4DOMXPath($dom_document);} +function xpath_register_ns($xpath_context,$prefix,$namespaceURI) {return $xpath_context->myDOMXPath->registerNamespace($prefix,$namespaceURI);} +function _entityDecode($text) {return html_entity_decode(strtr($text,array('''=>'\'')),ENT_QUOTES,'UTF-8');} +function _error_report($error) {return array('errormessage'=>$error->message,'nodename'=>'','line'=>$error->line,'col'=>$error->column)+($error->file==''?array():array('directory'=>dirname($error->file),'file'=>basename($error->file)));} + +class php4DOMAttr extends php4DOMNode +{ + function __get($name) + { + if ($name==='name') return $this->myDOMNode->name; + else return parent::__get($name); + } + function name() {return $this->myDOMNode->name;} + function set_content($text) {} + //function set_value($content) {return $this->myDOMNode->value=htmlspecialchars($content,ENT_QUOTES);} + function specified() {return $this->myDOMNode->specified;} + function value() {return $this->myDOMNode->value;} +} + +class php4DOMDocument extends php4DOMNode +{ + function php4DOMDocument($mode=DOMXML_LOAD_PARSING) + { + $this->myDOMNode=new DOMDocument(); + $this->myOwnerDocument=$this; + if ($mode & DOMXML_LOAD_VALIDATING) $this->myDOMNode->validateOnParse=true; + if ($mode & DOMXML_LOAD_RECOVERING) $this->myDOMNode->recover=true; + if ($mode & DOMXML_LOAD_SUBSTITUTE_ENTITIES) $this->myDOMNode->substituteEntities=true; + if ($mode & DOMXML_LOAD_DONT_KEEP_BLANKS) $this->myDOMNode->preserveWhiteSpace=false; + } + function add_root($name) + { + if ($this->myDOMNode->hasChildNodes()) $this->myDOMNode->removeChild($this->myDOMNode->firstChild); + return new php4DOMElement($this->myDOMNode->appendChild($this->myDOMNode->createElement($name)),$this->myOwnerDocument); + } + function create_attribute($name,$value) + { + $myAttr=$this->myDOMNode->createAttribute($name); + $myAttr->value=htmlspecialchars($value,ENT_QUOTES); + return new php4DOMAttr($myAttr,$this); + } + function create_cdata_section($content) {return new php4DOMNode($this->myDOMNode->createCDATASection($content),$this);} + function create_comment($data) {return new php4DOMNode($this->myDOMNode->createComment($data),$this);} + function create_element($name) {return new php4DOMElement($this->myDOMNode->createElement($name),$this);} + function create_element_ns($uri,$name,$prefix=null) + { + if ($prefix==null) $prefix=$this->myDOMNode->lookupPrefix($uri); + if (($prefix==null)&&(($this->myDOMNode->documentElement==null)||(!$this->myDOMNode->documentElement->isDefaultNamespace($uri)))) $prefix='a'.sprintf('%u',crc32($uri)); + return new php4DOMElement($this->myDOMNode->createElementNS($uri,$prefix==null ? $name : $prefix.':'.$name),$this); + } + function create_entity_reference($content) {return new php4DOMNode($this->myDOMNode->createEntityReference($content),$this);} //By Walter Ebert 2007-01-22 + function create_processing_instruction($target,$data=''){return new php4DomProcessingInstruction($this->myDOMNode->createProcessingInstruction($target,$data),$this);} + function create_text_node($content) {return new php4DOMText($this->myDOMNode->createTextNode($content),$this);} + function document_element() {return parent::_newDOMElement($this->myDOMNode->documentElement,$this);} + function dump_file($filename,$compressionmode=false,$format=false) + { + $format0=$this->myDOMNode->formatOutput; + $this->myDOMNode->formatOutput=$format; + $res=$this->myDOMNode->save($filename); + $this->myDOMNode->formatOutput=$format0; + return $res; + } + function dump_mem($format=false,$encoding=false) + { + $format0=$this->myDOMNode->formatOutput; + $this->myDOMNode->formatOutput=$format; + $encoding0=$this->myDOMNode->encoding; + if ($encoding) $this->myDOMNode->encoding=$encoding; + $dump=$this->myDOMNode->saveXML(); + $this->myDOMNode->formatOutput=$format0; + if ($encoding) $this->myDOMNode->encoding= $encoding0=='' ? 'UTF-8' : $encoding0; //UTF-8 is XML default encoding + return $dump; + } + function free() + { + if ($this->myDOMNode->hasChildNodes()) $this->myDOMNode->removeChild($this->myDOMNode->firstChild); + $this->myDOMNode=null; + $this->myOwnerDocument=null; + } + function get_element_by_id($id) {return parent::_newDOMElement($this->myDOMNode->getElementById($id),$this);} + function get_elements_by_tagname($name) + { + $myDOMNodeList=$this->myDOMNode->getElementsByTagName($name); + $nodeSet=array(); + $i=0; + if (isset($myDOMNodeList)) + while ($node=$myDOMNodeList->item($i++)) $nodeSet[]=new php4DOMElement($node,$this); + return $nodeSet; + } + function html_dump_mem() {return $this->myDOMNode->saveHTML();} + function root() {return parent::_newDOMElement($this->myDOMNode->documentElement,$this);} + function xinclude() {return $this->myDOMNode->xinclude();} + function xpath_new_context() {return new php4DOMXPath($this);} +} + +class php4DOMElement extends php4DOMNode +{ + function add_namespace($uri,$prefix) + { + if ($this->myDOMNode->hasAttributeNS('http://www.w3.org/2000/xmlns/',$prefix)) return false; + else + { + $this->myDOMNode->setAttributeNS('http://www.w3.org/2000/xmlns/','xmlns:'.$prefix,$uri); //By Daniel Walker 2006-09-08 + return true; + } + } + function get_attribute($name) {return $this->myDOMNode->getAttribute($name);} + function get_attribute_node($name) {return parent::_newDOMElement($this->myDOMNode->getAttributeNode($name),$this->myOwnerDocument);} + function get_elements_by_tagname($name) + { + $myDOMNodeList=$this->myDOMNode->getElementsByTagName($name); + $nodeSet=array(); + $i=0; + if (isset($myDOMNodeList)) + while ($node=$myDOMNodeList->item($i++)) $nodeSet[]=new php4DOMElement($node,$this->myOwnerDocument); + return $nodeSet; + } + function has_attribute($name) {return $this->myDOMNode->hasAttribute($name);} + function remove_attribute($name) {return $this->myDOMNode->removeAttribute($name);} + function set_attribute($name,$value) + { + //return $this->myDOMNode->setAttribute($name,$value); //Does not return a DomAttr + $myAttr=$this->myDOMNode->ownerDocument->createAttribute($name); + $myAttr->value=htmlspecialchars($value,ENT_QUOTES); //Entity problem reported by AL-DesignWorks 2007-09-07 + $this->myDOMNode->setAttributeNode($myAttr); + return new php4DOMAttr($myAttr,$this->myOwnerDocument); + } + /*function set_attribute_node($attr) + { + $this->myDOMNode->setAttributeNode($this->_importNode($attr)); + return $attr; + }*/ + function set_name($name) + { + if ($this->myDOMNode->prefix=='') $newNode=$this->myDOMNode->ownerDocument->createElement($name); + else $newNode=$this->myDOMNode->ownerDocument->createElementNS($this->myDOMNode->namespaceURI,$this->myDOMNode->prefix.':'.$name); + $myDOMNodeList=$this->myDOMNode->attributes; + $i=0; + if (isset($myDOMNodeList)) + while ($node=$myDOMNodeList->item($i++)) + if ($node->namespaceURI=='') $newNode->setAttribute($node->name,$node->value); + else $newNode->setAttributeNS($node->namespaceURI,$node->nodeName,$node->value); + $myDOMNodeList=$this->myDOMNode->childNodes; + if (isset($myDOMNodeList)) + while ($node=$myDOMNodeList->item(0)) $newNode->appendChild($node); + $this->myDOMNode->parentNode->replaceChild($newNode,$this->myDOMNode); + $this->myDOMNode=$newNode; + return true; + } + function tagname() {return $this->tagname;} +} + +class php4DOMNode +{ + public $myDOMNode; + public $myOwnerDocument; + function php4DOMNode($aDomNode,$aOwnerDocument) + { + $this->myDOMNode=$aDomNode; + $this->myOwnerDocument=$aOwnerDocument; + } + function __get($name) + { + switch ($name) + { + case 'type': return $this->myDOMNode->nodeType; + case 'tagname': return ($this->myDOMNode->nodeType===XML_ELEMENT_NODE) ? $this->myDOMNode->localName : $this->myDOMNode->tagName; //Avoid namespace prefix for DOMElement + case 'content': return $this->myDOMNode->textContent; + case 'value': return $this->myDOMNode->value; + default: + $myErrors=debug_backtrace(); + trigger_error('Undefined property: '.get_class($this).'::$'.$name.' ['.$myErrors[0]['file'].':'.$myErrors[0]['line'].']',E_USER_NOTICE); + return false; + } + } + function add_child($newnode) {return append_child($newnode);} + function add_namespace($uri,$prefix) {return false;} + function append_child($newnode) {return self::_newDOMElement($this->myDOMNode->appendChild($this->_importNode($newnode)),$this->myOwnerDocument);} + function append_sibling($newnode) {return self::_newDOMElement($this->myDOMNode->parentNode->appendChild($this->_importNode($newnode)),$this->myOwnerDocument);} + function attributes() + { + $myDOMNodeList=$this->myDOMNode->attributes; + if (!(isset($myDOMNodeList)&&$this->myDOMNode->hasAttributes())) return null; + $nodeSet=array(); + $i=0; + while ($node=$myDOMNodeList->item($i++)) $nodeSet[]=new php4DOMAttr($node,$this->myOwnerDocument); + return $nodeSet; + } + function child_nodes() + { + $myDOMNodeList=$this->myDOMNode->childNodes; + $nodeSet=array(); + $i=0; + if (isset($myDOMNodeList)) + while ($node=$myDOMNodeList->item($i++)) $nodeSet[]=self::_newDOMElement($node,$this->myOwnerDocument); + return $nodeSet; + } + function children() {return $this->child_nodes();} + function clone_node($deep=false) {return self::_newDOMElement($this->myDOMNode->cloneNode($deep),$this->myOwnerDocument);} + //dump_node($node) should only be called on php4DOMDocument + function dump_node($node=null) {return $node==null ? $this->myOwnerDocument->myDOMNode->saveXML($this->myDOMNode) : $this->myOwnerDocument->myDOMNode->saveXML($node->myDOMNode);} + function first_child() {return self::_newDOMElement($this->myDOMNode->firstChild,$this->myOwnerDocument);} + function get_content() {return $this->myDOMNode->textContent;} + function has_attributes() {return $this->myDOMNode->hasAttributes();} + function has_child_nodes() {return $this->myDOMNode->hasChildNodes();} + function insert_before($newnode,$refnode) {return self::_newDOMElement($this->myDOMNode->insertBefore($this->_importNode($newnode),$refnode==null?null:$refnode->myDOMNode),$this->myOwnerDocument);} + function is_blank_node() {return ($this->myDOMNode->nodeType===XML_TEXT_NODE)&&preg_match('%^\s*$%',$this->myDOMNode->nodeValue);} + function last_child() {return self::_newDOMElement($this->myDOMNode->lastChild,$this->myOwnerDocument);} + function new_child($name,$content) + { + $mySubNode=$this->myDOMNode->ownerDocument->createElement($name); + $mySubNode->appendChild($this->myDOMNode->ownerDocument->createTextNode(_entityDecode($content))); + $this->myDOMNode->appendChild($mySubNode); + return new php4DOMElement($mySubNode,$this->myOwnerDocument); + } + function next_sibling() {return self::_newDOMElement($this->myDOMNode->nextSibling,$this->myOwnerDocument);} + function node_name() {return ($this->myDOMNode->nodeType===XML_ELEMENT_NODE) ? $this->myDOMNode->localName : $this->myDOMNode->nodeName;} //Avoid namespace prefix for DOMElement + function node_type() {return $this->myDOMNode->nodeType;} + function node_value() {return $this->myDOMNode->nodeValue;} + function owner_document() {return $this->myOwnerDocument;} + function parent_node() {return self::_newDOMElement($this->myDOMNode->parentNode,$this->myOwnerDocument);} + function prefix() {return $this->myDOMNode->prefix;} + function previous_sibling() {return self::_newDOMElement($this->myDOMNode->previousSibling,$this->myOwnerDocument);} + function remove_child($oldchild) {return self::_newDOMElement($this->myDOMNode->removeChild($oldchild->myDOMNode),$this->myOwnerDocument);} + function replace_child($newnode,$oldnode) {return self::_newDOMElement($this->myDOMNode->replaceChild($this->_importNode($newnode),$oldnode->myDOMNode),$this->myOwnerDocument);} + function replace_node($newnode) {return self::_newDOMElement($this->myDOMNode->parentNode->replaceChild($this->_importNode($newnode),$this->myDOMNode),$this->myOwnerDocument);} + function set_content($text) {return $this->myDOMNode->appendChild($this->myDOMNode->ownerDocument->createTextNode(_entityDecode($text)));} //Entity problem reported by AL-DesignWorks 2007-09-07 + //function set_name($name) {return $this->myOwnerDocument->renameNode($this->myDOMNode,$this->myDOMNode->namespaceURI,$name);} + function set_namespace($uri,$prefix=null) + {//Contributions by Daniel Walker 2006-09-08 + $nsprefix=$this->myDOMNode->lookupPrefix($uri); + if ($nsprefix==null) + { + $nsprefix= $prefix==null ? $nsprefix='a'.sprintf('%u',crc32($uri)) : $prefix; + if ($this->myDOMNode->nodeType===XML_ATTRIBUTE_NODE) + { + if (($prefix!=null)&&$this->myDOMNode->ownerElement->hasAttributeNS('http://www.w3.org/2000/xmlns/',$nsprefix)&& + ($this->myDOMNode->ownerElement->getAttributeNS('http://www.w3.org/2000/xmlns/',$nsprefix)!=$uri)) + {//Remove namespace + $parent=$this->myDOMNode->ownerElement; + $parent->removeAttributeNode($this->myDOMNode); + $parent->setAttribute($this->myDOMNode->localName,$this->myDOMNode->nodeValue); + $this->myDOMNode=$parent->getAttributeNode($this->myDOMNode->localName); + return; + } + $this->myDOMNode->ownerElement->setAttributeNS('http://www.w3.org/2000/xmlns/','xmlns:'.$nsprefix,$uri); + } + } + if ($this->myDOMNode->nodeType===XML_ATTRIBUTE_NODE) + { + $parent=$this->myDOMNode->ownerElement; + $parent->removeAttributeNode($this->myDOMNode); + $parent->setAttributeNS($uri,$nsprefix.':'.$this->myDOMNode->localName,$this->myDOMNode->nodeValue); + $this->myDOMNode=$parent->getAttributeNodeNS($uri,$this->myDOMNode->localName); + } + elseif ($this->myDOMNode->nodeType===XML_ELEMENT_NODE) + { + $NewNode=$this->myDOMNode->ownerDocument->createElementNS($uri,$nsprefix.':'.$this->myDOMNode->localName); + foreach ($this->myDOMNode->attributes as $n) $NewNode->appendChild($n->cloneNode(true)); + foreach ($this->myDOMNode->childNodes as $n) $NewNode->appendChild($n->cloneNode(true)); + $xpath=new DOMXPath($this->myDOMNode->ownerDocument); + $myDOMNodeList=$xpath->query('namespace::*[name()!="xml"]',$this->myDOMNode); //Add old namespaces + foreach ($myDOMNodeList as $n) $NewNode->setAttributeNS('http://www.w3.org/2000/xmlns/',$n->nodeName,$n->nodeValue); + $this->myDOMNode->parentNode->replaceChild($NewNode,$this->myDOMNode); + $this->myDOMNode=$NewNode; + } + } + function unlink_node() + { + if ($this->myDOMNode->parentNode!=null) + { + if ($this->myDOMNode->nodeType===XML_ATTRIBUTE_NODE) $this->myDOMNode->parentNode->removeAttributeNode($this->myDOMNode); + else $this->myDOMNode->parentNode->removeChild($this->myDOMNode); + } + } + protected function _importNode($newnode) {return $this->myOwnerDocument===$newnode->myOwnerDocument ? $newnode->myDOMNode : $this->myOwnerDocument->myDOMNode->importNode($newnode->myDOMNode,true);} //To import DOMNode from another DOMDocument + static function _newDOMElement($aDOMNode,$aOwnerDocument) + {//Check the PHP5 DOMNode before creating a new associated PHP4 DOMNode wrapper + if ($aDOMNode==null) return null; + switch ($aDOMNode->nodeType) + { + case XML_ELEMENT_NODE: return new php4DOMElement($aDOMNode,$aOwnerDocument); + case XML_TEXT_NODE: return new php4DOMText($aDOMNode,$aOwnerDocument); + case XML_ATTRIBUTE_NODE: return new php4DOMAttr($aDOMNode,$aOwnerDocument); + case XML_PI_NODE: return new php4DomProcessingInstruction($aDOMNode,$aOwnerDocument); + default: return new php4DOMNode($aDOMNode,$aOwnerDocument); + } + } +} + +class php4DomProcessingInstruction extends php4DOMNode +{ + function data() {return $this->myDOMNode->data;} + function target() {return $this->myDOMNode->target;} +} + +class php4DOMText extends php4DOMNode +{ + function __get($name) + { + if ($name==='tagname') return '#text'; + else return parent::__get($name); + } + function tagname() {return '#text';} + function set_content($text) {$this->myDOMNode->nodeValue=$text; return true;} +} + +if (!defined('XPATH_NODESET')) +{ + define('XPATH_UNDEFINED',0); + define('XPATH_NODESET',1); + define('XPATH_BOOLEAN',2); + define('XPATH_NUMBER',3); + define('XPATH_STRING',4); + /*define('XPATH_POINT',5); + define('XPATH_RANGE',6); + define('XPATH_LOCATIONSET',7); + define('XPATH_USERS',8); + define('XPATH_XSLT_TREE',9);*/ +} + +class php4DOMNodelist +{ + private $myDOMNodelist; + public $nodeset; + public $type=XPATH_UNDEFINED; + public $value; + function php4DOMNodelist($aDOMNodelist,$aOwnerDocument) + { + if (!isset($aDOMNodelist)) return; + elseif (is_object($aDOMNodelist)||is_array($aDOMNodelist)) + { + if ($aDOMNodelist->length>0) + { + $this->myDOMNodelist=$aDOMNodelist; + $this->nodeset=array(); + $this->type=XPATH_NODESET; + $i=0; + while ($node=$this->myDOMNodelist->item($i++)) $this->nodeset[]=php4DOMNode::_newDOMElement($node,$aOwnerDocument); + } + } + elseif (is_int($aDOMNodelist)||is_float($aDOMNodelist)) + { + $this->type=XPATH_NUMBER; + $this->value=$aDOMNodelist; + } + elseif (is_bool($aDOMNodelist)) + { + $this->type=XPATH_BOOLEAN; + $this->value=$aDOMNodelist; + } + elseif (is_string($aDOMNodelist)) + { + $this->type=XPATH_STRING; + $this->value=$aDOMNodelist; + } + } +} + +class php4DOMXPath +{ + public $myDOMXPath; + private $myOwnerDocument; + function php4DOMXPath($dom_document) + { + //TODO: If $dom_document is a DomElement, make that default $contextnode and modify XPath. Ex: '/test' + $this->myOwnerDocument=$dom_document->myOwnerDocument; + $this->myDOMXPath=new DOMXPath($this->myOwnerDocument->myDOMNode); + } + function xpath_eval($eval_str,$contextnode=null) + { + if (method_exists($this->myDOMXPath,'evaluate')) $xp=isset($contextnode) ? $this->myDOMXPath->evaluate($eval_str,$contextnode->myDOMNode) : $this->myDOMXPath->evaluate($eval_str); + else $xp=isset($contextnode) ? $this->myDOMXPath->query($eval_str,$contextnode->myDOMNode) : $this->myDOMXPath->query($eval_str); + $xp=new php4DOMNodelist($xp,$this->myOwnerDocument); + return ($xp->type===XPATH_UNDEFINED) ? false : $xp; + } + function xpath_register_ns($prefix,$namespaceURI) {return $this->myDOMXPath->registerNamespace($prefix,$namespaceURI);} +} + +if (extension_loaded('xsl')) +{//See also: http://alexandre.alapetite.net/doc-alex/xslt-php4-php5/ + function domxml_xslt_stylesheet($xslstring) {return new php4DomXsltStylesheet(DOMDocument::loadXML($xslstring));} + function domxml_xslt_stylesheet_doc($dom_document) {return new php4DomXsltStylesheet($dom_document);} + function domxml_xslt_stylesheet_file($xslfile) {return new php4DomXsltStylesheet(DOMDocument::load($xslfile));} + class php4DomXsltStylesheet + { + private $myxsltProcessor; + function php4DomXsltStylesheet($dom_document) + { + $this->myxsltProcessor=new xsltProcessor(); + $this->myxsltProcessor->importStyleSheet($dom_document); + } + function process($dom_document,$xslt_parameters=array(),$param_is_xpath=false) + { + foreach ($xslt_parameters as $param=>$value) $this->myxsltProcessor->setParameter('',$param,$value); + $myphp4DOMDocument=new php4DOMDocument(); + $myphp4DOMDocument->myDOMNode=$this->myxsltProcessor->transformToDoc($dom_document->myDOMNode); + return $myphp4DOMDocument; + } + function result_dump_file($dom_document,$filename) + { + $html=$dom_document->myDOMNode->saveHTML(); + file_put_contents($filename,$html); + return $html; + } + function result_dump_mem($dom_document) {return $dom_document->myDOMNode->saveHTML();} + } +} +?> diff --git a/plugins/CasAuthentication/extlib/CAS/languages/catalan.php b/plugins/CasAuthentication/extlib/CAS/languages/catalan.php index 0b139c7ca..3d67473d9 100644 --- a/plugins/CasAuthentication/extlib/CAS/languages/catalan.php +++ b/plugins/CasAuthentication/extlib/CAS/languages/catalan.php @@ -1,27 +1,27 @@ - - * @sa @link internalLang Internationalization @endlink - * @ingroup internalLang - */ - -$this->_strings = array( - CAS_STR_USING_SERVER - => 'usant servidor', - CAS_STR_AUTHENTICATION_WANTED - => 'Autentificació CAS necessària!', - CAS_STR_LOGOUT - => 'Sortida de CAS necessària!', - CAS_STR_SHOULD_HAVE_BEEN_REDIRECTED - => 'Ja hauria d\ haver estat redireccionat al servidor CAS. Feu click aquí per a continuar.', - CAS_STR_AUTHENTICATION_FAILED - => 'Autentificació CAS fallida!', - CAS_STR_YOU_WERE_NOT_AUTHENTICATED - => '

    No estàs autentificat.

    Pots tornar a intentar-ho fent click aquí.

    Si el problema persisteix hauría de contactar amb l\'administrador d\'aquest llocc.

    ', - CAS_STR_SERVICE_UNAVAILABLE - => 'El servei `%s\' no està disponible (%s).' -); - -?> + + * @sa @link internalLang Internationalization @endlink + * @ingroup internalLang + */ + +$this->_strings = array( + CAS_STR_USING_SERVER + => 'usant servidor', + CAS_STR_AUTHENTICATION_WANTED + => 'Autentificació CAS necessària!', + CAS_STR_LOGOUT + => 'Sortida de CAS necessària!', + CAS_STR_SHOULD_HAVE_BEEN_REDIRECTED + => 'Ja hauria d\ haver estat redireccionat al servidor CAS. Feu click aquí per a continuar.', + CAS_STR_AUTHENTICATION_FAILED + => 'Autentificació CAS fallida!', + CAS_STR_YOU_WERE_NOT_AUTHENTICATED + => '

    No estàs autentificat.

    Pots tornar a intentar-ho fent click aquí.

    Si el problema persisteix hauría de contactar amb l\'administrador d\'aquest llocc.

    ', + CAS_STR_SERVICE_UNAVAILABLE + => 'El servei `%s\' no està disponible (%s).' +); + +?> diff --git a/plugins/CasAuthentication/extlib/CAS/languages/english.php b/plugins/CasAuthentication/extlib/CAS/languages/english.php index d38d42c1f..c14345031 100644 --- a/plugins/CasAuthentication/extlib/CAS/languages/english.php +++ b/plugins/CasAuthentication/extlib/CAS/languages/english.php @@ -1,27 +1,27 @@ - - * @sa @link internalLang Internationalization @endlink - * @ingroup internalLang - */ - -$this->_strings = array( - CAS_STR_USING_SERVER - => 'using server', - CAS_STR_AUTHENTICATION_WANTED - => 'CAS Authentication wanted!', - CAS_STR_LOGOUT - => 'CAS logout wanted!', - CAS_STR_SHOULD_HAVE_BEEN_REDIRECTED - => 'You should already have been redirected to the CAS server. Click here to continue.', - CAS_STR_AUTHENTICATION_FAILED - => 'CAS Authentication failed!', - CAS_STR_YOU_WERE_NOT_AUTHENTICATED - => '

    You were not authenticated.

    You may submit your request again by clicking here.

    If the problem persists, you may contact the administrator of this site.

    ', - CAS_STR_SERVICE_UNAVAILABLE - => 'The service `%s\' is not available (%s).' -); - + + * @sa @link internalLang Internationalization @endlink + * @ingroup internalLang + */ + +$this->_strings = array( + CAS_STR_USING_SERVER + => 'using server', + CAS_STR_AUTHENTICATION_WANTED + => 'CAS Authentication wanted!', + CAS_STR_LOGOUT + => 'CAS logout wanted!', + CAS_STR_SHOULD_HAVE_BEEN_REDIRECTED + => 'You should already have been redirected to the CAS server. Click here to continue.', + CAS_STR_AUTHENTICATION_FAILED + => 'CAS Authentication failed!', + CAS_STR_YOU_WERE_NOT_AUTHENTICATED + => '

    You were not authenticated.

    You may submit your request again by clicking here.

    If the problem persists, you may contact the administrator of this site.

    ', + CAS_STR_SERVICE_UNAVAILABLE + => 'The service `%s\' is not available (%s).' +); + ?> \ No newline at end of file diff --git a/plugins/CasAuthentication/extlib/CAS/languages/french.php b/plugins/CasAuthentication/extlib/CAS/languages/french.php index 32d141685..b077ec02e 100644 --- a/plugins/CasAuthentication/extlib/CAS/languages/french.php +++ b/plugins/CasAuthentication/extlib/CAS/languages/french.php @@ -1,28 +1,28 @@ - - * @sa @link internalLang Internationalization @endlink - * @ingroup internalLang - */ - -$this->_strings = array( - CAS_STR_USING_SERVER - => 'utilisant le serveur', - CAS_STR_AUTHENTICATION_WANTED - => 'Authentication CAS nécessaire !', - CAS_STR_LOGOUT - => 'Déconnexion demandée !', - CAS_STR_SHOULD_HAVE_BEEN_REDIRECTED - => 'Vous auriez du etre redirigé(e) vers le serveur CAS. Cliquez ici pour continuer.', - CAS_STR_AUTHENTICATION_FAILED - => 'Authentification CAS infructueuse !', - CAS_STR_YOU_WERE_NOT_AUTHENTICATED - => '

    Vous n\'avez pas été authentifié(e).

    Vous pouvez soumettre votre requete à nouveau en cliquant ici.

    Si le problème persiste, vous pouvez contacter l\'administrateur de ce site.

    ', - CAS_STR_SERVICE_UNAVAILABLE - => 'Le service `%s\' est indisponible (%s)' - -); - + + * @sa @link internalLang Internationalization @endlink + * @ingroup internalLang + */ + +$this->_strings = array( + CAS_STR_USING_SERVER + => 'utilisant le serveur', + CAS_STR_AUTHENTICATION_WANTED + => 'Authentication CAS n�cessaire !', + CAS_STR_LOGOUT + => 'D�connexion demand�e !', + CAS_STR_SHOULD_HAVE_BEEN_REDIRECTED + => 'Vous auriez du etre redirig�(e) vers le serveur CAS. Cliquez ici pour continuer.', + CAS_STR_AUTHENTICATION_FAILED + => 'Authentification CAS infructueuse !', + CAS_STR_YOU_WERE_NOT_AUTHENTICATED + => '

    Vous n\'avez pas �t� authentifi�(e).

    Vous pouvez soumettre votre requete � nouveau en cliquant ici.

    Si le probl�me persiste, vous pouvez contacter l\'administrateur de ce site.

    ', + CAS_STR_SERVICE_UNAVAILABLE + => 'Le service `%s\' est indisponible (%s)' + +); + ?> \ No newline at end of file diff --git a/plugins/CasAuthentication/extlib/CAS/languages/german.php b/plugins/CasAuthentication/extlib/CAS/languages/german.php index 55c3238fd..29daeb35d 100644 --- a/plugins/CasAuthentication/extlib/CAS/languages/german.php +++ b/plugins/CasAuthentication/extlib/CAS/languages/german.php @@ -1,27 +1,27 @@ - - * @sa @link internalLang Internationalization @endlink - * @ingroup internalLang - */ - -$this->_strings = array( - CAS_STR_USING_SERVER - => 'via Server', - CAS_STR_AUTHENTICATION_WANTED - => 'CAS Authentifizierung erforderlich!', - CAS_STR_LOGOUT - => 'CAS Abmeldung!', - CAS_STR_SHOULD_HAVE_BEEN_REDIRECTED - => 'eigentlich häten Sie zum CAS Server weitergeleitet werden sollen. Drücken Sie hier um fortzufahren.', - CAS_STR_AUTHENTICATION_FAILED - => 'CAS Anmeldung fehlgeschlagen!', - CAS_STR_YOU_WERE_NOT_AUTHENTICATED - => '

    Sie wurden nicht angemeldet.

    Um es erneut zu versuchen klicken Sie hier.

    Wenn das Problem bestehen bleibt, kontkatieren Sie den Administrator dieser Seite.

    ', - CAS_STR_SERVICE_UNAVAILABLE - => 'Der Dienst `%s\' ist nicht verfügbar (%s).' -); - + + * @sa @link internalLang Internationalization @endlink + * @ingroup internalLang + */ + +$this->_strings = array( + CAS_STR_USING_SERVER + => 'via Server', + CAS_STR_AUTHENTICATION_WANTED + => 'CAS Authentifizierung erforderlich!', + CAS_STR_LOGOUT + => 'CAS Abmeldung!', + CAS_STR_SHOULD_HAVE_BEEN_REDIRECTED + => 'eigentlich häten Sie zum CAS Server weitergeleitet werden sollen. Drücken Sie hier um fortzufahren.', + CAS_STR_AUTHENTICATION_FAILED + => 'CAS Anmeldung fehlgeschlagen!', + CAS_STR_YOU_WERE_NOT_AUTHENTICATED + => '

    Sie wurden nicht angemeldet.

    Um es erneut zu versuchen klicken Sie hier.

    Wenn das Problem bestehen bleibt, kontkatieren Sie den Administrator dieser Seite.

    ', + CAS_STR_SERVICE_UNAVAILABLE + => 'Der Dienst `%s\' ist nicht verfügbar (%s).' +); + ?> \ No newline at end of file diff --git a/plugins/CasAuthentication/extlib/CAS/languages/greek.php b/plugins/CasAuthentication/extlib/CAS/languages/greek.php index d41bf783b..fdff77e4e 100644 --- a/plugins/CasAuthentication/extlib/CAS/languages/greek.php +++ b/plugins/CasAuthentication/extlib/CAS/languages/greek.php @@ -1,27 +1,27 @@ - - * @sa @link internalLang Internationalization @endlink - * @ingroup internalLang - */ - -$this->_strings = array( - CAS_STR_USING_SERVER - => '÷ñçóéìïðïéåßôáé ï åîõðçñåôçôÞò', - CAS_STR_AUTHENTICATION_WANTED - => 'Áðáéôåßôáé ç ôáõôïðïßçóç CAS!', - CAS_STR_LOGOUT - => 'Áðáéôåßôáé ç áðïóýíäåóç áðü CAS!', - CAS_STR_SHOULD_HAVE_BEEN_REDIRECTED - => 'Èá Ýðñåðå íá åß÷áôå áíáêáôåõèõíèåß óôïí åîõðçñåôçôÞ CAS. ÊÜíôå êëßê åäþ ãéá íá óõíå÷ßóåôå.', - CAS_STR_AUTHENTICATION_FAILED - => 'Ç ôáõôïðïßçóç CAS áðÝôõ÷å!', - CAS_STR_YOU_WERE_NOT_AUTHENTICATED - => '

    Äåí ôáõôïðïéçèÞêáôå.

    Ìðïñåßôå íá îáíáðñïóðáèÞóåôå, êÜíïíôáò êëßê åäþ.

    Åáí ôï ðñüâëçìá åðéìåßíåé, åëÜôå óå åðáöÞ ìå ôïí äéá÷åéñéóôÞ.

    ', - CAS_STR_SERVICE_UNAVAILABLE - => 'Ç õðçñåóßá `%s\' äåí åßíáé äéáèÝóéìç (%s).' -); - + + * @sa @link internalLang Internationalization @endlink + * @ingroup internalLang + */ + +$this->_strings = array( + CAS_STR_USING_SERVER + => '��������������� � ������������', + CAS_STR_AUTHENTICATION_WANTED + => '���������� � ����������� CAS!', + CAS_STR_LOGOUT + => '���������� � ���������� ��� CAS!', + CAS_STR_SHOULD_HAVE_BEEN_REDIRECTED + => '�� ������ �� ������ �������������� ���� ����������� CAS. ����� ���� ��� ��� �� ����������.', + CAS_STR_AUTHENTICATION_FAILED + => '� ����������� CAS �������!', + CAS_STR_YOU_WERE_NOT_AUTHENTICATED + => '

    ��� ���������������.

    �������� �� ����������������, �������� ���� ���.

    ��� �� �������� ���������, ����� �� ����� �� ��� �����������.

    ', + CAS_STR_SERVICE_UNAVAILABLE + => '� �������� `%s\' ��� ����� ��������� (%s).' +); + ?> \ No newline at end of file diff --git a/plugins/CasAuthentication/extlib/CAS/languages/japanese.php b/plugins/CasAuthentication/extlib/CAS/languages/japanese.php index 333bb17b6..76ebe77bc 100644 --- a/plugins/CasAuthentication/extlib/CAS/languages/japanese.php +++ b/plugins/CasAuthentication/extlib/CAS/languages/japanese.php @@ -11,17 +11,17 @@ $this->_strings = array( CAS_STR_USING_SERVER => 'using server', CAS_STR_AUTHENTICATION_WANTED - => 'CAS¤Ë¤è¤ëǧ¾Ú¤ò¹Ô¤¤¤Þ¤¹', + => 'CAS�ˤ��ǧ�ڤ�Ԥ��ޤ�', CAS_STR_LOGOUT - => 'CAS¤«¤é¥í¥°¥¢¥¦¥È¤·¤Þ¤¹!', + => 'CAS����?�����Ȥ��ޤ�!', CAS_STR_SHOULD_HAVE_BEEN_REDIRECTED - => 'CAS¥µ¡¼¥Ð¤Ë¹Ô¤¯É¬Íפ¬¤¢¤ê¤Þ¤¹¡£¼«Æ°Åª¤ËžÁ÷¤µ¤ì¤Ê¤¤¾ì¹ç¤Ï ¤³¤Á¤é ¤ò¥¯¥ê¥Ã¥¯¤·¤Æ³¹Ô¤·¤Þ¤¹¡£', + => 'CAS�����Ф˹Ԥ�ɬ�פ�����ޤ�����ưŪ��ž������ʤ����� ������ �ò¥¯¥ï¿½Ã¥ï¿½ï¿½ï¿½ï¿½ï¿½Â³ï¿½Ô¤ï¿½ï¿½Þ¤ï¿½ï¿½ï¿½', CAS_STR_AUTHENTICATION_FAILED - => 'CAS¤Ë¤è¤ëǧ¾Ú¤Ë¼ºÇÔ¤·¤Þ¤·¤¿', + => 'CAS�ˤ��ǧ�ڤ˼��Ԥ��ޤ���', CAS_STR_YOU_WERE_NOT_AUTHENTICATED - => '

    ǧ¾Ú¤Ç¤­¤Þ¤»¤ó¤Ç¤·¤¿.

    ¤â¤¦°ìÅ٥ꥯ¥¨¥¹¥È¤òÁ÷¿®¤¹¤ë¾ì¹ç¤Ï¤³¤Á¤é¤ò¥¯¥ê¥Ã¥¯.

    ÌäÂ꤬²ò·è¤·¤Ê¤¤¾ì¹ç¤Ï ¤³¤Î¥µ¥¤¥È¤Î´ÉÍý¼Ô¤ËÌ䤤¹ç¤ï¤»¤Æ¤¯¤À¤µ¤¤.

    ', + => '

    ǧ�ڤǤ��ޤ���Ǥ���.

    �⤦���٥ꥯ�����Ȥ�������������������򥯥�å�.

    ���꤬��褷�ʤ����� ���Υ����Ȥδ�������䤤��碌�Ƥ�������.

    ', CAS_STR_SERVICE_UNAVAILABLE - => '¥µ¡¼¥Ó¥¹ `%s\' ¤ÏÍøÍѤǤ­¤Þ¤»¤ó (%s).' + => '�����ӥ� `%s\' �����ѤǤ��ޤ��� (%s).' ); ?> \ No newline at end of file diff --git a/plugins/CasAuthentication/extlib/CAS/languages/languages.php b/plugins/CasAuthentication/extlib/CAS/languages/languages.php index 001cfe445..2c6f8bb3b 100644 --- a/plugins/CasAuthentication/extlib/CAS/languages/languages.php +++ b/plugins/CasAuthentication/extlib/CAS/languages/languages.php @@ -1,24 +1,24 @@ - - * @sa @link internalLang Internationalization @endlink - * @ingroup internalLang - */ - -//@{ -/** - * a phpCAS string index - */ -define("CAS_STR_USING_SERVER", 1); -define("CAS_STR_AUTHENTICATION_WANTED", 2); -define("CAS_STR_LOGOUT", 3); -define("CAS_STR_SHOULD_HAVE_BEEN_REDIRECTED", 4); -define("CAS_STR_AUTHENTICATION_FAILED", 5); -define("CAS_STR_YOU_WERE_NOT_AUTHENTICATED", 6); -define("CAS_STR_SERVICE_UNAVAILABLE", 7); -//@} - + + * @sa @link internalLang Internationalization @endlink + * @ingroup internalLang + */ + +//@{ +/** + * a phpCAS string index + */ +define("CAS_STR_USING_SERVER", 1); +define("CAS_STR_AUTHENTICATION_WANTED", 2); +define("CAS_STR_LOGOUT", 3); +define("CAS_STR_SHOULD_HAVE_BEEN_REDIRECTED", 4); +define("CAS_STR_AUTHENTICATION_FAILED", 5); +define("CAS_STR_YOU_WERE_NOT_AUTHENTICATED", 6); +define("CAS_STR_SERVICE_UNAVAILABLE", 7); +//@} + ?> \ No newline at end of file diff --git a/plugins/CasAuthentication/extlib/CAS/languages/spanish.php b/plugins/CasAuthentication/extlib/CAS/languages/spanish.php index 04067ca03..3a8ffc253 100644 --- a/plugins/CasAuthentication/extlib/CAS/languages/spanish.php +++ b/plugins/CasAuthentication/extlib/CAS/languages/spanish.php @@ -1,27 +1,27 @@ - - * @sa @link internalLang Internationalization @endlink - * @ingroup internalLang - */ - -$this->_strings = array( - CAS_STR_USING_SERVER - => 'usando servidor', - CAS_STR_AUTHENTICATION_WANTED - => '¡Autentificación CAS necesaria!', - CAS_STR_LOGOUT - => '¡Salida CAS necesaria!', - CAS_STR_SHOULD_HAVE_BEEN_REDIRECTED - => 'Ya debería haber sido redireccionado al servidor CAS. Haga click aquí para continuar.', - CAS_STR_AUTHENTICATION_FAILED - => '¡Autentificación CAS fallida!', - CAS_STR_YOU_WERE_NOT_AUTHENTICATED - => '

    No estás autentificado.

    Puedes volver a intentarlo haciendo click aquí.

    Si el problema persiste debería contactar con el administrador de este sitio.

    ', - CAS_STR_SERVICE_UNAVAILABLE - => 'El servicio `%s\' no está disponible (%s).' -); - -?> + + * @sa @link internalLang Internationalization @endlink + * @ingroup internalLang + */ + +$this->_strings = array( + CAS_STR_USING_SERVER + => 'usando servidor', + CAS_STR_AUTHENTICATION_WANTED + => '¡Autentificación CAS necesaria!', + CAS_STR_LOGOUT + => '¡Salida CAS necesaria!', + CAS_STR_SHOULD_HAVE_BEEN_REDIRECTED + => 'Ya debería haber sido redireccionado al servidor CAS. Haga click aquí para continuar.', + CAS_STR_AUTHENTICATION_FAILED + => '¡Autentificación CAS fallida!', + CAS_STR_YOU_WERE_NOT_AUTHENTICATED + => '

    No estás autentificado.

    Puedes volver a intentarlo haciendo click aquí.

    Si el problema persiste debería contactar con el administrador de este sitio.

    ', + CAS_STR_SERVICE_UNAVAILABLE + => 'El servicio `%s\' no está disponible (%s).' +); + +?> -- cgit v1.2.3-54-g00ecf From 0bb06261d9dc204919574a90c5d864963849e5b3 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Thu, 4 Mar 2010 20:00:40 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans Signed-off-by: Siebrand Mazeland --- locale/ar/LC_MESSAGES/statusnet.po | 659 +++++++++++++++++++--------------- locale/arz/LC_MESSAGES/statusnet.po | 597 +++++++++++++++++------------- locale/bg/LC_MESSAGES/statusnet.po | 591 +++++++++++++++++------------- locale/ca/LC_MESSAGES/statusnet.po | 598 +++++++++++++++++------------- locale/cs/LC_MESSAGES/statusnet.po | 581 +++++++++++++++++------------- locale/de/LC_MESSAGES/statusnet.po | 589 +++++++++++++++++------------- locale/el/LC_MESSAGES/statusnet.po | 577 ++++++++++++++++------------- locale/en_GB/LC_MESSAGES/statusnet.po | 590 +++++++++++++++++------------- locale/es/LC_MESSAGES/statusnet.po | 598 +++++++++++++++++------------- locale/fa/LC_MESSAGES/statusnet.po | 596 +++++++++++++++++------------- locale/fi/LC_MESSAGES/statusnet.po | 590 +++++++++++++++++------------- locale/fr/LC_MESSAGES/statusnet.po | 638 +++++++++++++++++--------------- locale/ga/LC_MESSAGES/statusnet.po | 585 +++++++++++++++++------------- locale/he/LC_MESSAGES/statusnet.po | 585 +++++++++++++++++------------- locale/hsb/LC_MESSAGES/statusnet.po | 599 +++++++++++++++++------------- locale/ia/LC_MESSAGES/statusnet.po | 600 ++++++++++++++++++------------- locale/is/LC_MESSAGES/statusnet.po | 585 +++++++++++++++++------------- locale/it/LC_MESSAGES/statusnet.po | 600 ++++++++++++++++++------------- locale/ja/LC_MESSAGES/statusnet.po | 598 +++++++++++++++++------------- locale/ko/LC_MESSAGES/statusnet.po | 586 +++++++++++++++++------------- locale/mk/LC_MESSAGES/statusnet.po | 639 +++++++++++++++++--------------- locale/nb/LC_MESSAGES/statusnet.po | 582 +++++++++++++++++------------- locale/nl/LC_MESSAGES/statusnet.po | 639 +++++++++++++++++--------------- locale/nn/LC_MESSAGES/statusnet.po | 586 +++++++++++++++++------------- locale/pl/LC_MESSAGES/statusnet.po | 600 ++++++++++++++++++------------- locale/pt/LC_MESSAGES/statusnet.po | 600 ++++++++++++++++++------------- locale/pt_BR/LC_MESSAGES/statusnet.po | 600 ++++++++++++++++++------------- locale/ru/LC_MESSAGES/statusnet.po | 630 ++++++++++++++++++-------------- locale/statusnet.po | 549 ++++++++++++++++------------ locale/sv/LC_MESSAGES/statusnet.po | 625 ++++++++++++++++++-------------- locale/te/LC_MESSAGES/statusnet.po | 596 +++++++++++++++++------------- locale/tr/LC_MESSAGES/statusnet.po | 581 +++++++++++++++++------------- locale/uk/LC_MESSAGES/statusnet.po | 627 ++++++++++++++++++-------------- locale/vi/LC_MESSAGES/statusnet.po | 584 +++++++++++++++++------------- locale/zh_CN/LC_MESSAGES/statusnet.po | 586 +++++++++++++++++------------- locale/zh_TW/LC_MESSAGES/statusnet.po | 579 ++++++++++++++++------------- 36 files changed, 12390 insertions(+), 9155 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index 578f0d250..3e2f7c7b4 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:02:06+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:55:52+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" @@ -22,7 +22,8 @@ msgstr "" "&& n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "Ù†Ùاذ" @@ -43,7 +44,6 @@ msgstr "أأمنع المستخدمين المجهولين (غير الوالج #. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -#, fuzzy msgctxt "LABEL" msgid "Private" msgstr "خاص" @@ -74,10 +74,9 @@ msgid "Save access settings" msgstr "Ø­Ùظ إعدادت الوصول" #: actions/accessadminpanel.php:203 -#, fuzzy msgctxt "BUTTON" msgid "Save" -msgstr "أرسل" +msgstr "احÙظ" #. TRANS: Server error when page not found (404) #: actions/all.php:64 actions/public.php:98 actions/replies.php:93 @@ -119,7 +118,7 @@ msgstr "%1$s والأصدقاء, الصÙحة %2$d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -174,7 +173,7 @@ msgid "" msgstr "" #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "أنت والأصدقاء" @@ -201,11 +200,11 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." msgstr "لم يتم العثور على وسيلة API." @@ -304,7 +303,7 @@ msgstr "رسالة مباشرة %s" #: actions/apidirectmessage.php:105 #, php-format msgid "All the direct messages sent to %s" -msgstr "" +msgstr "كل الرسائل المباشرة التي أرسلت إلى %s" #: actions/apidirectmessagenew.php:126 msgid "No message text!" @@ -560,7 +559,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "الحساب" @@ -647,18 +646,6 @@ msgstr "" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "" -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "مسار %s الزمني" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "" - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -669,12 +656,12 @@ msgstr "" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "مسار %s الزمني العام" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "" @@ -917,19 +904,17 @@ msgid "Conversation" msgstr "محادثة" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "الإشعارات" #: actions/deleteapplication.php:63 -#, fuzzy msgid "You must be logged in to delete an application." -msgstr "يجب أن تكون مسجل الدخول لتعدل تطبيقا." +msgstr "يجب أن تسجل الدخول لتحذ٠تطبيقا." #: actions/deleteapplication.php:71 -#, fuzzy msgid "Application not found." -msgstr "لم يوجد رمز التأكيد." +msgstr "لم يوجد التطبيق." #: actions/deleteapplication.php:78 actions/editapplication.php:77 #: actions/showapplication.php:94 @@ -938,7 +923,7 @@ msgstr "أنت لست مالك هذا التطبيق." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "" @@ -1125,8 +1110,9 @@ msgstr "ارجع إلى المبدئي" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1242,7 +1228,7 @@ msgstr "" msgid "Could not update group." msgstr "تعذر تحديث المجموعة." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "تعذّر إنشاء الكنى." @@ -1362,7 +1348,7 @@ msgid "Cannot normalize that email address" msgstr "" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "ليس عنوان بريد صالح." @@ -1473,7 +1459,7 @@ msgstr "إشعارات %s المÙÙضلة" #: actions/favoritesrss.php:115 #, php-format msgid "Updates favored by %1$s on %2$s!" -msgstr "" +msgstr "الإشعارات التي Ùضلها %1$s ÙÙŠ %2$s!" #: actions/featured.php:69 lib/featureduserssection.php:87 #: lib/publicgroupnav.php:89 @@ -1546,6 +1532,25 @@ msgstr "لا مل٠كهذا." msgid "Cannot read file." msgstr "تعذّرت قراءة الملÙ." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "حجم غير صالح." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "لا يمكنك إسكات المستخدمين على هذا الموقع." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "المستخدم مسكت من قبل." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1624,7 +1629,7 @@ msgstr "تعذّر تحديث تصميمك." #: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 msgid "Design preferences saved." -msgstr "" +msgstr "Ø­ÙÙظت تÙضيلات التصميم." #: actions/grouplogo.php:142 actions/grouplogo.php:195 msgid "Group logo" @@ -1676,7 +1681,7 @@ msgstr "امنع" #: actions/groupmembers.php:450 msgid "Make user an admin of the group" -msgstr "" +msgstr "اجعل المستخدم إداريًا ÙÙŠ المجموعة" #: actions/groupmembers.php:482 msgid "Make Admin" @@ -1686,12 +1691,18 @@ msgstr "" msgid "Make this user an admin" msgstr "اجعل هذا المستخدم إداريًا" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "مسار %s الزمني" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "مجموعات" @@ -1924,7 +1935,6 @@ msgstr "" #. TRANS: Send button for inviting friends #: actions/invite.php:198 -#, fuzzy msgctxt "BUTTON" msgid "Send" msgstr "أرسل" @@ -2246,8 +2256,8 @@ msgstr "نوع المحتوى " msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "ليس نسق بيانات مدعوم." @@ -2386,7 +2396,8 @@ msgstr "تعذّر Ø­Ùظ كلمة السر الجديدة." msgid "Password saved." msgstr "Ø­ÙÙظت كلمة السر." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "المسارات" @@ -2506,7 +2517,7 @@ msgstr "دليل الخلÙيات" msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "مطلقا" @@ -2557,13 +2568,13 @@ msgstr "ليس وسم أشخاص صالح: %s" #: actions/peopletag.php:144 #, php-format msgid "Users self-tagged with %1$s - page %2$d" -msgstr "" +msgstr "المستخدمون الذين وسموا أنÙسهم ب%1$s - الصÙحة %2$d" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "محتوى إشعار غير صالح" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2640,7 +2651,7 @@ msgid "" msgstr "" "سÙÙ… Ù†Ùسك (حرو٠وأرقام Ùˆ \"-\" Ùˆ \".\" Ùˆ \"_\")ØŒ اÙصلها بÙاصلة (',') أو مساÙØ©." -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "اللغة" @@ -2666,7 +2677,7 @@ msgstr "اشترك تلقائيًا بأي شخص يشترك بي (ÙŠÙضل أن msgid "Bio is too long (max %d chars)." msgstr "" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "لم تÙختر المنطقة الزمنية." @@ -2970,7 +2981,7 @@ msgid "Same as password above. Required." msgstr "Ù†Ùس كلمة السر أعلاه. مطلوب." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "البريد الإلكتروني" @@ -3054,7 +3065,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "اشترك" @@ -3150,6 +3161,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "لا يمكنك إسكات المستخدمين على هذا الموقع." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "المستخدم بدون مل٠مطابق." + #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" msgstr "ستاتس نت" @@ -3162,7 +3183,9 @@ msgstr "" msgid "User is already sandboxed." msgstr "" +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "الجلسات" @@ -3187,7 +3210,7 @@ msgstr "تنقيح الجلسة" msgid "Turn on debugging output for sessions." msgstr "مكّن تنقيح Ù…Ùخرجات الجلسة." -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "اذ٠إعدادت الموقع" @@ -3218,8 +3241,8 @@ msgstr "المنظمة" msgid "Description" msgstr "الوصÙ" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "إحصاءات" @@ -3356,45 +3379,45 @@ msgstr "الكنى" msgid "Group actions" msgstr "" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "الأعضاء" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(لا شيء)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "جميع الأعضاء" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "أنشئ" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3404,7 +3427,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3413,7 +3436,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "الإداريون" @@ -3523,146 +3546,137 @@ msgid "User is already silenced." msgstr "المستخدم مسكت من قبل." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +#, fuzzy +msgid "Basic settings for this StatusNet site" msgstr "الإعدادات الأساسية لموقع StatusNet هذا." -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "يجب ألا يكون طول اسم الموقع صÙرًا." -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 msgid "You must have a valid contact email address." msgstr "يجب أن تملك عنوان بريد إلكتروني صحيح." -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "لغة غير معروÙØ© \"%s\"." #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "حد النص الأدنى هو 140 حرÙًا." -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "عام" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "اسم الموقع" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "اسم موقعك، \"التدوين المصغر لشركتك\" مثلا" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 msgid "Contact email address for your site" msgstr "عنوان البريد الإلكتروني للاتصال بموقعك" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 msgid "Local" msgstr "محلي" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "المنطقة الزمنية المبدئية" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "المنطقة الزمنية المبدئية للموقع؛ ت‌ع‌م عادة." -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +#, fuzzy +msgid "Default language" msgstr "لغة الموقع المبدئية" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" -msgstr "" - -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" -msgstr "ÙÙŠ مهمة Ù…Ùجدولة" - -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" -msgstr "" - -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" -msgstr "" - -#: actions/siteadminpanel.php:301 -msgid "Frequency" -msgstr "التكرار" - -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" -msgstr "" - -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "بلّغ عن المسار" - -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:315 +#: actions/siteadminpanel.php:271 msgid "Limits" msgstr "الحدود" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Text limit" msgstr "حد النص" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Maximum number of characters for notices." msgstr "أقصى عدد للحرو٠ÙÙŠ الإشعارات." -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "إشعار الموقع" + +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "رسالة جديدة" + +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "مشكلة أثناء Ø­Ùظ الإشعار." + +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" +msgstr "" + +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "إشعار الموقع" + +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" +msgstr "" + +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "إشعار الموقع" + #: actions/smssettings.php:58 msgid "SMS settings" msgstr "إعدادات الرسائل القصيرة" @@ -3755,6 +3769,66 @@ msgstr "" msgid "No code entered" msgstr "لم تدخل رمزًا" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "غيّر ضبط الموقع" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "ÙÙŠ مهمة Ù…Ùجدولة" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "التكرار" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "بلّغ عن المسار" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "اذ٠إعدادت الموقع" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "" @@ -3948,7 +4022,7 @@ msgstr "" msgid "Unsubscribed" msgstr "" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -3956,7 +4030,6 @@ msgstr "" #. TRANS: User admin panel title #: actions/useradminpanel.php:59 -#, fuzzy msgctxt "TITLE" msgid "User" msgstr "المستخدم" @@ -4139,16 +4212,22 @@ msgstr "%1$s أعضاء المجموعة, الصÙحة %2$d" msgid "Search for more groups" msgstr "ابحث عن المزيد من المجموعات" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "%s ليس عضوًا ÙÙŠ أي مجموعة." -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "" + #: actions/version.php:73 #, php-format msgid "StatusNet %s" @@ -4194,7 +4273,7 @@ msgstr "" msgid "Plugins" msgstr "الملحقات" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 msgid "Version" msgstr "النسخة" @@ -4257,39 +4336,39 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:239 +#: classes/Notice.php:241 msgid "Problem saving notice. Too long." msgstr "مشكلة ÙÙŠ Ø­Ùظ الإشعار. طويل جدًا." -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "مشكلة ÙÙŠ Ø­Ùظ الإشعار. مستخدم غير معروÙ." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "مشكلة أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:911 +#: classes/Notice.php:927 #, fuzzy msgid "Problem saving group inbox." msgstr "مشكلة أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تي @%1$s %2$s" @@ -4314,7 +4393,12 @@ msgstr "غير مشترك!" msgid "Couldn't delete self-subscription." msgstr "لم يمكن حذ٠اشتراك ذاتي." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "تعذّر حذ٠الاشتراك." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "تعذّر حذ٠الاشتراك." @@ -4323,20 +4407,20 @@ msgstr "تعذّر حذ٠الاشتراك." msgid "Welcome to %1$s, @%2$s!" msgstr "أهلا بكم ÙÙŠ %1$s يا @%2$s!" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "تعذّر إنشاء المجموعة." -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "تعذّر ضبط عضوية المجموعة." -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "تعذّر ضبط عضوية المجموعة." -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "تعذّر Ø­Ùظ الاشتراك." @@ -4378,194 +4462,176 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "صÙحة غير Ù…Ùعنونة" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 -#, fuzzy +#: lib/action.php:430 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "المل٠الشخصي ومسار الأصدقاء الزمني" -#: lib/action.php:442 -#, fuzzy +#: lib/action.php:433 msgctxt "MENU" msgid "Personal" -msgstr "شخصية" +msgstr "الصÙحة الشخصية" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "غير كلمة سرّك" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "الحساب" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "اتصالات" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "اتصل" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "غيّر ضبط الموقع" -#: lib/action.php:460 -#, fuzzy +#: lib/action.php:449 msgctxt "MENU" msgid "Admin" msgstr "إداري" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 -#, fuzzy, php-format +#: lib/action.php:453 +#, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" -msgstr "استخدم هذا النموذج لدعوة أصدقائك وزملائك لاستخدام هذه الخدمة." +msgstr "ادع٠أصدقائك وزملائك للانضمام إليك ÙÙŠ %s" -#: lib/action.php:467 -#, fuzzy +#: lib/action.php:456 msgctxt "MENU" msgid "Invite" msgstr "ادعÙ" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 #, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "اخرج من الموقع" -#: lib/action.php:476 -#, fuzzy +#: lib/action.php:465 msgctxt "MENU" msgid "Logout" msgstr "اخرج" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "أنشئ حسابًا" -#: lib/action.php:484 -#, fuzzy +#: lib/action.php:473 msgctxt "MENU" msgid "Register" msgstr "سجّل" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 -#, fuzzy +#: lib/action.php:476 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Ù„Ùج إلى الموقع" -#: lib/action.php:490 -#, fuzzy +#: lib/action.php:479 msgctxt "MENU" msgid "Login" msgstr "Ù„Ùج" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 -#, fuzzy +#: lib/action.php:482 msgctxt "TOOLTIP" msgid "Help me!" msgstr "ساعدني!" -#: lib/action.php:496 -#, fuzzy +#: lib/action.php:485 msgctxt "MENU" msgid "Help" msgstr "مساعدة" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 -#, fuzzy +#: lib/action.php:488 msgctxt "TOOLTIP" msgid "Search for people or text" -msgstr "ابحث عن أشخاص أو نص" +msgstr "ابحث عن أشخاص أو نصوص" -#: lib/action.php:502 -#, fuzzy +#: lib/action.php:491 msgctxt "MENU" msgid "Search" msgstr "ابحث" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "إشعار الموقع" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "المشاهدات المحلية" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "إشعار الصÙحة" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "مساعدة" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "عن" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "الأسئلة المكررة" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "الشروط" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "خصوصية" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "المصدر" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "اتصل" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "الجسر" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "رخصة برنامج StatusNet" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4574,12 +4640,12 @@ msgstr "" "**%%site.name%%** خدمة تدوين مصغر يقدمها لك [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4590,53 +4656,53 @@ msgstr "" "المتوÙر تحت [رخصة غنو Ø£Ùيرو العمومية](http://www.fsf.org/licensing/licenses/" "agpl-3.0.html)." -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "رخصة محتوى الموقع" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "" -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "الرخصة." -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "بعد" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "قبل" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4651,92 +4717,78 @@ msgid "Changes to that panel are not allowed." msgstr "التغييرات لهذه اللوحة غير مسموح بها." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "تعذّر حذ٠إعدادات التصميم." #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 msgid "Basic site configuration" msgstr "ضبط الموقع الأساسي" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 -#, fuzzy +#: lib/adminpanelaction.php:350 msgctxt "MENU" msgid "Site" msgstr "الموقع" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "ضبط التصميم" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 -#, fuzzy +#: lib/adminpanelaction.php:358 msgctxt "MENU" msgid "Design" msgstr "التصميم" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 -#, fuzzy +#: lib/adminpanelaction.php:364 msgid "User configuration" -msgstr "ضبط المسارات" +msgstr "ضبط المستخدم" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "المستخدم" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 msgid "Access configuration" msgstr "ضبط الحساب" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "Ù†Ùاذ" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 msgid "Paths configuration" msgstr "ضبط المسارات" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -#, fuzzy -msgctxt "MENU" -msgid "Paths" -msgstr "المسارات" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 msgid "Sessions configuration" msgstr "ضبط الجلسات" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "الجلسات" +msgid "Edit site notice" +msgstr "إشعار الموقع" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "ضبط المسارات" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5233,6 +5285,11 @@ msgstr "" msgid "Go" msgstr "اذهب" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "" @@ -5362,11 +5419,11 @@ msgstr "غادر" #: lib/logingroupnav.php:80 msgid "Login with a username and password" -msgstr "" +msgstr "Ù„Ùج باسم مستخدم وكلمة سر" #: lib/logingroupnav.php:86 msgid "Sign up for a new account" -msgstr "" +msgstr "سجّل حسابًا جديدًا" #: lib/mail.php:172 msgid "Email address confirmation" @@ -5427,7 +5484,7 @@ msgstr "السيرة: %s" #: lib/mail.php:286 #, php-format msgid "New email address for posting to %s" -msgstr "" +msgstr "عنوان بريد إلكتروني جديد للإرسال إلى %s" #: lib/mail.php:289 #, php-format @@ -5449,12 +5506,12 @@ msgstr "حالة %s" #: lib/mail.php:439 msgid "SMS confirmation" -msgstr "" +msgstr "تأكيد الرسالة القصيرة" #: lib/mail.php:463 #, php-format msgid "You've been nudged by %s" -msgstr "" +msgstr "لقد نبهك %s" #: lib/mail.php:467 #, php-format @@ -5499,7 +5556,7 @@ msgstr "" #: lib/mail.php:559 #, php-format msgid "%s (@%s) added your notice as a favorite" -msgstr "" +msgstr "لقد أضا٠%s (@%s) إشعارك إلى Ù…Ùضلاته" #: lib/mail.php:561 #, php-format @@ -5525,7 +5582,7 @@ msgstr "" #: lib/mail.php:624 #, php-format msgid "%s (@%s) sent a notice to your attention" -msgstr "" +msgstr "لقد أرسل %s (@%s) إشعارًا إليك" #: lib/mail.php:626 #, php-format @@ -5642,7 +5699,6 @@ msgid "Available characters" msgstr "المحار٠المتوÙرة" #: lib/messageform.php:178 lib/noticeform.php:236 -#, fuzzy msgctxt "Send button for sending notice" msgid "Send" msgstr "أرسل" @@ -5767,10 +5823,6 @@ msgstr "الردود" msgid "Favorites" msgstr "المÙضلات" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "المستخدم" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "صندوق الوارد" @@ -5796,7 +5848,7 @@ msgstr "وسوم ÙÙŠ إشعارات %s" msgid "Unknown" msgstr "غير معروÙØ©" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "الاشتراكات" @@ -5804,23 +5856,23 @@ msgstr "الاشتراكات" msgid "All subscriptions" msgstr "جميع الاشتراكات" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "المشتركون" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "جميع المشتركين" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "هوية المستخدم" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "عضو منذ" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "كل المجموعات" @@ -5860,7 +5912,12 @@ msgstr "أأكرّر هذا الإشعار؟ّ" msgid "Repeat this notice" msgstr "كرّر هذا الإشعار" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "امنع هذا المستخدم من هذه المجموعة" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -6014,47 +6071,63 @@ msgstr "رسالة" msgid "Moderate" msgstr "" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "مل٠المستخدم الشخصي" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "الإداريون" + +#: lib/userprofile.php:355 +msgctxt "role" +msgid "Moderator" +msgstr "" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "قبل لحظات قليلة" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "قبل دقيقة تقريبًا" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "قبل ساعة تقريبًا" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "قبل يوم تقريبا" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "قبل شهر تقريبًا" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "قبل سنة تقريبًا" diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index 3ce1fbc4e..dd00dbf7d 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:02:09+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:55:56+0000\n" "Language-Team: Egyptian Spoken Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: out-statusnet\n" @@ -23,7 +23,8 @@ msgstr "" "&& n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5;\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "Ù†Ùاذ" @@ -123,7 +124,7 @@ msgstr "%1$s Ùˆ الصحاب, صÙحه %2$d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -178,7 +179,7 @@ msgid "" msgstr "" #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "أنت والأصدقاء" @@ -205,11 +206,11 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." msgstr "الـ API method مش موجوده." @@ -564,7 +565,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "الحساب" @@ -651,18 +652,6 @@ msgstr "" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "" -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "مسار %s الزمني" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "" - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -673,12 +662,12 @@ msgstr "" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "مسار %s الزمنى العام" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "" @@ -921,7 +910,7 @@ msgid "Conversation" msgstr "محادثة" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "الإشعارات" @@ -942,7 +931,7 @@ msgstr "انت مش بتملك الapplication دى." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "" @@ -1132,8 +1121,9 @@ msgstr "ارجع إلى المبدئي" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1250,7 +1240,7 @@ msgstr "" msgid "Could not update group." msgstr "تعذر تحديث المجموعه." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "تعذّر إنشاء الكنى." @@ -1370,7 +1360,7 @@ msgid "Cannot normalize that email address" msgstr "" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "ليس عنوان بريد صالح." @@ -1554,6 +1544,25 @@ msgstr "لا مل٠كهذا." msgid "Cannot read file." msgstr "تعذّرت قراءه الملÙ." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "حجم غير صالح." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "لا يمكنك إسكات المستخدمين على هذا الموقع." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "المستخدم مسكت من قبل." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1694,12 +1703,18 @@ msgstr "" msgid "Make this user an admin" msgstr "اجعل هذا المستخدم إداريًا" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "مسار %s الزمني" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "مجموعات" @@ -2252,8 +2267,8 @@ msgstr "نوع المحتوى " msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr " مش نظام بيانات مدعوم." @@ -2392,7 +2407,8 @@ msgstr "تعذّر Ø­Ùظ كلمه السر الجديده." msgid "Password saved." msgstr "Ø­ÙÙظت كلمه السر." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "المسارات" @@ -2512,7 +2528,7 @@ msgstr "دليل الخلÙيات" msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "مطلقا" @@ -2565,11 +2581,11 @@ msgstr "ليس وسم أشخاص صالح: %s" msgid "Users self-tagged with %1$s - page %2$d" msgstr "" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "محتوى إشعار غير صالح" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2645,7 +2661,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "اللغة" @@ -2671,7 +2687,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "لم تÙختر المنطقه الزمنيه." @@ -2975,7 +2991,7 @@ msgid "Same as password above. Required." msgstr "Ù†Ùس كلمه السر أعلاه. مطلوب." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "البريد الإلكتروني" @@ -3059,7 +3075,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "اشترك" @@ -3155,6 +3171,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "لا يمكنك إسكات المستخدمين على هذا الموقع." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "يوزر من-غير پروÙايل زيّه." + #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" msgstr "StatusNet" @@ -3167,7 +3193,9 @@ msgstr "" msgid "User is already sandboxed." msgstr "" +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "الجلسات" @@ -3192,7 +3220,7 @@ msgstr "تنقيح الجلسة" msgid "Turn on debugging output for sessions." msgstr "مكّن تنقيح Ù…Ùخرجات الجلسه." -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "اذ٠إعدادت الموقع" @@ -3223,8 +3251,8 @@ msgstr "المنظمه" msgid "Description" msgstr "الوصÙ" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "إحصاءات" @@ -3361,45 +3389,45 @@ msgstr "الكنى" msgid "Group actions" msgstr "" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "الأعضاء" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(لا شيء)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "جميع الأعضاء" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "أنشئ" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3409,7 +3437,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3418,7 +3446,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "الإداريون" @@ -3528,146 +3556,137 @@ msgid "User is already silenced." msgstr "المستخدم مسكت من قبل." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +#, fuzzy +msgid "Basic settings for this StatusNet site" msgstr "الإعدادات الأساسيه لموقع StatusNet هذا." -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "يجب ألا يكون طول اسم الموقع صÙرًا." -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 msgid "You must have a valid contact email address." msgstr "لازم يكون عندك عنوان ايميل صالح." -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "لغه مش معروÙÙ‡ \"%s\"." #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "حد النص الأدنى هو 140 حرÙًا." -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "عام" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "اسم الموقع" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "اسم موقعك، \"التدوين المصغر لشركتك\" مثلا" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 msgid "Contact email address for your site" msgstr "عنوان البريد الإلكترونى للاتصال بموقعك" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 msgid "Local" msgstr "محلي" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "المنطقه الزمنيه المبدئية" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "المنطقه الزمنيه المبدئيه للموقع؛ ت‌ع‌م عاده." -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +#, fuzzy +msgid "Default language" msgstr "لغه الموقع المبدئية" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" -msgstr "" - -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" -msgstr "ÙÙ‰ مهمه Ù…Ùجدولة" - -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" -msgstr "" - -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" -msgstr "" - -#: actions/siteadminpanel.php:301 -msgid "Frequency" -msgstr "التكرار" - -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" -msgstr "" - -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "بلّغ عن المسار" - -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:315 +#: actions/siteadminpanel.php:271 msgid "Limits" msgstr "الحدود" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Text limit" msgstr "حد النص" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Maximum number of characters for notices." msgstr "أقصى عدد للحرو٠ÙÙ‰ الإشعارات." -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "إشعار الموقع" + +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "رساله جديدة" + +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "مشكله أثناء Ø­Ùظ الإشعار." + +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" +msgstr "" + +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "إشعار الموقع" + +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" +msgstr "" + +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "إشعار الموقع" + #: actions/smssettings.php:58 msgid "SMS settings" msgstr "تظبيطات الـSMS" @@ -3760,6 +3779,66 @@ msgstr "" msgid "No code entered" msgstr "" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "غيّر ضبط الموقع" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "ÙÙ‰ مهمه Ù…Ùجدولة" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "التكرار" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "بلّغ عن المسار" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "اذ٠إعدادت الموقع" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "" @@ -3954,7 +4033,7 @@ msgstr "" msgid "Unsubscribed" msgstr "" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4145,16 +4224,22 @@ msgstr "%1$s أعضاء المجموعة, الصÙحه %2$d" msgid "Search for more groups" msgstr "" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "" -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "" + #: actions/version.php:73 #, php-format msgid "StatusNet %s" @@ -4198,7 +4283,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 msgid "Version" msgstr "النسخه" @@ -4262,39 +4347,39 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:239 +#: classes/Notice.php:241 msgid "Problem saving notice. Too long." msgstr "مشكله ÙÙ‰ Ø­Ùظ الإشعار. طويل جدًا." -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "مشكله ÙÙ‰ Ø­Ùظ الإشعار. مستخدم غير معروÙ." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "مشكله أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:911 +#: classes/Notice.php:927 #, fuzzy msgid "Problem saving group inbox." msgstr "مشكله أثناء Ø­Ùظ الإشعار." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "آر تى @%1$s %2$s" @@ -4319,7 +4404,12 @@ msgstr "غير مشترك!" msgid "Couldn't delete self-subscription." msgstr "ما Ù†Ùعش يمسح الاشتراك الشخصى." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "تعذّر حذ٠الاشتراك." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "تعذّر حذ٠الاشتراك." @@ -4328,20 +4418,20 @@ msgstr "تعذّر حذ٠الاشتراك." msgid "Welcome to %1$s, @%2$s!" msgstr "أهلا بكم ÙÙ‰ %1$s يا @%2$s!" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "تعذّر إنشاء المجموعه." -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "تعذّر ضبط عضويه المجموعه." -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "تعذّر ضبط عضويه المجموعه." -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "تعذّر Ø­Ùظ الاشتراك." @@ -4383,194 +4473,188 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "صÙحه غير Ù…Ùعنونة" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 #, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "المل٠الشخصى ومسار الأصدقاء الزمني" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "شخصية" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "غير كلمه سرّك" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "الحساب" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "كونيكشونات (Connections)" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "اتصل" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "غيّر ضبط الموقع" -#: lib/action.php:460 +#: lib/action.php:449 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "إداري" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "ادعÙ" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 #, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "اخرج من الموقع" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "اخرج" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "أنشئ حسابًا" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "سجّل" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Ù„Ùج إلى الموقع" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "Ù„Ùج" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "ساعدني!" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "مساعدة" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 #, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "ابحث عن أشخاص أو نص" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "ابحث" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "إشعار الموقع" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "المشاهدات المحلية" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "إشعار الصÙحة" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "مساعدة" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "عن" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "الأسئله المكررة" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "الشروط" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "خصوصية" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "المصدر" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "اتصل" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4579,12 +4663,12 @@ msgstr "" "**%%site.name%%** خدمه تدوين مصغر يقدمها لك [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4595,53 +4679,53 @@ msgstr "" "المتوÙر تحت [رخصه غنو Ø£Ùيرو العمومية](http://www.fsf.org/licensing/licenses/" "agpl-3.0.html)." -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "رخصه محتوى الموقع" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "" -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "الرخصه." -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "بعد" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "قبل" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4656,94 +4740,83 @@ msgid "Changes to that panel are not allowed." msgstr "التغييرات مش مسموحه للـ لوحه دى." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "تعذّر حذ٠إعدادات التصميم." #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 msgid "Basic site configuration" msgstr "ضبط الموقع الأساسي" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "الموقع" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "ضبط التصميم" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "التصميم" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 #, fuzzy msgid "User configuration" msgstr "ضبط المسارات" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "المستخدم" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 #, fuzzy msgid "Access configuration" msgstr "ضبط التصميم" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "Ù†Ùاذ" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 msgid "Paths configuration" msgstr "ضبط المسارات" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -#, fuzzy -msgctxt "MENU" -msgid "Paths" -msgstr "المسارات" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 #, fuzzy msgid "Sessions configuration" msgstr "ضبط التصميم" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "الجلسات" +msgid "Edit site notice" +msgstr "إشعار الموقع" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "ضبط المسارات" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5240,6 +5313,11 @@ msgstr "" msgid "Go" msgstr "اذهب" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "" @@ -5764,10 +5842,6 @@ msgstr "الردود" msgid "Favorites" msgstr "المÙضلات" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "المستخدم" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "صندوق الوارد" @@ -5793,7 +5867,7 @@ msgstr "" msgid "Unknown" msgstr "مش معروÙ" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "الاشتراكات" @@ -5801,23 +5875,23 @@ msgstr "الاشتراكات" msgid "All subscriptions" msgstr "جميع الاشتراكات" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "المشتركون" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "جميع المشتركين" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "هويه المستخدم" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "عضو منذ" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "كل المجموعات" @@ -5857,7 +5931,12 @@ msgstr "كرر هذا الإشعار؟" msgid "Repeat this notice" msgstr "كرر هذا الإشعار" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "امنع هذا المستخدم من هذه المجموعة" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -6011,47 +6090,63 @@ msgstr "رسالة" msgid "Moderate" msgstr "" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "مل٠المستخدم الشخصي" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "الإداريون" + +#: lib/userprofile.php:355 +msgctxt "role" +msgid "Moderator" +msgstr "" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "قبل لحظات قليلة" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "قبل دقيقه تقريبًا" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "قبل ساعه تقريبًا" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "قبل يوم تقريبا" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "قبل شهر تقريبًا" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "قبل سنه تقريبًا" diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index abf1998d8..e24c60c5a 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -9,19 +9,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:02:12+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:55:59+0000\n" "Language-Team: Bulgarian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "ДоÑтъп" @@ -118,7 +119,7 @@ msgstr "%1$s и приÑтели, Ñтраница %2$d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -173,7 +174,7 @@ msgid "" msgstr "" #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "Вие и приÑтелите" @@ -200,11 +201,11 @@ msgstr "Бележки от %1$s и приÑтели в %2$s." #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." msgstr "Ðе е открит методът в API." @@ -570,7 +571,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "Сметка" @@ -658,18 +659,6 @@ msgstr "%s / ОтбелÑзани като любими от %s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s бележки отбелÑзани като любими от %s / %s." -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "Поток на %s" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "Бележки от %1$s в %2$s." - #: actions/apitimelinementions.php:117 #, fuzzy, php-format msgid "%1$s / Updates mentioning %2$s" @@ -680,12 +669,12 @@ msgstr "%1$s / Реплики на %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s реплики на ÑÑŠÐ¾Ð±Ñ‰ÐµÐ½Ð¸Ñ Ð¾Ñ‚ %2$s / %3$s." -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "Общ поток на %s" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "" @@ -932,7 +921,7 @@ msgid "Conversation" msgstr "Разговор" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Бележки" @@ -954,7 +943,7 @@ msgstr "Ðе членувате в тази група." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "Имаше проблем ÑÑŠÑ ÑеÑиÑта ви в Ñайта." @@ -1149,8 +1138,9 @@ msgstr "" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1278,7 +1268,7 @@ msgstr "ОпиÑанието е твърде дълго (до %d Ñимвола) msgid "Could not update group." msgstr "Грешка при обновÑване на групата." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 #, fuzzy msgid "Could not create aliases." msgstr "Грешка при отбелÑзване като любима." @@ -1402,7 +1392,7 @@ msgid "Cannot normalize that email address" msgstr "Грешка при нормализиране адреÑа на е-пощата" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "Ðеправилен Ð°Ð´Ñ€ÐµÑ Ð½Ð° е-поща." @@ -1595,6 +1585,25 @@ msgstr "ÐÑма такъв файл." msgid "Cannot read file." msgstr "Грешка при четене на файла." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Ðеправилен размер." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "Ðе може да изпращате ÑÑŠÐ¾Ð±Ñ‰ÐµÐ½Ð¸Ñ Ð´Ð¾ този потребител." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "ПотребителÑÑ‚ вече е заглушен." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1744,12 +1753,18 @@ msgstr "" msgid "Make this user an admin" msgstr "" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "Поток на %s" + #: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Бележки от %1$s в %2$s." -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "Групи" @@ -2362,8 +2377,8 @@ msgstr "вид Ñъдържание " msgid "Only " msgstr "Само " -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "Ðеподдържан формат на данните" @@ -2509,7 +2524,8 @@ msgstr "Грешка при запазване на новата парола." msgid "Password saved." msgstr "Паролата е запиÑана." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "Пътища" @@ -2629,7 +2645,7 @@ msgstr "Ð”Ð¸Ñ€ÐµÐºÑ‚Ð¾Ñ€Ð¸Ñ Ð½Ð° фона" msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "Ðикога" @@ -2684,11 +2700,11 @@ msgstr "Това не е правилен Ð°Ð´Ñ€ÐµÑ Ð½Ð° е-поща." msgid "Users self-tagged with %1$s - page %2$d" msgstr "Бележки Ñ ÐµÑ‚Ð¸ÐºÐµÑ‚ %s, Ñтраница %d" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "Ðевалидно Ñъдържание на бележка" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2764,7 +2780,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "Език" @@ -2792,7 +2808,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "БиографиÑта е твърде дълга (до %d Ñимвола)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "Ðе е избран чаÑови поÑÑ" @@ -3097,7 +3113,7 @@ msgid "Same as password above. Required." msgstr "Същото като паролата по-горе. Задължително поле." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Е-поща" @@ -3202,7 +3218,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "ÐÐ´Ñ€ÐµÑ Ð½Ð° профила ви в друга, ÑъвмеÑтима уÑлуга за микроблогване" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "Ðбониране" @@ -3300,6 +3316,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Отговори до %1$s в %2$s!" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "Ðе можете да заглушавате потребители на този Ñайт." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "Потребител без ÑъответÑтващ профил" + #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" msgstr "StatusNet" @@ -3314,7 +3340,9 @@ msgstr "Ðе може да изпращате ÑÑŠÐ¾Ð±Ñ‰ÐµÐ½Ð¸Ñ Ð´Ð¾ този msgid "User is already sandboxed." msgstr "ПотребителÑÑ‚ ви е блокирал." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "СеÑии" @@ -3339,7 +3367,7 @@ msgstr "" msgid "Turn on debugging output for sessions." msgstr "" -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Запазване наÑтройките на Ñайта" @@ -3372,8 +3400,8 @@ msgstr "ОрганизациÑ" msgid "Description" msgstr "ОпиÑание" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "СтатиÑтики" @@ -3507,45 +3535,45 @@ msgstr "ПÑевдоними" msgid "Group actions" msgstr "" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "ЕмиÑÐ¸Ñ Ñ Ð±ÐµÐ»ÐµÐ¶ÐºÐ¸ на %s" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "ЕмиÑÐ¸Ñ Ñ Ð±ÐµÐ»ÐµÐ¶ÐºÐ¸ на %s" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "ЕмиÑÐ¸Ñ Ñ Ð±ÐµÐ»ÐµÐ¶ÐºÐ¸ на %s" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "ИзходÑща ÐºÑƒÑ‚Ð¸Ñ Ð·Ð° %s" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "Членове" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "Ð’Ñички членове" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "Създадена на" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3555,7 +3583,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3564,7 +3592,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "ÐдминиÑтратори" @@ -3674,147 +3702,138 @@ msgid "User is already silenced." msgstr "ПотребителÑÑ‚ вече е заглушен." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +#, fuzzy +msgid "Basic settings for this StatusNet site" msgstr "ОÑновни наÑтройки на тази инÑÑ‚Ð°Ð»Ð°Ñ†Ð¸Ñ Ð½Ð° StatusNet." -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "Името на Ñайта е задължително." -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 #, fuzzy msgid "You must have a valid contact email address." msgstr "ÐдреÑÑŠÑ‚ на е-поща за контакт е задължителен" -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "Ðепознат език \"%s\"." #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "Минималното ограничение на текÑта е 140 знака." -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "Общи" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "Име на Ñайта" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 msgid "Contact email address for your site" msgstr "ÐÐ´Ñ€ÐµÑ Ð½Ð° е-поща за контакт ÑÑŠÑ Ñайта" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 #, fuzzy msgid "Local" msgstr "МеÑтоположение" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "ЧаÑови поÑÑ Ð¿Ð¾ подразбиране" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "ЧаÑови поÑÑ Ð¿Ð¾ подразбиране за Ñайта (обикновено UTC)." -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +#, fuzzy +msgid "Default language" msgstr "Език по подразбиране за Ñайта" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" -msgstr "" +#: actions/siteadminpanel.php:271 +msgid "Limits" +msgstr "ОграничениÑ" -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" +#: actions/siteadminpanel.php:274 +msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" +#: actions/siteadminpanel.php:274 +msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" +#: actions/siteadminpanel.php:278 +msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:301 -msgid "Frequency" -msgstr "ЧеÑтота" - -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" +#: actions/siteadminpanel.php:278 +msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Ðова бележка" -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "Ðово Ñъобщение" -#: actions/siteadminpanel.php:315 -msgid "Limits" -msgstr "ОграничениÑ" +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Грешка при запиÑване наÑтройките за Twitter" -#: actions/siteadminpanel.php:318 -msgid "Text limit" +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" msgstr "" -#: actions/siteadminpanel.php:318 -msgid "Maximum number of characters for notices." -msgstr "" +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Ðова бележка" -#: actions/siteadminpanel.php:322 -msgid "Dupe limit" +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" msgstr "" -#: actions/siteadminpanel.php:322 -msgid "How long users must wait (in seconds) to post the same thing again." -msgstr "" +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Ðова бележка" #: actions/smssettings.php:58 msgid "SMS settings" @@ -3917,6 +3936,66 @@ msgstr "" msgid "No code entered" msgstr "Ðе е въведен код." +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "ПромÑна наÑтройките на Ñайта" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "ЧеÑтота" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Запазване наÑтройките на Ñайта" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "Ðе Ñте абонирани за този профил" @@ -4119,7 +4198,7 @@ msgstr "Сървърът не е върнал Ð°Ð´Ñ€ÐµÑ Ð½Ð° профила." msgid "Unsubscribed" msgstr "ОтпиÑване" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4325,16 +4404,22 @@ msgstr "Членове на групата %s, Ñтраница %d" msgid "Search for more groups" msgstr "ТърÑене на още групи" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "%s не членува в Ð½Ð¸ÐºÐ¾Ñ Ð³Ñ€ÑƒÐ¿Ð°." -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "Бележки от %1$s в %2$s." + #: actions/version.php:73 #, php-format msgid "StatusNet %s" @@ -4378,7 +4463,7 @@ msgstr "" msgid "Plugins" msgstr "ПриÑтавки" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 msgid "Version" msgstr "ВерÑиÑ" @@ -4446,23 +4531,23 @@ msgstr "Грешка при обновÑване на бележката Ñ Ð½Ð¾ msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:239 +#: classes/Notice.php:241 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Проблем при запиÑване на бележката." -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "Грешка при запиÑване на бележката. Ðепознат потребител." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Твърде много бележки за кратко време. Спрете, поемете дъх и публикувайте " "отново Ñлед нÑколко минути." -#: classes/Notice.php:254 +#: classes/Notice.php:256 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4471,20 +4556,20 @@ msgstr "" "Твърде много бележки за кратко време. Спрете, поемете дъх и публикувайте " "отново Ñлед нÑколко минути." -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "Забранено ви е да публикувате бележки в този Ñайт." -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "Проблем при запиÑване на бележката." -#: classes/Notice.php:911 +#: classes/Notice.php:927 #, fuzzy msgid "Problem saving group inbox." msgstr "Проблем при запиÑване на бележката." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4512,7 +4597,12 @@ msgstr "Ðе Ñте абонирани!" msgid "Couldn't delete self-subscription." msgstr "Грешка при изтриване на абонамента." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Грешка при изтриване на абонамента." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Грешка при изтриване на абонамента." @@ -4521,21 +4611,21 @@ msgstr "Грешка при изтриване на абонамента." msgid "Welcome to %1$s, @%2$s!" msgstr "Добре дошли в %1$s, @%2$s!" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "Грешка при Ñъздаване на групата." -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "Грешка при Ñъздаване на нов абонамент." -#: classes/User_group.php:492 +#: classes/User_group.php:507 #, fuzzy msgid "Could not set group membership." msgstr "Грешка при Ñъздаване на нов абонамент." -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "Грешка при Ñъздаване на нов абонамент." @@ -4578,196 +4668,190 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Ðеозаглавена Ñтраница" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Лично" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "ПромÑна на поща, аватар, парола, профил" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "Сметка" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Свързване към уÑлуги" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "Свързване" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "ПромÑна наÑтройките на Ñайта" -#: lib/action.php:460 +#: lib/action.php:449 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "ÐаÑтройки" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Поканете приÑтели и колеги да Ñе приÑъединÑÑ‚ към Ð²Ð°Ñ Ð² %s" -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Покани" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 #, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Излизане от Ñайта" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Изход" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "Създаване на нова Ñметка" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "РегиÑтриране" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Влизане в Ñайта" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "Вход" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Помощ" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "Помощ" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 #, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "ТърÑене за хора или бележки" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "ТърÑене" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 #, fuzzy msgid "Site notice" msgstr "Ðова бележка" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "" -#: lib/action.php:656 +#: lib/action.php:645 #, fuzzy msgid "Page notice" msgstr "Ðова бележка" -#: lib/action.php:758 +#: lib/action.php:747 #, fuzzy msgid "Secondary site navigation" msgstr "Ðбонаменти" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Помощ" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "ОтноÑно" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "ВъпроÑи" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "УÑловиÑ" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "ПоверителноÑÑ‚" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "Изходен код" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Контакт" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "Табелка" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "Лиценз на програмата StatusNet" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4776,12 +4860,12 @@ msgstr "" "**%%site.name%%** е уÑлуга за микроблогване, предоÑтавена ви от [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** е уÑлуга за микроблогване. " -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4792,53 +4876,53 @@ msgstr "" "доÑтъпна под [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "Лиценз на Ñъдържанието" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "Ð’Ñички " -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "лиценз." -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "Страниране" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "След" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "Преди" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4854,97 +4938,86 @@ msgid "Changes to that panel are not allowed." msgstr "ЗапиÑването не е позволено." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 #, fuzzy msgid "showForm() not implemented." msgstr "Командата вÑе още не Ñе поддържа." #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 #, fuzzy msgid "saveSettings() not implemented." msgstr "Командата вÑе още не Ñе поддържа." #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 #, fuzzy msgid "Unable to delete design setting." msgstr "Грешка при запиÑване наÑтройките за Twitter" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 msgid "Basic site configuration" msgstr "ОÑновна наÑтройка на Ñайта" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "Сайт" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "ÐаÑтройка на оформлението" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "ВерÑиÑ" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 #, fuzzy msgid "User configuration" msgstr "ÐаÑтройка на пътищата" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "Потребител" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 #, fuzzy msgid "Access configuration" msgstr "ÐаÑтройка на оформлението" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "ДоÑтъп" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 msgid "Paths configuration" msgstr "ÐаÑтройка на пътищата" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -#, fuzzy -msgctxt "MENU" -msgid "Paths" -msgstr "Пътища" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 #, fuzzy msgid "Sessions configuration" msgstr "ÐаÑтройка на оформлението" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "СеÑии" +msgid "Edit site notice" +msgstr "Ðова бележка" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "ÐаÑтройка на пътищата" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5443,6 +5516,11 @@ msgstr "Изберете етикет за конкретизиране" msgid "Go" msgstr "" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "ÐÐ´Ñ€ÐµÑ Ð½Ð° Ñтраница, блог или профил в друг Ñайт на групата" @@ -5983,10 +6061,6 @@ msgstr "Отговори" msgid "Favorites" msgstr "Любими" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "Потребител" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "ВходÑщи" @@ -6013,7 +6087,7 @@ msgstr "Етикети в бележките на %s" msgid "Unknown" msgstr "Ðепознато дейÑтвие" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "Ðбонаменти" @@ -6021,24 +6095,24 @@ msgstr "Ðбонаменти" msgid "All subscriptions" msgstr "Ð’Ñички абонаменти" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "Ðбонати" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "Ð’Ñички абонати" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 #, fuzzy msgid "User ID" msgstr "Потребител" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "УчаÑтник от" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "Ð’Ñички групи" @@ -6079,7 +6153,12 @@ msgstr "ПовтарÑне на тази бележка" msgid "Repeat this notice" msgstr "ПовтарÑне на тази бележка" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "СпиÑък Ñ Ð¿Ð¾Ñ‚Ñ€ÐµÐ±Ð¸Ñ‚ÐµÐ»Ð¸Ñ‚Ðµ в тази група." + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -6239,47 +6318,63 @@ msgstr "Съобщение" msgid "Moderate" msgstr "" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "ПотребителÑки профил" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "ÐдминиÑтратори" + +#: lib/userprofile.php:355 +msgctxt "role" +msgid "Moderator" +msgstr "" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "преди нÑколко Ñекунди" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "преди около минута" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "преди около %d минути" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "преди около чаÑ" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "преди около %d чаÑа" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "преди около ден" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "преди около %d дни" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "преди около меÑец" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "преди около %d меÑеца" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "преди около година" diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index 8b12f44a9..f38b97ccf 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -10,19 +10,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:02:15+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:56:02+0000\n" "Language-Team: Catalan\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "Accés" @@ -124,7 +125,7 @@ msgstr "%s perfils blocats, pàgina %d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -181,7 +182,7 @@ msgid "" msgstr "" #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "Un mateix i amics" @@ -208,11 +209,11 @@ msgstr "Actualitzacions de %1$s i amics a %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "No s'ha trobat el mètode API!" @@ -586,7 +587,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "Compte" @@ -677,18 +678,6 @@ msgstr "%s / Preferits de %s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s actualitzacions favorites per %s / %s." -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "%s línia temporal" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "Actualitzacions de %1$s a %2$s!" - #: actions/apitimelinementions.php:117 #, fuzzy, php-format msgid "%1$s / Updates mentioning %2$s" @@ -699,12 +688,12 @@ msgstr "%1$s / Notificacions contestant a %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s notificacions que responen a notificacions de %2$s / %3$s." -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s línia temporal pública" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s notificacions de tots!" @@ -952,7 +941,7 @@ msgid "Conversation" msgstr "Conversa" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Avisos" @@ -974,7 +963,7 @@ msgstr "No sou un membre del grup." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "Ha ocorregut algun problema amb la teva sessió." @@ -1169,8 +1158,9 @@ msgstr "" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1298,7 +1288,7 @@ msgstr "la descripció és massa llarga (màx. %d caràcters)." msgid "Could not update group." msgstr "No s'ha pogut actualitzar el grup." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "No s'han pogut crear els àlies." @@ -1427,7 +1417,7 @@ msgid "Cannot normalize that email address" msgstr "No es pot normalitzar l'adreça electrònica." #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "Adreça de correu electrònic no vàlida." @@ -1616,6 +1606,25 @@ msgstr "No existeix el fitxer." msgid "Cannot read file." msgstr "No es pot llegir el fitxer." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Mida invàlida." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "No pots enviar un missatge a aquest usuari." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "L'usuari ja està silenciat." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1763,12 +1772,18 @@ msgstr "Fes-lo administrador" msgid "Make this user an admin" msgstr "Fes l'usuari administrador" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "%s línia temporal" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Actualitzacions dels membres de %1$s el %2$s!" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "Grups" @@ -2387,8 +2402,8 @@ msgstr "tipus de contingut " msgid "Only " msgstr "Només " -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "Format de data no suportat." @@ -2534,7 +2549,8 @@ msgstr "No es pot guardar la nova contrasenya." msgid "Password saved." msgstr "Contrasenya guardada." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "Camins" @@ -2654,7 +2670,7 @@ msgstr "Directori de fons" msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "Mai" @@ -2711,11 +2727,11 @@ msgstr "Etiqueta no vàlida per a la gent: %s" msgid "Users self-tagged with %1$s - page %2$d" msgstr "Usuaris que s'han etiquetat %s - pàgina %d" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "El contingut de l'avís és invàlid" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2797,7 +2813,7 @@ msgstr "" "Etiquetes per a tu mateix (lletres, números, -, ., i _), per comes o separat " "por espais" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "Idioma" @@ -2825,7 +2841,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "La biografia és massa llarga (màx. %d caràcters)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "Franja horària no seleccionada." @@ -3138,7 +3154,7 @@ msgid "Same as password above. Required." msgstr "Igual a la contrasenya de dalt. Requerit." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Correu electrònic" @@ -3244,7 +3260,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL del teu perfil en un altre servei de microblogging compatible" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "Subscriure's" @@ -3349,6 +3365,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Respostes a %1$s el %2$s!" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "No podeu silenciar els usuaris d'aquest lloc." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "Usuari sense perfil coincident" + #: actions/rsd.php:146 actions/version.php:157 #, fuzzy msgid "StatusNet" @@ -3364,7 +3390,9 @@ msgstr "No pots enviar un missatge a aquest usuari." msgid "User is already sandboxed." msgstr "Un usuari t'ha bloquejat." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "Sessions" @@ -3389,7 +3417,7 @@ msgstr "Depuració de la sessió" msgid "Turn on debugging output for sessions." msgstr "Activa la sortida de depuració per a les sessions." -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Desa els paràmetres del lloc" @@ -3423,8 +3451,8 @@ msgstr "Paginació" msgid "Description" msgstr "Descripció" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "Estadístiques" @@ -3558,45 +3586,45 @@ msgstr "Àlies" msgid "Group actions" msgstr "Accions del grup" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Feed d'avisos del grup %s" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Feed d'avisos del grup %s" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "Feed d'avisos del grup %s" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "Safata de sortida per %s" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "Membres" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Cap)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "Tots els membres" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "S'ha creat" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3606,7 +3634,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3617,7 +3645,7 @@ msgstr "" "**%s** és un grup d'usuaris a %%%%site.name%%%%, un servei de [microblogging]" "(http://ca.wikipedia.org/wiki/Microblogging)" -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "Administradors" @@ -3732,149 +3760,140 @@ msgid "User is already silenced." msgstr "L'usuari ja està silenciat." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +#, fuzzy +msgid "Basic settings for this StatusNet site" msgstr "Paràmetres bàsic d'aquest lloc basat en l'StatusNet." -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "El nom del lloc ha de tenir una longitud superior a zero." -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 #, fuzzy msgid "You must have a valid contact email address." msgstr "Heu de tenir una adreça electrònica de contacte vàlida" -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, fuzzy, php-format msgid "Unknown language \"%s\"." msgstr "Llengua desconeguda «%s»" #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "General" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "Nom del lloc" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "El nom del vostre lloc, com ara «El microblog de l'empresa»" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "El text que s'utilitza a l'enllaç dels crèdits al peu de cada pàgina" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 msgid "Contact email address for your site" msgstr "Adreça electrònica de contacte del vostre lloc" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 msgid "Local" msgstr "Local" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "Fus horari per defecte" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "Fus horari per defecte del lloc; normalment UTC." -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +#, fuzzy +msgid "Default language" msgstr "Llengua per defecte del lloc" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "Instantànies" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" -msgstr "" - -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" -msgstr "En una tasca planificada" - -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" -msgstr "Instantànies de dades" - -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" -msgstr "" - -#: actions/siteadminpanel.php:301 -msgid "Frequency" -msgstr "Freqüència" - -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" -msgstr "" - -#: actions/siteadminpanel.php:307 -msgid "Report URL" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "Les instantànies s'enviaran a aquest URL" - -#: actions/siteadminpanel.php:315 +#: actions/siteadminpanel.php:271 msgid "Limits" msgstr "Límits" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Text limit" msgstr "Límits del text" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "Dupe limit" msgstr "Límit de duplicats" -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Quant de temps cal que esperin els usuaris (en segons) per enviar el mateix " "de nou." +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Avís del lloc" + +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "Nou missatge" + +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "No s'ha pogut guardar la teva configuració de Twitter!" + +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" +msgstr "" + +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Avís del lloc" + +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" +msgstr "" + +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Avís del lloc" + #: actions/smssettings.php:58 msgid "SMS settings" msgstr "Paràmetres de l'SMS" @@ -3978,6 +3997,66 @@ msgstr "" msgid "No code entered" msgstr "No hi ha cap codi entrat" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "Instantànies" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "Canvia la configuració del lloc" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "En una tasca planificada" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "Instantànies de dades" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "Freqüència" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "Les instantànies s'enviaran a aquest URL" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Desa els paràmetres del lloc" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "No estàs subscrit a aquest perfil." @@ -4185,7 +4264,7 @@ msgstr "No id en el perfil sol·licitat." msgid "Unsubscribed" msgstr "No subscrit" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4389,16 +4468,22 @@ msgstr "%s membre/s en el grup, pàgina %d" msgid "Search for more groups" msgstr "Cerca més grups" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "%s no és membre de cap grup." -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "Actualitzacions de %1$s a %2$s!" + #: actions/version.php:73 #, fuzzy, php-format msgid "StatusNet %s" @@ -4442,7 +4527,7 @@ msgstr "" msgid "Plugins" msgstr "Connectors" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 #, fuzzy msgid "Version" msgstr "Sessions" @@ -4511,23 +4596,23 @@ msgstr "No s'ha pogut inserir el missatge amb la nova URI." msgid "DB error inserting hashtag: %s" msgstr "Hashtag de l'error de la base de dades:%s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Problema en guardar l'avís." -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "Problema al guardar la notificació. Usuari desconegut." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Masses notificacions massa ràpid; pren un respir i publica de nou en uns " "minuts." -#: classes/Notice.php:254 +#: classes/Notice.php:256 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4536,20 +4621,20 @@ msgstr "" "Masses notificacions massa ràpid; pren un respir i publica de nou en uns " "minuts." -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "Ha estat bandejat de publicar notificacions en aquest lloc." -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "Problema en guardar l'avís." -#: classes/Notice.php:911 +#: classes/Notice.php:927 #, fuzzy msgid "Problem saving group inbox." msgstr "Problema en guardar l'avís." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4576,7 +4661,12 @@ msgstr "No estàs subscrit!" msgid "Couldn't delete self-subscription." msgstr "No s'ha pogut eliminar la subscripció." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "No s'ha pogut eliminar la subscripció." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "No s'ha pogut eliminar la subscripció." @@ -4585,20 +4675,20 @@ msgstr "No s'ha pogut eliminar la subscripció." msgid "Welcome to %1$s, @%2$s!" msgstr "Us donem la benvinguda a %1$s, @%2$s!" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "No s'ha pogut crear el grup." -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "No s'ha pogut establir la pertinença d'aquest grup." -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "No s'ha pogut establir la pertinença d'aquest grup." -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "No s'ha pogut guardar la subscripció." @@ -4641,194 +4731,188 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Pàgina sense titol" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "Navegació primària del lloc" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 #, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Perfil personal i línia temporal dels amics" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Personal" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Canviar correu electrònic, avatar, contrasenya, perfil" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "Compte" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "No s'ha pogut redirigir al servidor: %s" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "Connexió" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Canvia la configuració del lloc" -#: lib/action.php:460 +#: lib/action.php:449 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "Admin" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Convidar amics i companys perquè participin a %s" -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Convida" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 #, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Finalitza la sessió del lloc" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Finalitza la sessió" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "Crea un compte" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "Registre" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Inicia una sessió al lloc" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "Inici de sessió" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Ajuda'm" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "Ajuda" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 #, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Cerca gent o text" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "Cerca" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "Avís del lloc" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "Vistes locals" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "Notificació pàgina" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "Navegació del lloc secundària" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Ajuda" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "Quant a" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "Preguntes més freqüents" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "Privadesa" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "Font" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Contacte" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "Insígnia" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "Llicència del programari StatusNet" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4837,12 +4921,12 @@ msgstr "" "**%%site.name%%** és un servei de microblogging de [%%site.broughtby%%**](%%" "site.broughtbyurl%%)." -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** és un servei de microblogging." -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4853,53 +4937,53 @@ msgstr "" "%s, disponible sota la [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "Llicència de contingut del lloc" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "Tot " -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "llicència." -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "Paginació" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "Posteriors" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "Anteriors" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4915,97 +4999,86 @@ msgid "Changes to that panel are not allowed." msgstr "Registre no permès." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 #, fuzzy msgid "showForm() not implemented." msgstr "Comanda encara no implementada." #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 #, fuzzy msgid "saveSettings() not implemented." msgstr "Comanda encara no implementada." #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 #, fuzzy msgid "Unable to delete design setting." msgstr "No s'ha pogut guardar la teva configuració de Twitter!" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 msgid "Basic site configuration" msgstr "Configuració bàsica del lloc" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "Lloc" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "Configuració del disseny" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "Disseny" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 #, fuzzy msgid "User configuration" msgstr "Configuració dels camins" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "Usuari" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 #, fuzzy msgid "Access configuration" msgstr "Configuració del disseny" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "Accés" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 msgid "Paths configuration" msgstr "Configuració dels camins" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -#, fuzzy -msgctxt "MENU" -msgid "Paths" -msgstr "Camins" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 #, fuzzy msgid "Sessions configuration" msgstr "Configuració del disseny" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "Sessions" +msgid "Edit site notice" +msgstr "Avís del lloc" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "Configuració dels camins" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5500,6 +5573,11 @@ msgstr "Elegeix una etiqueta para reduir la llista" msgid "Go" msgstr "Vés-hi" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "URL del teu web, blog del grup u tema" @@ -6047,10 +6125,6 @@ msgstr "Respostes" msgid "Favorites" msgstr "Preferits" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "Usuari" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Safata d'entrada" @@ -6077,7 +6151,7 @@ msgstr "Etiquetes en les notificacions de %s's" msgid "Unknown" msgstr "Acció desconeguda" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "Subscripcions" @@ -6085,23 +6159,23 @@ msgstr "Subscripcions" msgid "All subscriptions" msgstr "Totes les subscripcions" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "Subscriptors" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "Tots els subscriptors" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "ID de l'usuari" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "Membre des de" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "Tots els grups" @@ -6143,7 +6217,12 @@ msgstr "Repeteix l'avís" msgid "Repeat this notice" msgstr "Repeteix l'avís" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "Bloca l'usuari del grup" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -6300,47 +6379,64 @@ msgstr "Missatge" msgid "Moderate" msgstr "Modera" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "Perfil de l'usuari" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "Administradors" + +#: lib/userprofile.php:355 +#, fuzzy +msgctxt "role" +msgid "Moderator" +msgstr "Modera" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "fa pocs segons" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "fa un minut" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "fa %d minuts" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "fa una hora" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "fa %d hores" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "fa un dia" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "fa %d dies" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "fa un mes" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "fa %d mesos" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "fa un any" diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index 9137d3708..f4d284ee9 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -9,19 +9,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:02:27+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:56:05+0000\n" "Language-Team: Czech\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n< =4) ? 1 : 2 ;\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 #, fuzzy msgid "Access" msgstr "PÅ™ijmout" @@ -124,7 +125,7 @@ msgstr "%s a přátelé" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -179,7 +180,7 @@ msgid "" msgstr "" #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 #, fuzzy msgid "You and friends" msgstr "%s a přátelé" @@ -207,11 +208,11 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Potvrzující kód nebyl nalezen" @@ -580,7 +581,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 #, fuzzy msgid "Account" msgstr "O nás" @@ -673,18 +674,6 @@ msgstr "%1 statusů na %2" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "Mikroblog od %s" -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "" - #: actions/apitimelinementions.php:117 #, fuzzy, php-format msgid "%1$s / Updates mentioning %2$s" @@ -695,12 +684,12 @@ msgstr "%1 statusů na %2" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "" @@ -954,7 +943,7 @@ msgid "Conversation" msgstr "UmístÄ›ní" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "SdÄ›lení" @@ -976,7 +965,7 @@ msgstr "Neodeslal jste nám profil" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "" @@ -1175,8 +1164,9 @@ msgstr "" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1301,7 +1291,7 @@ msgstr "Text je příliÅ¡ dlouhý (maximální délka je 140 zanků)" msgid "Could not update group." msgstr "Nelze aktualizovat uživatele" -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 #, fuzzy msgid "Could not create aliases." msgstr "Nelze uložin informace o obrázku" @@ -1424,7 +1414,7 @@ msgid "Cannot normalize that email address" msgstr "" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "Není platnou mailovou adresou." @@ -1619,6 +1609,25 @@ msgstr "Žádné takové oznámení." msgid "Cannot read file." msgstr "Žádné takové oznámení." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Neplatná velikost" + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "Neodeslal jste nám profil" + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "Uživatel nemá profil." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1770,12 +1779,18 @@ msgstr "" msgid "Make this user an admin" msgstr "" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "" + #: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Mikroblog od %s" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "Skupiny" @@ -2357,8 +2372,8 @@ msgstr "PÅ™ipojit" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "" @@ -2506,7 +2521,8 @@ msgstr "Nelze uložit nové heslo" msgid "Password saved." msgstr "Heslo uloženo" -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "" @@ -2632,7 +2648,7 @@ msgstr "" msgid "SSL" msgstr "" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 #, fuzzy msgid "Never" msgstr "Obnovit" @@ -2691,11 +2707,11 @@ msgstr "Není platnou mailovou adresou." msgid "Users self-tagged with %1$s - page %2$d" msgstr "Mikroblog od %s" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "Neplatný obsah sdÄ›lení" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2774,7 +2790,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "Jazyk" @@ -2800,7 +2816,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Text je příliÅ¡ dlouhý (maximální délka je 140 zanků)" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "" @@ -3107,7 +3123,7 @@ msgid "Same as password above. Required." msgstr "" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Email" @@ -3198,7 +3214,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "Adresa profilu na jiných kompatibilních mikroblozích." #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "Odebírat" @@ -3301,6 +3317,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "OdpovÄ›di na %s" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "Neodeslal jste nám profil" + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "Uživatel nemá profil." + #: actions/rsd.php:146 actions/version.php:157 #, fuzzy msgid "StatusNet" @@ -3316,7 +3342,9 @@ msgstr "Neodeslal jste nám profil" msgid "User is already sandboxed." msgstr "Uživatel nemá profil." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "" @@ -3340,7 +3368,7 @@ msgstr "" msgid "Turn on debugging output for sessions." msgstr "" -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" @@ -3376,8 +3404,8 @@ msgstr "UmístÄ›ní" msgid "Description" msgstr "OdbÄ›ry" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "Statistiky" @@ -3510,47 +3538,47 @@ msgstr "" msgid "Group actions" msgstr "" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Feed sdÄ›lení pro %s" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Feed sdÄ›lení pro %s" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "Feed sdÄ›lení pro %s" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "Feed sdÄ›lení pro %s" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 #, fuzzy msgid "Members" msgstr "ÄŒlenem od" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 #, fuzzy msgid "Created" msgstr "VytvoÅ™it" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3560,7 +3588,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3569,7 +3597,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "" @@ -3681,149 +3709,137 @@ msgid "User is already silenced." msgstr "Uživatel nemá profil." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +msgid "Basic settings for this StatusNet site" msgstr "" -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 #, fuzzy msgid "You must have a valid contact email address." msgstr "Není platnou mailovou adresou." -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "" #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 #, fuzzy msgid "Site name" msgstr "Nové sdÄ›lení" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 #, fuzzy msgid "Contact email address for your site" msgstr "Žádný registrovaný email pro tohoto uživatele." -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 #, fuzzy msgid "Local" msgstr "UmístÄ›ní" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:281 -msgid "Default site language" -msgstr "" - -#: actions/siteadminpanel.php:289 -msgid "Snapshots" +#: actions/siteadminpanel.php:262 +msgid "Default language" msgstr "" -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" +#: actions/siteadminpanel.php:271 +msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" +#: actions/siteadminpanel.php:274 +msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" +#: actions/siteadminpanel.php:274 +msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:301 -msgid "Frequency" +#: actions/siteadminpanel.php:278 +msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" +#: actions/siteadminpanel.php:278 +msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Nové sdÄ›lení" -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" +#: actions/sitenoticeadminpanel.php:67 +msgid "Edit site-wide message" msgstr "" -#: actions/siteadminpanel.php:315 -msgid "Limits" -msgstr "" +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: actions/siteadminpanel.php:318 -msgid "Text limit" +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" msgstr "" -#: actions/siteadminpanel.php:318 -msgid "Maximum number of characters for notices." -msgstr "" +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Nové sdÄ›lení" -#: actions/siteadminpanel.php:322 -msgid "Dupe limit" +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" msgstr "" -#: actions/siteadminpanel.php:322 -msgid "How long users must wait (in seconds) to post the same thing again." -msgstr "" +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Nové sdÄ›lení" #: actions/smssettings.php:58 #, fuzzy @@ -3921,6 +3937,66 @@ msgstr "" msgid "No code entered" msgstr "" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "OdbÄ›ry" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Nastavení" + #: actions/subedit.php:70 #, fuzzy msgid "You are not subscribed to that profile." @@ -4129,7 +4205,7 @@ msgstr "Nebylo vráceno žádné URL profilu od servu." msgid "Unsubscribed" msgstr "Odhlásit" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4336,16 +4412,22 @@ msgstr "VÅ¡echny odbÄ›ry" msgid "Search for more groups" msgstr "" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, fuzzy, php-format msgid "%s is not a member of any group." msgstr "Neodeslal jste nám profil" -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "" + #: actions/version.php:73 #, fuzzy, php-format msgid "StatusNet %s" @@ -4389,7 +4471,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 #, fuzzy msgid "Version" msgstr "Osobní" @@ -4457,41 +4539,41 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:239 +#: classes/Notice.php:241 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:243 +#: classes/Notice.php:245 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:911 +#: classes/Notice.php:927 #, fuzzy msgid "Problem saving group inbox." msgstr "Problém pÅ™i ukládání sdÄ›lení" -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4519,7 +4601,12 @@ msgstr "NepÅ™ihlášen!" msgid "Couldn't delete self-subscription." msgstr "Nelze smazat odebírání" -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Nelze smazat odebírání" + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Nelze smazat odebírání" @@ -4528,22 +4615,22 @@ msgstr "Nelze smazat odebírání" msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:462 +#: classes/User_group.php:477 #, fuzzy msgid "Could not create group." msgstr "Nelze uložin informace o obrázku" -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "Nelze vytvoÅ™it odebírat" -#: classes/User_group.php:492 +#: classes/User_group.php:507 #, fuzzy msgid "Could not set group membership." msgstr "Nelze vytvoÅ™it odebírat" -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "Nelze vytvoÅ™it odebírat" @@ -4587,192 +4674,186 @@ msgstr "%1 statusů na %2" msgid "Untitled page" msgstr "" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Osobní" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "ZmÄ›nit heslo" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "O nás" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Nelze pÅ™esmÄ›rovat na server: %s" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "PÅ™ipojit" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "OdbÄ›ry" -#: lib/action.php:460 +#: lib/action.php:449 msgctxt "MENU" msgid "Admin" msgstr "" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Neplatná velikost" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Odhlásit" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "VytvoÅ™it nový úÄet" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "Registrovat" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "PÅ™ihlásit" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Pomoci mi!" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "NápovÄ›da" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "Hledat" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 #, fuzzy msgid "Site notice" msgstr "Nové sdÄ›lení" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "" -#: lib/action.php:656 +#: lib/action.php:645 #, fuzzy msgid "Page notice" msgstr "Nové sdÄ›lení" -#: lib/action.php:758 +#: lib/action.php:747 #, fuzzy msgid "Secondary site navigation" msgstr "OdbÄ›ry" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "NápovÄ›da" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "O nás" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "Soukromí" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "Zdroj" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4781,12 +4862,12 @@ msgstr "" "**%%site.name%%** je služba microblogů, kterou pro vás poskytuje [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** je služba mikroblogů." -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4797,56 +4878,56 @@ msgstr "" "dostupná pod [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:832 +#: lib/action.php:821 #, fuzzy msgid "Site content license" msgstr "Nové sdÄ›lení" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "" -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "" -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "" -#: lib/action.php:1172 +#: lib/action.php:1161 #, fuzzy msgid "After" msgstr "« NovÄ›jší" -#: lib/action.php:1180 +#: lib/action.php:1169 #, fuzzy msgid "Before" msgstr "Starší »" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4861,95 +4942,86 @@ msgid "Changes to that panel are not allowed." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Basic site configuration" msgstr "Potvrzení emailové adresy" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "Nové sdÄ›lení" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 #, fuzzy msgid "Design configuration" msgstr "Potvrzení emailové adresy" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "Vzhled" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 #, fuzzy msgid "User configuration" msgstr "Potvrzení emailové adresy" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 #, fuzzy msgid "Access configuration" msgstr "Potvrzení emailové adresy" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "PÅ™ijmout" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 #, fuzzy msgid "Paths configuration" msgstr "Potvrzení emailové adresy" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -msgctxt "MENU" -msgid "Paths" -msgstr "" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 #, fuzzy msgid "Sessions configuration" msgstr "Potvrzení emailové adresy" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "Osobní" +msgid "Edit site notice" +msgstr "Nové sdÄ›lení" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "Potvrzení emailové adresy" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5456,6 +5528,11 @@ msgstr "" msgid "Go" msgstr "" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 #, fuzzy msgid "URL of the homepage or blog of the group or topic" @@ -6005,10 +6082,6 @@ msgstr "OdpovÄ›di" msgid "Favorites" msgstr "Oblíbené" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" @@ -6034,7 +6107,7 @@ msgstr "" msgid "Unknown" msgstr "" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "OdbÄ›ry" @@ -6042,23 +6115,23 @@ msgstr "OdbÄ›ry" msgid "All subscriptions" msgstr "VÅ¡echny odbÄ›ry" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "OdbÄ›ratelé" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "VÅ¡ichni odbÄ›ratelé" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "ÄŒlenem od" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "" @@ -6102,7 +6175,12 @@ msgstr "Odstranit toto oznámení" msgid "Repeat this notice" msgstr "Odstranit toto oznámení" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "Žádný takový uživatel." + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -6264,47 +6342,62 @@ msgstr "Zpráva" msgid "Moderate" msgstr "" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "Uživatel nemá profil." + +#: lib/userprofile.php:354 +msgctxt "role" +msgid "Administrator" +msgstr "" + +#: lib/userprofile.php:355 +msgctxt "role" +msgid "Moderator" +msgstr "" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "pÅ™ed pár sekundami" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "asi pÅ™ed minutou" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "asi pÅ™ed %d minutami" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "asi pÅ™ed hodinou" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "asi pÅ™ed %d hodinami" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "asi pÅ™ede dnem" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "pÅ™ed %d dny" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "asi pÅ™ed mÄ›sícem" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "asi pÅ™ed %d mesíci" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "asi pÅ™ed rokem" diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index a00ec2611..f71b407d5 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -14,19 +14,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:02:31+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:56:08+0000\n" "Language-Team: German\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "Zugang" @@ -124,7 +125,7 @@ msgstr "%1$s und Freunde, Seite% 2$d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -189,7 +190,7 @@ msgstr "" "erregen?" #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "Du und Freunde" @@ -216,11 +217,11 @@ msgstr "Aktualisierungen von %1$s und Freunden auf %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." msgstr "API-Methode nicht gefunden." @@ -581,7 +582,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "Konto" @@ -672,18 +673,6 @@ msgstr "%s / Favoriten von %s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s Aktualisierung in den Favoriten von %s / %s." -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "%s Zeitleiste" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "Aktualisierungen von %1$s auf %2$s!" - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -694,12 +683,12 @@ msgstr "%1$s / Aktualisierungen erwähnen %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "Nachrichten von %1$, die auf Nachrichten von %2$ / %3$ antworten." -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s öffentliche Zeitleiste" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s Nachrichten von allen!" @@ -945,7 +934,7 @@ msgid "Conversation" msgstr "Unterhaltung" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Nachrichten" @@ -967,7 +956,7 @@ msgstr "Du bist kein Mitglied dieser Gruppe." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "Es gab ein Problem mit deinem Sessiontoken." @@ -1161,8 +1150,9 @@ msgstr "Standard wiederherstellen" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1281,7 +1271,7 @@ msgstr "Die Beschreibung ist zu lang (max. %d Zeichen)." msgid "Could not update group." msgstr "Konnte Gruppe nicht aktualisieren." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "Konnte keinen Favoriten erstellen." @@ -1407,7 +1397,7 @@ msgid "Cannot normalize that email address" msgstr "Konnte diese E-Mail-Adresse nicht normalisieren" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "Ungültige E-Mail-Adresse." @@ -1594,6 +1584,25 @@ msgstr "Datei nicht gefunden." msgid "Cannot read file." msgstr "Datei konnte nicht gelesen werden." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Ungültige Größe." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "Du kannst diesem Benutzer keine Nachricht schicken." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "Nutzer ist bereits ruhig gestellt." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1738,12 +1747,18 @@ msgstr "Zum Admin ernennen" msgid "Make this user an admin" msgstr "Diesen Benutzer zu einem Admin ernennen" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "%s Zeitleiste" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Aktualisierungen von %1$s auf %2$s!" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "Gruppen" @@ -2369,8 +2384,8 @@ msgstr "Content-Typ " msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "Kein unterstütztes Datenformat." @@ -2514,7 +2529,8 @@ msgstr "Konnte neues Passwort nicht speichern" msgid "Password saved." msgstr "Passwort gespeichert." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "" @@ -2634,7 +2650,7 @@ msgstr "Hintergrund Verzeichnis" msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "Nie" @@ -2690,11 +2706,11 @@ msgstr "Ungültiger Personen-Tag: %s" msgid "Users self-tagged with %1$s - page %2$d" msgstr "Benutzer die sich selbst mit %1$s getagged haben - Seite %2$d" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "Ungültiger Nachrichteninhalt" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2777,7 +2793,7 @@ msgstr "" "Tags über dich selbst (Buchstaben, Zahlen, -, ., und _) durch Kommas oder " "Leerzeichen getrennt" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "Sprache" @@ -2805,7 +2821,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Die Biografie ist zu lang (max. %d Zeichen)" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "Keine Zeitzone ausgewählt." @@ -3115,7 +3131,7 @@ msgid "Same as password above. Required." msgstr "Gleiches Passwort wie zuvor. Pflichteingabe." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "E-Mail" @@ -3224,7 +3240,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "Profil-URL bei einem anderen kompatiblen Microbloggingdienst" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "Abonnieren" @@ -3329,6 +3345,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Antworten an %1$s auf %2$s!" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "Du kannst Nutzer dieser Seite nicht ruhig stellen." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "Benutzer ohne passendes Profil" + #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" msgstr "StatusNet" @@ -3343,7 +3369,9 @@ msgstr "Du kannst diesem Benutzer keine Nachricht schicken." msgid "User is already sandboxed." msgstr "Dieser Benutzer hat dich blockiert." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "" @@ -3368,7 +3396,7 @@ msgstr "" msgid "Turn on debugging output for sessions." msgstr "" -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Site-Einstellungen speichern" @@ -3402,8 +3430,8 @@ msgstr "Seitenerstellung" msgid "Description" msgstr "Beschreibung" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "Statistiken" @@ -3537,45 +3565,45 @@ msgstr "" msgid "Group actions" msgstr "Gruppenaktionen" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Nachrichtenfeed der Gruppe %s (RSS 1.0)" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Nachrichtenfeed der Gruppe %s (RSS 2.0)" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Nachrichtenfeed der Gruppe %s (Atom)" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "Postausgang von %s" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "Mitglieder" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Kein)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "Alle Mitglieder" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "Erstellt" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3585,7 +3613,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3598,7 +3626,7 @@ msgstr "" "Freien Software [StatusNet](http://status.net/). Seine Mitglieder erstellen " "kurze Nachrichten über Ihr Leben und Interessen. " -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "Administratoren" @@ -3716,147 +3744,137 @@ msgid "User is already silenced." msgstr "Nutzer ist bereits ruhig gestellt." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +#, fuzzy +msgid "Basic settings for this StatusNet site" msgstr "Grundeinstellungen für diese StatusNet Seite." -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "Der Seiten Name darf nicht leer sein." -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 msgid "You must have a valid contact email address." msgstr "Du musst eine gültige E-Mail-Adresse haben." -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "Unbekannte Sprache „%s“" #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "Minimale Textlänge ist 140 Zeichen." -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "Seitenname" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "Der Name deiner Seite, sowas wie \"DeinUnternehmen Mircoblog\"" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 msgid "Contact email address for your site" msgstr "Kontakt-E-Mail-Adresse für Deine Site." -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 #, fuzzy msgid "Local" msgstr "Lokale Ansichten" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:281 +#: actions/siteadminpanel.php:262 #, fuzzy -msgid "Default site language" +msgid "Default language" msgstr "Bevorzugte Sprache" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" +#: actions/siteadminpanel.php:271 +msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" +#: actions/siteadminpanel.php:274 +msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" +#: actions/siteadminpanel.php:274 +msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" +#: actions/siteadminpanel.php:278 +msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:301 -msgid "Frequency" -msgstr "Frequenz" - -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" +#: actions/siteadminpanel.php:278 +msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Seitennachricht" -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "Neue Nachricht" -#: actions/siteadminpanel.php:315 -msgid "Limits" -msgstr "" +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Konnte Twitter-Einstellungen nicht speichern." -#: actions/siteadminpanel.php:318 -msgid "Text limit" +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" msgstr "" -#: actions/siteadminpanel.php:318 -msgid "Maximum number of characters for notices." -msgstr "" +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Seitennachricht" -#: actions/siteadminpanel.php:322 -msgid "Dupe limit" +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" msgstr "" -#: actions/siteadminpanel.php:322 -msgid "How long users must wait (in seconds) to post the same thing again." -msgstr "" +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Seitennachricht" #: actions/smssettings.php:58 #, fuzzy @@ -3961,6 +3979,66 @@ msgstr "" msgid "No code entered" msgstr "Kein Code eingegeben" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "Hauptnavigation" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "Frequenz" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Site-Einstellungen speichern" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "Du hast dieses Profil nicht abonniert." @@ -4168,7 +4246,7 @@ msgstr "Keine Profil-ID in der Anfrage." msgid "Unsubscribed" msgstr "Abbestellt" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, fuzzy, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4373,16 +4451,22 @@ msgstr "%s Gruppen-Mitglieder, Seite %d" msgid "Search for more groups" msgstr "Suche nach weiteren Gruppen" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "%s ist in keiner Gruppe Mitglied." -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "Aktualisierungen von %1$s auf %2$s!" + #: actions/version.php:73 #, fuzzy, php-format msgid "StatusNet %s" @@ -4426,7 +4510,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 #, fuzzy msgid "Version" msgstr "Eigene" @@ -4496,22 +4580,22 @@ msgstr "Konnte Nachricht nicht mit neuer URI versehen." msgid "DB error inserting hashtag: %s" msgstr "Datenbankfehler beim Einfügen des Hashtags: %s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 msgid "Problem saving notice. Too long." msgstr "Problem bei Speichern der Nachricht. Sie ist zu lang." -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "Problem bei Speichern der Nachricht. Unbekannter Benutzer." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Zu schnell zu viele Nachrichten; atme kurz durch und schicke sie erneut in " "ein paar Minuten ab." -#: classes/Notice.php:254 +#: classes/Notice.php:256 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4520,21 +4604,21 @@ msgstr "" "Zu schnell zu viele Nachrichten; atme kurz durch und schicke sie erneut in " "ein paar Minuten ab." -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "" "Du wurdest für das Schreiben von Nachrichten auf dieser Seite gesperrt." -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "Problem bei Speichern der Nachricht." -#: classes/Notice.php:911 +#: classes/Notice.php:927 #, fuzzy msgid "Problem saving group inbox." msgstr "Problem bei Speichern der Nachricht." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4561,7 +4645,12 @@ msgstr "Nicht abonniert!" msgid "Couldn't delete self-subscription." msgstr "Konnte Abonnement nicht löschen." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Konnte Abonnement nicht löschen." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Konnte Abonnement nicht löschen." @@ -4570,20 +4659,20 @@ msgstr "Konnte Abonnement nicht löschen." msgid "Welcome to %1$s, @%2$s!" msgstr "Herzlich willkommen bei %1$s, @%2$s!" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "Konnte Gruppe nicht erstellen." -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "Konnte Gruppenmitgliedschaft nicht setzen." -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "Konnte Gruppenmitgliedschaft nicht setzen." -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "Konnte Abonnement nicht erstellen." @@ -4626,195 +4715,189 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Seite ohne Titel" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "Hauptnavigation" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 #, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Persönliches Profil und Freundes-Zeitleiste" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Eigene" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Ändere deine E-Mail, dein Avatar, Passwort, Profil" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "Konto" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Konnte nicht zum Server umleiten: %s" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "Verbinden" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Hauptnavigation" -#: lib/action.php:460 +#: lib/action.php:449 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "Admin" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Lade Freunde und Kollegen ein dir auf %s zu folgen" -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Einladen" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 #, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Von der Seite abmelden" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Abmelden" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "Neues Konto erstellen" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "Registrieren" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Auf der Seite anmelden" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "Anmelden" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Hilf mir!" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "Hilfe" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 #, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Suche nach Leuten oder Text" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "Suchen" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "Seitennachricht" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "Lokale Ansichten" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "Neue Nachricht" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "Unternavigation" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Hilfe" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "Ãœber" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "AGB" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "Privatsphäre" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "Quellcode" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:782 +#: lib/action.php:771 #, fuzzy msgid "Badge" msgstr "Stups" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "StatusNet-Software-Lizenz" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4823,12 +4906,12 @@ msgstr "" "**%%site.name%%** ist ein Microbloggingdienst von [%%site.broughtby%%](%%" "site.broughtbyurl%%)." -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** ist ein Microbloggingdienst." -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4839,54 +4922,54 @@ msgstr "" "(Version %s) betrieben, die unter der [GNU Affero General Public License]" "(http://www.fsf.org/licensing/licenses/agpl-3.0.html) erhältlich ist." -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "StatusNet-Software-Lizenz" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 #, fuzzy msgid "All " msgstr "Alle " -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "Lizenz." -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "Seitenerstellung" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "Später" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "Vorher" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4903,97 +4986,86 @@ msgid "Changes to that panel are not allowed." msgstr "Registrierung nicht gestattet" #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "showForm() noch nicht implementiert." #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "saveSettings() noch nicht implementiert." #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "Konnte die Design Einstellungen nicht löschen." #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Basic site configuration" msgstr "Bestätigung der E-Mail-Adresse" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "Seite" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 #, fuzzy msgid "Design configuration" msgstr "SMS-Konfiguration" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "Eigene" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 #, fuzzy msgid "User configuration" msgstr "SMS-Konfiguration" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "Benutzer" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 #, fuzzy msgid "Access configuration" msgstr "SMS-Konfiguration" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "Zugang" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 #, fuzzy msgid "Paths configuration" msgstr "SMS-Konfiguration" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -#, fuzzy -msgctxt "MENU" -msgid "Paths" -msgstr "Pfad" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 #, fuzzy msgid "Sessions configuration" msgstr "SMS-Konfiguration" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "Eigene" +msgid "Edit site notice" +msgstr "Seitennachricht" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "SMS-Konfiguration" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5491,6 +5563,11 @@ msgstr "Wähle einen Tag, um die Liste einzuschränken" msgid "Go" msgstr "Los geht's" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 #, fuzzy msgid "URL of the homepage or blog of the group or topic" @@ -6086,10 +6163,6 @@ msgstr "Antworten" msgid "Favorites" msgstr "Favoriten" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "Benutzer" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Posteingang" @@ -6116,7 +6189,7 @@ msgstr "Tags in %ss Nachrichten" msgid "Unknown" msgstr "Unbekannter Befehl" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "Abonnements" @@ -6124,23 +6197,23 @@ msgstr "Abonnements" msgid "All subscriptions" msgstr "Alle Abonnements" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "Abonnenten" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "Alle Abonnenten" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "Nutzer ID" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "Mitglied seit" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "Alle Gruppen" @@ -6181,7 +6254,12 @@ msgstr "Diese Nachricht wiederholen?" msgid "Repeat this notice" msgstr "Diese Nachricht wiederholen" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "Diesen Nutzer von der Gruppe sperren" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -6336,47 +6414,64 @@ msgstr "Nachricht" msgid "Moderate" msgstr "Moderieren" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "Benutzerprofil" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "Administratoren" + +#: lib/userprofile.php:355 +#, fuzzy +msgctxt "role" +msgid "Moderator" +msgstr "Moderieren" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "vor wenigen Sekunden" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "vor einer Minute" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "vor %d Minuten" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "vor einer Stunde" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "vor %d Stunden" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "vor einem Tag" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "vor %d Tagen" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "vor einem Monat" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "vor %d Monaten" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "vor einem Jahr" diff --git a/locale/el/LC_MESSAGES/statusnet.po b/locale/el/LC_MESSAGES/statusnet.po index ed9ab7803..6b5c3973f 100644 --- a/locale/el/LC_MESSAGES/statusnet.po +++ b/locale/el/LC_MESSAGES/statusnet.po @@ -9,19 +9,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:02:33+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:56:10+0000\n" "Language-Team: Greek\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: el\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "ΠÏόσβαση" @@ -120,7 +121,7 @@ msgstr "%s και οι φίλοι του/της" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -175,7 +176,7 @@ msgid "" msgstr "" #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "Εσείς και οι φίλοι σας" @@ -202,11 +203,11 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Η μέθοδος του ΑΡΙ δε βÏέθηκε!" @@ -570,7 +571,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "ΛογαÏιασμός" @@ -659,18 +660,6 @@ msgstr "" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "" -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "χÏονοδιάγÏαμμα του χÏήστη %s" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "" - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -681,12 +670,12 @@ msgstr "" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "" @@ -934,7 +923,7 @@ msgid "Conversation" msgstr "Συζήτηση" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "" @@ -956,7 +945,7 @@ msgstr "Ομάδες με τα πεÏισσότεÏα μέλη" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "" @@ -1152,8 +1141,9 @@ msgstr "" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1278,7 +1268,7 @@ msgstr "Το βιογÏαφικό είναι Ï€Î¿Î»Ï Î¼ÎµÎ³Î¬Î»Î¿ (μέγιστ msgid "Could not update group." msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 #, fuzzy msgid "Could not create aliases." msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." @@ -1404,7 +1394,7 @@ msgid "Cannot normalize that email address" msgstr "Αδυναμία κανονικοποίησης αυτής της email διεÏθυνσης" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "" @@ -1596,6 +1586,24 @@ msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." msgid "Cannot read file." msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Μήνυμα" + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "Ομάδες με τα πεÏισσότεÏα μέλη" + +#: actions/grantrole.php:82 +msgid "User already has this role." +msgstr "" + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1740,12 +1748,18 @@ msgstr "ΔιαχειÏιστής" msgid "Make this user an admin" msgstr "" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "χÏονοδιάγÏαμμα του χÏήστη %s" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "" @@ -2314,8 +2328,8 @@ msgstr "ΣÏνδεση" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "" @@ -2461,7 +2475,8 @@ msgstr "ΑδÏνατη η αποθήκευση του νέου κωδικοÏ" msgid "Password saved." msgstr "Ο κωδικός αποθηκεÏτηκε." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "" @@ -2586,7 +2601,7 @@ msgstr "" msgid "SSL" msgstr "" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 #, fuzzy msgid "Never" msgstr "ΑποχώÏηση" @@ -2641,11 +2656,11 @@ msgstr "" msgid "Users self-tagged with %1$s - page %2$d" msgstr "" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2722,7 +2737,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "" @@ -2751,7 +2766,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Το βιογÏαφικό είναι Ï€Î¿Î»Ï Î¼ÎµÎ³Î¬Î»Î¿ (μέγιστο 140 χαÏακτ.)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "" @@ -3054,7 +3069,7 @@ msgid "Same as password above. Required." msgstr "" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Email" @@ -3159,7 +3174,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "" @@ -3260,6 +3275,15 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "Απέτυχε η ενημέÏωση του χÏήστη." + +#: actions/revokerole.php:82 +msgid "User doesn't have this role." +msgstr "" + #: actions/rsd.php:146 actions/version.php:157 #, fuzzy msgid "StatusNet" @@ -3273,7 +3297,9 @@ msgstr "" msgid "User is already sandboxed." msgstr "" +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "" @@ -3297,7 +3323,7 @@ msgstr "" msgid "Turn on debugging output for sessions." msgstr "" -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" @@ -3331,8 +3357,8 @@ msgstr "ΠÏοσκλήσεις" msgid "Description" msgstr "ΠεÏιγÏαφή" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "" @@ -3466,45 +3492,45 @@ msgstr "" msgid "Group actions" msgstr "" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "ΑδÏνατη η αποθήκευση του Ï€Ïοφίλ." -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "Μέλη" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "ΔημιουÏγημένος" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3514,7 +3540,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3523,7 +3549,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "ΔιαχειÏιστές" @@ -3634,147 +3660,134 @@ msgid "User is already silenced." msgstr "" #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +msgid "Basic settings for this StatusNet site" msgstr "" -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 #, fuzzy msgid "You must have a valid contact email address." msgstr "Αδυναμία κανονικοποίησης αυτής της email διεÏθυνσης" -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "" #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 #, fuzzy msgid "Contact email address for your site" msgstr "Η διεÏθυνση του εισεÏχόμενου email αφαιÏέθηκε." -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 msgid "Local" msgstr "Τοπικός" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +msgid "Default language" msgstr "" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" +#: actions/siteadminpanel.php:271 +msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" +#: actions/siteadminpanel.php:274 +msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" +#: actions/siteadminpanel.php:274 +msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:301 -msgid "Frequency" +#: actions/siteadminpanel.php:278 +msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" +#: actions/siteadminpanel.php:278 +msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "ΔιαγÏαφή μηνÏματος" -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" +#: actions/sitenoticeadminpanel.php:67 +msgid "Edit site-wide message" msgstr "" -#: actions/siteadminpanel.php:315 -msgid "Limits" +#: actions/sitenoticeadminpanel.php:103 +msgid "Unable to save site notice." msgstr "" -#: actions/siteadminpanel.php:318 -msgid "Text limit" +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" msgstr "" -#: actions/siteadminpanel.php:318 -msgid "Maximum number of characters for notices." -msgstr "" +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "ΔιαγÏαφή μηνÏματος" -#: actions/siteadminpanel.php:322 -msgid "Dupe limit" +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" msgstr "" -#: actions/siteadminpanel.php:322 -msgid "How long users must wait (in seconds) to post the same thing again." -msgstr "" +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Ρυθμίσεις OpenID" #: actions/smssettings.php:58 #, fuzzy @@ -3874,6 +3887,66 @@ msgstr "" msgid "No code entered" msgstr "" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "Επιβεβαίωση διεÏθυνσης email" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Ρυθμίσεις OpenID" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "" @@ -4071,7 +4144,7 @@ msgstr "" msgid "Unsubscribed" msgstr "" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4266,16 +4339,22 @@ msgstr "ΑδÏνατη η αποθήκευση των νέων πληÏÎ¿Ï†Î¿Ï msgid "Search for more groups" msgstr "" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "" -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "" + #: actions/version.php:73 #, php-format msgid "StatusNet %s" @@ -4319,7 +4398,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 #, fuzzy msgid "Version" msgstr "ΠÏοσωπικά" @@ -4387,38 +4466,38 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "Σφάλμα στη βάση δεδομένων κατά την εισαγωγή hashtag: %s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "" -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:911 +#: classes/Notice.php:927 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4445,7 +4524,12 @@ msgstr "Απέτυχε η συνδÏομή." msgid "Couldn't delete self-subscription." msgstr "Απέτυχε η διαγÏαφή συνδÏομής." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Απέτυχε η διαγÏαφή συνδÏομής." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Απέτυχε η διαγÏαφή συνδÏομής." @@ -4454,21 +4538,21 @@ msgstr "Απέτυχε η διαγÏαφή συνδÏομής." msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "Δεν ήταν δυνατή η δημιουÏγία ομάδας." -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "ΑδÏνατη η αποθήκευση των νέων πληÏοφοÏιών του Ï€Ïοφίλ" -#: classes/User_group.php:492 +#: classes/User_group.php:507 #, fuzzy msgid "Could not set group membership." msgstr "ΑδÏνατη η αποθήκευση των νέων πληÏοφοÏιών του Ï€Ïοφίλ" -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "ΑδÏνατη η αποθήκευση των νέων πληÏοφοÏιών του Ï€Ïοφίλ" @@ -4510,189 +4594,183 @@ msgstr "" msgid "Untitled page" msgstr "" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "ΠÏοσωπικά" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Αλλάξτε τον κωδικό σας" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "ΛογαÏιασμός" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Αδυναμία ανακατεÏθηνσης στο διακομιστή: %s" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "ΣÏνδεση" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" -#: lib/action.php:460 +#: lib/action.php:449 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "ΔιαχειÏιστής" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "ΠÏοσκάλεσε φίλους και συναδέλφους σου να γίνουν μέλη στο %s" -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Μήνυμα" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "ΑποσÏνδεση" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "ΔημιουÏγία ενός λογαÏιασμοÏ" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "ΠεÏιγÏαφή" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "ΣÏνδεση" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Βοηθήστε με!" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "Βοήθεια" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "" -#: lib/action.php:502 +#: lib/action.php:491 msgctxt "MENU" msgid "Search" msgstr "" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Βοήθεια" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "ΠεÏί" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "Συχνές εÏωτήσεις" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Επικοινωνία" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "" -#: lib/action.php:813 +#: lib/action.php:802 #, fuzzy, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4701,13 +4779,13 @@ msgstr "" "To **%%site.name%%** είναι μία υπηÏεσία microblogging (μικÏο-ιστολογίου) που " "έφεÏε κοντά σας το [%%site.broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:815 +#: lib/action.php:804 #, fuzzy, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" "Το **%%site.name%%** είναι μία υπηÏεσία microblogging (μικÏο-ιστολογίου). " -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4715,53 +4793,53 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "" -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "" -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4776,94 +4854,85 @@ msgid "Changes to that panel are not allowed." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Basic site configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 msgctxt "MENU" msgid "Site" msgstr "" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 #, fuzzy msgid "Design configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "ΠÏοσωπικά" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 #, fuzzy msgid "User configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 #, fuzzy msgid "Access configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "ΠÏόσβαση" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 #, fuzzy msgid "Paths configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -msgctxt "MENU" -msgid "Paths" -msgstr "" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 #, fuzzy msgid "Sessions configuration" msgstr "Επιβεβαίωση διεÏθυνσης email" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "ΠÏοσωπικά" +msgid "Edit site notice" +msgstr "ΔιαγÏαφή μηνÏματος" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "Επιβεβαίωση διεÏθυνσης email" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5356,6 +5425,11 @@ msgstr "" msgid "Go" msgstr "" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "" @@ -5887,10 +5961,6 @@ msgstr "" msgid "Favorites" msgstr "" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" @@ -5916,7 +5986,7 @@ msgstr "" msgid "Unknown" msgstr "" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "" @@ -5924,23 +5994,23 @@ msgstr "" msgid "All subscriptions" msgstr "Όλες οι συνδÏομές" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "Μέλος από" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "" @@ -5982,7 +6052,12 @@ msgstr "Αδυναμία διαγÏαφής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… μηνÏματος msgid "Repeat this notice" msgstr "Αδυναμία διαγÏαφής Î±Ï…Ï„Î¿Ï Ï„Î¿Ï… μηνÏματος." -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -6140,47 +6215,63 @@ msgstr "Μήνυμα" msgid "Moderate" msgstr "" -#: lib/util.php:1013 -msgid "a few seconds ago" +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "ΠÏοφίλ χÏήστη" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "ΔιαχειÏιστές" + +#: lib/userprofile.php:355 +msgctxt "role" +msgid "Moderator" msgstr "" #: lib/util.php:1015 -msgid "about a minute ago" +msgid "a few seconds ago" msgstr "" #: lib/util.php:1017 +msgid "about a minute ago" +msgstr "" + +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "" diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index d0ba439ba..cac1893e8 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -9,19 +9,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:02:36+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:56:13+0000\n" "Language-Team: British English\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "Access" @@ -118,7 +119,7 @@ msgstr "%1$s and friends, page %2$d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -180,7 +181,7 @@ msgstr "" "post a notice to his or her attention." #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "You and friends" @@ -207,11 +208,11 @@ msgstr "Updates from %1$s and friends on %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." msgstr "API method not found." @@ -574,7 +575,7 @@ msgstr "" "the ability to %3$s your %4$s account data. You should only " "give access to your %4$s account to third parties you trust." -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "Account" @@ -661,18 +662,6 @@ msgstr "%1$s / Favourites from %2$s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s updates favourited by %2$s / %2$s." -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "%s timeline" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "Updates from %1$s on %2$s!" - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -683,12 +672,12 @@ msgstr "%1$s / Updates mentioning %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s updates that reply to updates from %2$s / %3$s." -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s public timeline" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s updates from everyone!" @@ -934,7 +923,7 @@ msgid "Conversation" msgstr "Conversation" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Notices" @@ -953,7 +942,7 @@ msgstr "You are not the owner of this application." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "There was a problem with your session token." @@ -1149,8 +1138,9 @@ msgstr "Reset back to default" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1266,7 +1256,7 @@ msgstr "description is too long (max %d chars)." msgid "Could not update group." msgstr "Could not update group." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "Could not create aliases" @@ -1388,7 +1378,7 @@ msgid "Cannot normalize that email address" msgstr "Cannot normalise that e-mail address" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "Not a valid e-mail address." @@ -1579,6 +1569,25 @@ msgstr "No such file." msgid "Cannot read file." msgstr "Cannot read file." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Invalid token." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "You cannot sandbox users on this site." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "User is already silenced." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1725,12 +1734,18 @@ msgstr "Make admin" msgid "Make this user an admin" msgstr "Make this user an admin" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "%s timeline" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Updates from members of %1$s on %2$s!" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "Groups" @@ -2339,8 +2354,8 @@ msgstr "content type " msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "Not a supported data format." @@ -2479,7 +2494,8 @@ msgstr "Can't save new password." msgid "Password saved." msgstr "Password saved." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "" @@ -2599,7 +2615,7 @@ msgstr "" msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "Never" @@ -2654,11 +2670,11 @@ msgstr "Not a valid people tag: %s" msgid "Users self-tagged with %1$s - page %2$d" msgstr "Users self-tagged with %1$s - page %2$d" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "Invalid notice content" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "Notice licence ‘1%$s’ is not compatible with site licence ‘%2$s’." @@ -2736,7 +2752,7 @@ msgid "" msgstr "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "Language" @@ -2763,7 +2779,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Bio is too long (max %d chars)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "Timezone not selected." @@ -3072,7 +3088,7 @@ msgid "Same as password above. Required." msgstr "Same as password above. Required." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "E-mail" @@ -3177,7 +3193,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL of your profile on another compatible microblogging service" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "Subscribe" @@ -3277,6 +3293,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Replies to %1$s on %2$s!" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "You cannot silence users on this site." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "User without matching profile." + #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" msgstr "StatusNet" @@ -3289,7 +3315,9 @@ msgstr "You cannot sandbox users on this site." msgid "User is already sandboxed." msgstr "User is already sandboxed." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "" @@ -3313,7 +3341,7 @@ msgstr "" msgid "Turn on debugging output for sessions." msgstr "" -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Save site settings" @@ -3344,8 +3372,8 @@ msgstr "Organization" msgid "Description" msgstr "Description" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "Statistics" @@ -3484,45 +3512,45 @@ msgstr "" msgid "Group actions" msgstr "Group actions" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Notice feed for %s group (RSS 1.0)" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Notice feed for %s group (RSS 2.0)" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Notice feed for %s group (Atom)" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "Outbox for %s" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "Members" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(None)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "All members" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "Created" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3537,7 +3565,7 @@ msgstr "" "their life and interests. [Join now](%%%%action.register%%%%) to become part " "of this group and many more! ([Read more](%%%%doc.help%%%%))" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3550,7 +3578,7 @@ msgstr "" "[StatusNet](http://status.net/) tool. Its members share short messages about " "their life and interests. " -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "Admins" @@ -3665,145 +3693,136 @@ msgid "User is already silenced." msgstr "User is already silenced." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." -msgstr "" +#, fuzzy +msgid "Basic settings for this StatusNet site" +msgstr "Design settings for this StausNet site." -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 msgid "You must have a valid contact email address." msgstr "You must have a valid contact email address." -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "" #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "Minimum text limit is 140 characters." -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "Site name" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 msgid "Contact email address for your site" msgstr "Contact e-mail address for your site" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 msgid "Local" msgstr "Local" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +#, fuzzy +msgid "Default language" msgstr "Default site language" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" +#: actions/siteadminpanel.php:271 +msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" +#: actions/siteadminpanel.php:274 +msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" +#: actions/siteadminpanel.php:274 +msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:301 -msgid "Frequency" +#: actions/siteadminpanel.php:278 +msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" +#: actions/siteadminpanel.php:278 +msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Site notice" -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "New message" -#: actions/siteadminpanel.php:315 -msgid "Limits" -msgstr "" +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Unable to save your design settings!" -#: actions/siteadminpanel.php:318 -msgid "Text limit" +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" msgstr "" -#: actions/siteadminpanel.php:318 -msgid "Maximum number of characters for notices." -msgstr "" +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Site notice" -#: actions/siteadminpanel.php:322 -msgid "Dupe limit" +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" msgstr "" -#: actions/siteadminpanel.php:322 -msgid "How long users must wait (in seconds) to post the same thing again." -msgstr "" +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Site notice" #: actions/smssettings.php:58 msgid "SMS settings" @@ -3904,6 +3923,66 @@ msgstr "" msgid "No code entered" msgstr "No code entered" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "Change site configuration" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Save site settings" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "You are not subscribed to that profile." @@ -4100,7 +4179,7 @@ msgstr "No profile id in request." msgid "Unsubscribed" msgstr "Unsubscribed" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4301,16 +4380,22 @@ msgstr "%1$s groups, page %2$d" msgid "Search for more groups" msgstr "Search for more groups" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "%s is not a member of any group." -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "Updates from %1$s on %2$s!" + #: actions/version.php:73 #, php-format msgid "StatusNet %s" @@ -4364,7 +4449,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 msgid "Version" msgstr "Version" @@ -4427,21 +4512,21 @@ msgstr "Could not update message with new URI." msgid "DB error inserting hashtag: %s" msgstr "DB error inserting hashtag: %s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 msgid "Problem saving notice. Too long." msgstr "Problem saving notice. Too long." -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "Problem saving notice. Unknown user." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Too many notices too fast; take a breather and post again in a few minutes." -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4449,19 +4534,19 @@ msgstr "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "You are banned from posting notices on this site." -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "Problem saving notice." -#: classes/Notice.php:911 +#: classes/Notice.php:927 msgid "Problem saving group inbox." msgstr "Problem saving group inbox." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4487,7 +4572,12 @@ msgstr "Not subscribed!" msgid "Couldn't delete self-subscription." msgstr "Couldn't delete self-subscription." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Couldn't delete subscription." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Couldn't delete subscription." @@ -4496,19 +4586,19 @@ msgstr "Couldn't delete subscription." msgid "Welcome to %1$s, @%2$s!" msgstr "Welcome to %1$s, @%2$s!" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "Could not create group." -#: classes/User_group.php:471 +#: classes/User_group.php:486 msgid "Could not set group URI." msgstr "Could not set group URI." -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "Could not set group membership." -#: classes/User_group.php:506 +#: classes/User_group.php:521 msgid "Could not save local group info." msgstr "Could not save local group info." @@ -4549,194 +4639,188 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Untitled page" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "Primary site navigation" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 #, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Personal profile and friends timeline" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Personal" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Change your e-mail, avatar, password, profile" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "Account" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Connect to services" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "Connect" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Change site configuration" -#: lib/action.php:460 +#: lib/action.php:449 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "Admin" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Invite friends and colleagues to join you on %s" -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Invite" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 #, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Logout from the site" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Logout" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "Create an account" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "Register" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Login to the site" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "Login" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Help me!" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "Help" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 #, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Search for people or text" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "Search" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "Site notice" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "Local views" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "Page notice" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "Secondary site navigation" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Help" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "About" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "F.A.Q." -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "Privacy" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "Source" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Contact" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "Badge" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "StatusNet software licence" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4745,12 +4829,12 @@ msgstr "" "**%%site.name%%** is a microblogging service brought to you by [%%site." "broughtby%%](%%site.broughtbyurl%%)." -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** is a microblogging service." -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4761,53 +4845,53 @@ msgstr "" "s, available under the [GNU Affero General Public Licence](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "Site content license" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "All " -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "licence." -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "Pagination" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "After" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "Before" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4822,90 +4906,80 @@ msgid "Changes to that panel are not allowed." msgstr "Changes to that panel are not allowed." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "showForm() not implemented." #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "saveSettings() not implemented." #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "Unable to delete design setting." #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 msgid "Basic site configuration" msgstr "Basic site configuration" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "Site" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "Design configuration" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "Design" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 msgid "User configuration" msgstr "User configuration" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "User" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 msgid "Access configuration" msgstr "Access configuration" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "Access" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 msgid "Paths configuration" msgstr "Paths configuration" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -msgctxt "MENU" -msgid "Paths" -msgstr "" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 msgid "Sessions configuration" msgstr "Sessions configuration" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "Version" +msgid "Edit site notice" +msgstr "Site notice" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "Paths configuration" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5387,6 +5461,11 @@ msgstr "Choose a tag to narrow list" msgid "Go" msgstr "Go" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "URL of the homepage or blog of the group or topic" @@ -5929,10 +6008,6 @@ msgstr "Replies" msgid "Favorites" msgstr "Favourites" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "User" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Inbox" @@ -5958,7 +6033,7 @@ msgstr "Tags in %s's notices" msgid "Unknown" msgstr "Unknown" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "Subscriptions" @@ -5966,23 +6041,23 @@ msgstr "Subscriptions" msgid "All subscriptions" msgstr "All subscriptions" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "Subscribers" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "All subscribers" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "User ID" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "Member since" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "All groups" @@ -6022,7 +6097,12 @@ msgstr "Repeat this notice?" msgid "Repeat this notice" msgstr "Repeat this notice" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "Block this user from this group" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -6176,47 +6256,63 @@ msgstr "Message" msgid "Moderate" msgstr "" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "User profile" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "Admins" + +#: lib/userprofile.php:355 +msgctxt "role" +msgid "Moderator" +msgstr "" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "a few seconds ago" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "about a minute ago" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "about %d minutes ago" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "about an hour ago" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "about %d hours ago" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "about a day ago" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "about %d days ago" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "about a month ago" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "about %d months ago" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "about a year ago" diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index fe861905d..4aa92796a 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -13,19 +13,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:02:39+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:56:16+0000\n" "Language-Team: Spanish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "Acceder" @@ -122,7 +123,7 @@ msgstr "%1$s y amigos, página %2$d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -185,7 +186,7 @@ msgstr "" "su atención ](%%%%action.newnotice%%%%?status_textarea=%3$s)." #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "Tú y amigos" @@ -212,11 +213,11 @@ msgstr "¡Actualizaciones de %1$s y amigos en %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." msgstr "Método de API no encontrado." @@ -582,7 +583,7 @@ msgstr "" "permiso para %3$s la información de tu cuenta %4$s. Sólo " "debes dar acceso a tu cuenta %4$s a terceras partes en las que confíes." -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "Cuenta" @@ -671,18 +672,6 @@ msgstr "%1$s / Favoritos de %2$s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s actualizaciones favoritas de %2$s / %2$s." -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "línea temporal de %s" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "¡Actualizaciones de %1$s en %2$s!" - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -693,12 +682,12 @@ msgstr "%1$s / Actualizaciones que mencionan %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "actualizaciones de %1$s en respuesta a las de %2$s / %3$s" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "línea temporal pública de %s" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "¡Actualizaciones de todos en %s!" @@ -945,7 +934,7 @@ msgid "Conversation" msgstr "Conversación" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Avisos" @@ -964,7 +953,7 @@ msgstr "No eres el propietario de esta aplicación." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "Hubo problemas con tu clave de sesión." @@ -1160,8 +1149,9 @@ msgstr "Volver a los valores predeterminados" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1277,7 +1267,7 @@ msgstr "La descripción es muy larga (máx. %d caracteres)." msgid "Could not update group." msgstr "No se pudo actualizar el grupo." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "No fue posible crear alias." @@ -1402,7 +1392,7 @@ msgid "Cannot normalize that email address" msgstr "No se puede normalizar esta dirección de correo electrónico." #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "Correo electrónico no válido" @@ -1595,6 +1585,25 @@ msgstr "No existe tal archivo." msgid "Cannot read file." msgstr "No se puede leer archivo." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Token inválido." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "No puedes enviar mensaje a este usuario." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "El usuario te ha bloqueado." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1744,12 +1753,18 @@ msgstr "Convertir en administrador" msgid "Make this user an admin" msgstr "Convertir a este usuario en administrador" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "línea temporal de %s" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "¡Actualizaciones de miembros de %1$s en %2$s!" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "Grupos" @@ -2374,8 +2389,8 @@ msgstr "tipo de contenido " msgid "Only " msgstr "Sólo " -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "No es un formato de dato soportado" @@ -2515,7 +2530,8 @@ msgstr "No se puede guardar la nueva contraseña." msgid "Password saved." msgstr "Se guardó Contraseña." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "Rutas" @@ -2637,7 +2653,7 @@ msgstr "Directorio del fondo" msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "Nunca" @@ -2693,11 +2709,11 @@ msgstr "No es una etiqueta válida para personas: %s" msgid "Users self-tagged with %1$s - page %2$d" msgstr "Usuarios auto marcados con %s - página %d" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "El contenido del aviso es inválido" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2776,7 +2792,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "Tags para ti (letras, números, -, ., y _), coma - o espacio - separado" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "Idioma" @@ -2804,7 +2820,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "La biografía es muy larga (máx. %d caracteres)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "Zona horaria no seleccionada" @@ -3121,7 +3137,7 @@ msgid "Same as password above. Required." msgstr "Igual a la contraseña de arriba. Requerida" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Correo electrónico" @@ -3228,7 +3244,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "El URL de tu perfil en otro servicio de microblogueo compatible" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "Suscribirse" @@ -3326,6 +3342,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Respuestas a %1$s en %2$s!" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "No puedes enviar mensaje a este usuario." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "Usuario sin perfil coincidente." + #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" msgstr "StatusNet" @@ -3340,7 +3366,9 @@ msgstr "No puedes enviar mensaje a este usuario." msgid "User is already sandboxed." msgstr "El usuario te ha bloqueado." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "Sesiones" @@ -3364,7 +3392,7 @@ msgstr "" msgid "Turn on debugging output for sessions." msgstr "" -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Guardar la configuración del sitio" @@ -3396,8 +3424,8 @@ msgstr "Organización" msgid "Description" msgstr "Descripción" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "Estadísticas" @@ -3530,46 +3558,46 @@ msgstr "Alias" msgid "Group actions" msgstr "Acciones del grupo" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Feed de avisos de grupo %s" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Feed de avisos de grupo %s" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "Feed de avisos de grupo %s" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "Bandeja de salida para %s" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 #, fuzzy msgid "Members" msgstr "Miembros" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Ninguno)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "Todos los miembros" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "Creado" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3579,7 +3607,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3590,7 +3618,7 @@ msgstr "" "**%s** es un grupo de usuarios en %%%%site.name%%%%, un servicio [micro-" "blogging](http://en.wikipedia.org/wiki/Micro-blogging) " -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "Administradores" @@ -3705,149 +3733,140 @@ msgid "User is already silenced." msgstr "El usuario te ha bloqueado." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +#, fuzzy +msgid "Basic settings for this StatusNet site" msgstr "Configuración básica de este sitio StatusNet." -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 #, fuzzy msgid "You must have a valid contact email address." msgstr "No es una dirección de correo electrónico válida" -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "Idioma desconocido \"%s\"." #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "La frecuencia de captura debe ser un número." - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "General" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "Nombre del sitio" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 #, fuzzy msgid "Contact email address for your site" msgstr "Nueva dirección de correo para postear a %s" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 #, fuzzy msgid "Local" msgstr "Vistas locales" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "Zona horaria predeterminada" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "Zona horaria predeterminada del sitio; generalmente UTC." -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +#, fuzzy +msgid "Default language" msgstr "Idioma predeterminado del sitio" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "Capturas" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" -msgstr "" - -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" -msgstr "En un trabajo programado" - -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" -msgstr "Capturas de datos" - -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" -msgstr "" - -#: actions/siteadminpanel.php:301 -msgid "Frequency" -msgstr "Frecuencia" - -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" -msgstr "" - -#: actions/siteadminpanel.php:307 -msgid "Report URL" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "Las capturas se enviarán a este URL" - -#: actions/siteadminpanel.php:315 +#: actions/siteadminpanel.php:271 msgid "Limits" msgstr "Límites" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Text limit" msgstr "Límite de texto" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Maximum number of characters for notices." msgstr "Cantidad máxima de caracteres para los mensajes." -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "Cuántos segundos es necesario esperar para publicar lo mismo de nuevo." +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Aviso de sitio" + +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "Nuevo Mensaje " + +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "No se pudo grabar tu configuración de diseño." + +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" +msgstr "" + +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Aviso de sitio" + +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" +msgstr "" + +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Aviso de sitio" + #: actions/smssettings.php:58 msgid "SMS settings" msgstr "Configuración de SMS" @@ -3950,6 +3969,66 @@ msgstr "" msgid "No code entered" msgstr "No ingresó código" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "Capturas" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "Cambiar la configuración del sitio" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "La frecuencia de captura debe ser un número." + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "En un trabajo programado" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "Capturas de datos" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "Frecuencia" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "Las capturas se enviarán a este URL" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Guardar la configuración del sitio" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "No te has suscrito a ese perfil." @@ -4152,7 +4231,7 @@ msgstr "No hay id de perfil solicitado." msgid "Unsubscribed" msgstr "Desuscrito" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4354,16 +4433,22 @@ msgstr "Miembros del grupo %s, página %d" msgid "Search for more groups" msgstr "Buscar más grupos" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, fuzzy, php-format msgid "%s is not a member of any group." msgstr "No eres miembro de ese grupo" -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "¡Actualizaciones de %1$s en %2$s!" + #: actions/version.php:73 #, fuzzy, php-format msgid "StatusNet %s" @@ -4409,7 +4494,7 @@ msgstr "" msgid "Plugins" msgstr "Complementos" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 #, fuzzy msgid "Version" msgstr "Sesiones" @@ -4476,22 +4561,22 @@ msgstr "No se pudo actualizar mensaje con nuevo URI." msgid "DB error inserting hashtag: %s" msgstr "Error de la BD al insertar la etiqueta clave: %s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 msgid "Problem saving notice. Too long." msgstr "Ha habido un problema al guardar el mensaje. Es muy largo." -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "Ha habido un problema al guardar el mensaje. Usuario desconocido." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Demasiados avisos demasiado rápido; para y publicar nuevamente en unos " "minutos." -#: classes/Notice.php:254 +#: classes/Notice.php:256 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4500,20 +4585,20 @@ msgstr "" "Demasiados avisos demasiado rápido; para y publicar nuevamente en unos " "minutos." -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "Tienes prohibido publicar avisos en este sitio." -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "Hubo un problema al guardar el aviso." -#: classes/Notice.php:911 +#: classes/Notice.php:927 #, fuzzy msgid "Problem saving group inbox." msgstr "Hubo un problema al guardar el aviso." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4540,7 +4625,12 @@ msgstr "¡No estás suscrito!" msgid "Couldn't delete self-subscription." msgstr "No se pudo eliminar la suscripción." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "No se pudo eliminar la suscripción." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "No se pudo eliminar la suscripción." @@ -4549,21 +4639,21 @@ msgstr "No se pudo eliminar la suscripción." msgid "Welcome to %1$s, @%2$s!" msgstr "Bienvenido a %1$s, @%2$s!" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "No se pudo crear grupo." -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "No se pudo configurar miembros de grupo." -#: classes/User_group.php:492 +#: classes/User_group.php:507 #, fuzzy msgid "Could not set group membership." msgstr "No se pudo configurar miembros de grupo." -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "No se ha podido guardar la suscripción." @@ -4605,194 +4695,188 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Página sin título" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "Navegación de sitio primario" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 #, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Perfil personal y línea de tiempo de amigos" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Personal" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Cambia tu correo electrónico, avatar, contraseña, perfil" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "Cuenta" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Conectar a los servicios" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "Conectarse" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Cambiar la configuración del sitio" -#: lib/action.php:460 +#: lib/action.php:449 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "Admin" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Invita a amigos y colegas a unirse a %s" -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Invitar" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 #, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Salir de sitio" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Salir" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "Crear una cuenta" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "Registrarse" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Ingresar a sitio" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "Inicio de sesión" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Ayúdame!" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "Ayuda" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 #, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Buscar personas o texto" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "Buscar" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "Aviso de sitio" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "Vistas locales" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "Aviso de página" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "Navegación de sitio secundario" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Ayuda" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "Acerca de" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "Preguntas Frecuentes" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "Privacidad" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "Fuente" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Ponerse en contacto" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "Insignia" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "Licencia de software de StatusNet" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4801,12 +4885,12 @@ msgstr "" "**%%site.name%%** es un servicio de microblogueo de [%%site.broughtby%%**](%%" "site.broughtbyurl%%)." -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** es un servicio de microblogueo." -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4817,55 +4901,55 @@ msgstr "" "disponible bajo la [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "Licencia de contenido del sitio" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Derechos de autor de contenido y datos por los colaboradores. Todos los " "derechos reservados." -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "Todo" -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "Licencia." -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "Paginación" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "Después" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "Antes" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4881,95 +4965,84 @@ msgid "Changes to that panel are not allowed." msgstr "Registro de usuario no permitido." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 #, fuzzy msgid "showForm() not implemented." msgstr "Todavía no se implementa comando." #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 #, fuzzy msgid "saveSettings() not implemented." msgstr "Todavía no se implementa comando." #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 #, fuzzy msgid "Unable to delete design setting." msgstr "¡No se pudo guardar tu configuración de Twitter!" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 msgid "Basic site configuration" msgstr "Configuración básica del sitio" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "Sitio" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "Configuración del diseño" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "Diseño" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 msgid "User configuration" msgstr "Configuración de usuario" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "Usuario" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 msgid "Access configuration" msgstr "Configuración de acceso" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "Acceder" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 #, fuzzy msgid "Paths configuration" msgstr "SMS confirmación" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -#, fuzzy -msgctxt "MENU" -msgid "Paths" -msgstr "Rutas" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 msgid "Sessions configuration" msgstr "Configuración de sesiones" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "Sesiones" +msgid "Edit site notice" +msgstr "Aviso de sitio" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "SMS confirmación" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5462,6 +5535,11 @@ msgstr "Elegir tag para reducir lista" msgid "Go" msgstr "Ir" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 #, fuzzy msgid "URL of the homepage or blog of the group or topic" @@ -6012,10 +6090,6 @@ msgstr "Respuestas" msgid "Favorites" msgstr "Favoritos" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "Usuario" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Bandeja de Entrada" @@ -6042,7 +6116,7 @@ msgstr "Tags en avisos de %s" msgid "Unknown" msgstr "Acción desconocida" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "Suscripciones" @@ -6050,24 +6124,24 @@ msgstr "Suscripciones" msgid "All subscriptions" msgstr "Todas las suscripciones" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "Suscriptores" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 #, fuzzy msgid "All subscribers" msgstr "Todos los suscriptores" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "ID de usuario" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "Miembro desde" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "Todos los grupos" @@ -6110,7 +6184,12 @@ msgstr "Responder este aviso." msgid "Repeat this notice" msgstr "Responder este aviso." -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "Bloquear este usuario de este grupo" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -6271,47 +6350,64 @@ msgstr "Mensaje" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "Perfil de usuario" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "Administradores" + +#: lib/userprofile.php:355 +#, fuzzy +msgctxt "role" +msgid "Moderator" +msgstr "Moderar" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "hace unos segundos" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "hace un minuto" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "hace %d minutos" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "hace una hora" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "hace %d horas" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "hace un día" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "hace %d días" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "hace un mes" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "hace %d meses" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "hace un año" diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index bb453f582..a68568600 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:02:45+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:56:22+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian\n" "MIME-Version: 1.0\n" @@ -20,11 +20,12 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "دسترسی" @@ -124,7 +125,7 @@ msgstr "%s کاربران مسدود شده، صÙحه‌ی %d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -185,7 +186,7 @@ msgstr "" "را جلب کنید." #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "شما Ùˆ دوستان" @@ -212,11 +213,11 @@ msgstr "به روز رسانی از %1$ Ùˆ دوستان در %2$" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." msgstr "رابط مورد نظر پیدا نشد." @@ -574,7 +575,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "حساب کاربری" @@ -663,18 +664,6 @@ msgstr "%s / دوست داشتنی از %s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s به روز رسانی های دوست داشتنی %s / %s" -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "خط زمانی %s" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "به روز رسانی‌های %1$s در %2$s" - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -685,12 +674,12 @@ msgstr "%$1s / به روز رسانی های شامل %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s به روز رسانی هایی Ú©Ù‡ در پاسخ به $2$s / %3$s" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s خط‌زمانی عمومی" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s به روز رسانی های عموم" @@ -939,7 +928,7 @@ msgid "Conversation" msgstr "مکالمه" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "پیام‌ها" @@ -961,7 +950,7 @@ msgstr "شما یک عضو این گروه نیستید." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "" @@ -1160,8 +1149,9 @@ msgstr "برگشت به حالت پیش گزیده" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1287,7 +1277,7 @@ msgstr "توصی٠بسیار زیاد است (حداکثر %d حرÙ)." msgid "Could not update group." msgstr "نمی‌توان گروه را به‌هنگام‌سازی کرد." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "نمی‌توان نام‌های مستعار را ساخت." @@ -1410,7 +1400,7 @@ msgid "Cannot normalize that email address" msgstr "نمی‌توان نشانی را قانونی کرد" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "یک آدرس ایمیل معتبر نیست." @@ -1600,6 +1590,25 @@ msgstr "چنین پرونده‌ای وجود ندارد." msgid "Cannot read file." msgstr "نمی‌توان پرونده را خواند." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "اندازه‌ی نادرست" + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "شما نمی توانید کاربری را در این سایت ساکت کنید." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "کاربر قبلا ساکت شده است." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1741,12 +1750,18 @@ msgstr "مدیر شود" msgid "Make this user an admin" msgstr "این کاربر یک مدیر شود" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "خط زمانی %s" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "به روز رسانی کابران %1$s در %2$s" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "گروه‌ها" @@ -2340,8 +2355,8 @@ msgstr "نوع محتوا " msgid "Only " msgstr " Ùقط" -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "یک قالب دادهٔ پشتیبانی‌شده نیست." @@ -2487,7 +2502,8 @@ msgstr "نمی‌توان گذرواژه جدید را ذخیره کرد." msgid "Password saved." msgstr "گذرواژه ذخیره شد." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "مسیر ها" @@ -2607,7 +2623,7 @@ msgstr "شاخهٔ تصاویر پیش‌زمینه" msgid "SSL" msgstr "" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "هیچ وقت" @@ -2663,11 +2679,11 @@ msgstr "یک برچسب کاربری معتبر نیست: %s" msgid "Users self-tagged with %1$s - page %2$d" msgstr "کاربران خود برچسب‌گذاری شده با %s - صÙحهٔ %d" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "محتوای Ø¢Ú¯Ù‡ÛŒ نامعتبر" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2745,7 +2761,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "زبان" @@ -2771,7 +2787,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "منطقه‌ی زمانی انتخاب نشده است." @@ -3073,7 +3089,7 @@ msgid "Same as password above. Required." msgstr "" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "پست الکترونیکی" @@ -3161,7 +3177,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "" @@ -3259,6 +3275,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "شما نمی توانید کاربری را در این سایت ساکت کنید." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "کاربر بدون مشخصات" + #: actions/rsd.php:146 actions/version.php:157 #, fuzzy msgid "StatusNet" @@ -3272,7 +3298,9 @@ msgstr "" msgid "User is already sandboxed." msgstr "" +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "" @@ -3297,7 +3325,7 @@ msgstr "" msgid "Turn on debugging output for sessions." msgstr "" -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "" @@ -3332,8 +3360,8 @@ msgstr "صÙحه بندى" msgid "Description" msgstr "" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "آمار" @@ -3467,45 +3495,45 @@ msgstr "نام های مستعار" msgid "Group actions" msgstr "" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "اعضا" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "هیچ" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "همه ÛŒ اعضا" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "ساخته شد" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3515,7 +3543,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3524,7 +3552,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "" @@ -3638,149 +3666,140 @@ msgid "User is already silenced." msgstr "کاربر قبلا ساکت شده است." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +#, fuzzy +msgid "Basic settings for this StatusNet site" msgstr "تنظیمات پایه ای برای این سایت StatusNet." -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "نام سایت باید طولی غیر صÙر داشته باشد." -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 #, fuzzy msgid "You must have a valid contact email address." msgstr "شما باید یک آدرس ایمیل قابل قبول برای ارتباط داشته باشید" -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "" #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "نام وب‌گاه" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "نام وب‌گاه شما، مانند «میکروبلاگ شرکت شما»" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "أورده شده به وسیله ÛŒ" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 msgid "Contact email address for your site" msgstr "" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 msgid "Local" msgstr "محلی" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "منطقه ÛŒ زمانی پیش Ùرض" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "منظقه ÛŒ زمانی پیش Ùرض برای سایت؛ معمولا UTC." -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +#, fuzzy +msgid "Default language" msgstr "زبان پیش Ùرض سایت" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" -msgstr "" - -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" -msgstr "" - -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" -msgstr "" - -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" -msgstr "" - -#: actions/siteadminpanel.php:301 -msgid "Frequency" -msgstr "" - -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" -msgstr "" - -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "" - -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:315 +#: actions/siteadminpanel.php:271 msgid "Limits" msgstr "محدودیت ها" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Text limit" msgstr "محدودیت متن" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Maximum number of characters for notices." msgstr "بیشینهٔ تعداد حرو٠برای آگهی‌ها" -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Ú†Ù‡ مدت کاربران باید منتظر بمانند ( به ثانیه ) تا همان چیز را مجددا ارسال " "کنند." +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "خبر سایت" + +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "پیام جدید" + +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "نمی‌توان تنظیمات طرح‌تان را ذخیره کرد." + +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" +msgstr "" + +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "خبر سایت" + +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" +msgstr "" + +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "خبر سایت" + #: actions/smssettings.php:58 #, fuzzy msgid "SMS settings" @@ -3877,6 +3896,66 @@ msgstr "" msgid "No code entered" msgstr "کدی وارد نشد" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "تغییر پیکربندی سایت" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "تنظیمات چهره" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "شما به این پروÙيل متعهد نشدید" @@ -4072,7 +4151,7 @@ msgstr "" msgid "Unsubscribed" msgstr "" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4263,16 +4342,22 @@ msgstr "اعضای گروه %sØŒ صÙحهٔ %d" msgid "Search for more groups" msgstr "جستجو برای گروه های بیشتر" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "" -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "به روز رسانی‌های %1$s در %2$s" + #: actions/version.php:73 #, fuzzy, php-format msgid "StatusNet %s" @@ -4316,7 +4401,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 #, fuzzy msgid "Version" msgstr "شخصی" @@ -4383,22 +4468,22 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:239 +#: classes/Notice.php:241 msgid "Problem saving notice. Too long." msgstr "مشکل در ذخیره کردن پیام. بسیار طولانی." -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "مشکل در ذخیره کردن پیام. کاربر نا شناخته." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "تعداد خیلی زیاد Ø¢Ú¯Ù‡ÛŒ Ùˆ بسیار سریع؛ استراحت کنید Ùˆ مجددا دقایقی دیگر ارسال " "کنید." -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4406,20 +4491,20 @@ msgstr "" "تعداد زیاد پیام های دو نسخه ای Ùˆ بسرعت؛ استراحت کنید Ùˆ دقایقی دیگر مجددا " "ارسال کنید." -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "شما از Ùرستادن پست در این سایت مردود شدید ." -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "مشکل در ذخیره کردن Ø¢Ú¯Ù‡ÛŒ." -#: classes/Notice.php:911 +#: classes/Notice.php:927 #, fuzzy msgid "Problem saving group inbox." msgstr "مشکل در ذخیره کردن Ø¢Ú¯Ù‡ÛŒ." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4444,7 +4529,12 @@ msgstr "تایید نشده!" msgid "Couldn't delete self-subscription." msgstr "" -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "نمی‌توان تصدیق پست الکترونیک را پاک کرد." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "" @@ -4453,20 +4543,20 @@ msgstr "" msgid "Welcome to %1$s, @%2$s!" msgstr "خوش امدید به %1$s , @%2$s!" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "نمیتوان گروه را تشکیل داد" -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "نمیتوان گروه را تشکیل داد" -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "" -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "نمی‌توان شناس‌نامه را ذخیره کرد." @@ -4508,205 +4598,199 @@ msgstr "%s گروه %s را ترک کرد." msgid "Untitled page" msgstr "صÙحه ÛŒ بدون عنوان" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "شخصی" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "آدرس ایمیل، آواتار، کلمه ÛŒ عبور، پروÙایل خود را تغییر دهید" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "حساب کاربری" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "متصل شدن به خدمات" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "وصل‌شدن" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "تغییر پیکربندی سایت" -#: lib/action.php:460 +#: lib/action.php:449 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "مدیر" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr " به شما ملحق شوند %s دوستان Ùˆ همکاران را دعوت کنید تا در" -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "دعوت‌کردن" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 #, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "خارج شدن از سایت ." -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "خروج" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "یک حساب کاربری بسازید" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "ثبت نام" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "ورود به وب‌گاه" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "ورود" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "به من Ú©Ù…Ú© کنید!" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "Ú©Ù…Ú©" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 #, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "جستجو برای شخص با متن" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "جست‌وجو" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "خبر سایت" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "دید محلی" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "خبر صÙحه" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Ú©Ù…Ú©" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "دربارهٔ" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "سوال‌های رایج" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "خصوصی" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "منبع" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "تماس" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "StatusNet مجوز نرم اÙزار" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." "broughtby%%](%%site.broughtbyurl%%). " msgstr "" -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4714,53 +4798,53 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "مجوز محتویات سایت" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "همه " -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "مجوز." -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "صÙحه بندى" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "بعد از" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "قبل از" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4776,94 +4860,83 @@ msgid "Changes to that panel are not allowed." msgstr "اجازه‌ی ثبت نام داده نشده است." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "نمی توان تنظیمات طراحی شده را پاک کرد ." #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 msgid "Basic site configuration" msgstr "پیکره بندی اصلی سایت" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "سایت" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "طرح" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 #, fuzzy msgid "User configuration" msgstr "پیکره بندی اصلی سایت" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "کاربر" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 #, fuzzy msgid "Access configuration" msgstr "پیکره بندی اصلی سایت" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "دسترسی" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 msgid "Paths configuration" msgstr "" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -#, fuzzy -msgctxt "MENU" -msgid "Paths" -msgstr "مسیر ها" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 #, fuzzy msgid "Sessions configuration" msgstr "پیکره بندی اصلی سایت" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "شخصی" +msgid "Edit site notice" +msgstr "خبر سایت" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "پیکره بندی اصلی سایت" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5354,6 +5427,11 @@ msgstr "" msgid "Go" msgstr "برو" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "" @@ -5889,10 +5967,6 @@ msgstr "پاسخ ها" msgid "Favorites" msgstr "چیزهای مورد علاقه" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "کاربر" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "صندوق دریاÙتی" @@ -5918,7 +5992,7 @@ msgstr "" msgid "Unknown" msgstr "" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "اشتراک‌ها" @@ -5926,23 +6000,23 @@ msgstr "اشتراک‌ها" msgid "All subscriptions" msgstr "تمام اشتراک‌ها" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "مشترک‌ها" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "تمام مشترک‌ها" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "شناسه کاربر" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "عضو شده از" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "تمام گروه‌ها" @@ -5983,7 +6057,12 @@ msgstr "به این Ø¢Ú¯Ù‡ÛŒ جواب دهید" msgid "Repeat this notice" msgstr "" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "دسترسی کاربر را به گروه مسدود Ú©Ù†" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -6137,47 +6216,62 @@ msgstr "پیام" msgid "Moderate" msgstr "" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "پروÙایل کاربر" + +#: lib/userprofile.php:354 +msgctxt "role" +msgid "Administrator" +msgstr "" + +#: lib/userprofile.php:355 +msgctxt "role" +msgid "Moderator" +msgstr "" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "چند ثانیه پیش" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "حدود یک دقیقه پیش" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "حدود %d دقیقه پیش" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "حدود یک ساعت پیش" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "حدود %d ساعت پیش" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "حدود یک روز پیش" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "حدود %d روز پیش" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "حدود یک ماه پیش" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "حدود %d ماه پیش" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "حدود یک سال پیش" diff --git a/locale/fi/LC_MESSAGES/statusnet.po b/locale/fi/LC_MESSAGES/statusnet.po index 97ab7038b..b4978769f 100644 --- a/locale/fi/LC_MESSAGES/statusnet.po +++ b/locale/fi/LC_MESSAGES/statusnet.po @@ -10,19 +10,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:02:42+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:56:19+0000\n" "Language-Team: Finnish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 #, fuzzy msgid "Access" msgstr "Hyväksy" @@ -125,7 +126,7 @@ msgstr "%s ja kaverit, sivu %d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -186,7 +187,7 @@ msgid "" msgstr "" #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "Sinä ja kaverit" @@ -213,11 +214,11 @@ msgstr "Käyttäjän %1$s ja kavereiden päivitykset palvelussa %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "API-metodia ei löytynyt!" @@ -589,7 +590,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "Käyttäjätili" @@ -680,18 +681,6 @@ msgstr "%s / Käyttäjän %s suosikit" msgid "%1$s updates favorited by %2$s / %2$s." msgstr " Palvelun %s päivitykset, jotka %s / %s on merkinnyt suosikikseen." -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "%s aikajana" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "Käyttäjän %1$s päivitykset palvelussa %2$s!" - #: actions/apitimelinementions.php:117 #, fuzzy, php-format msgid "%1$s / Updates mentioning %2$s" @@ -703,12 +692,12 @@ msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" "%1$s -päivitykset, jotka on vastauksia käyttäjän %2$s / %3$s päivityksiin." -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s julkinen aikajana" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s päivitykset kaikilta!" @@ -954,7 +943,7 @@ msgid "Conversation" msgstr "Keskustelu" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Päivitykset" @@ -977,7 +966,7 @@ msgstr "Sinä et kuulu tähän ryhmään." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "Istuntoavaimesi kanssa oli ongelma." @@ -1178,8 +1167,9 @@ msgstr "" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1308,7 +1298,7 @@ msgstr "kuvaus on liian pitkä (max %d merkkiä)." msgid "Could not update group." msgstr "Ei voitu päivittää ryhmää." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "Ei voitu lisätä aliasta." @@ -1435,7 +1425,7 @@ msgid "Cannot normalize that email address" msgstr "Ei voida normalisoida sähköpostiosoitetta" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "Tuo ei ole kelvollinen sähköpostiosoite." @@ -1629,6 +1619,25 @@ msgstr "Tiedostoa ei ole." msgid "Cannot read file." msgstr "Tiedostoa ei voi lukea." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Koko ei kelpaa." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "Et voi lähettää viestiä tälle käyttäjälle." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "Käyttäjä on asettanut eston sinulle." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1773,12 +1782,18 @@ msgstr "Tee ylläpitäjäksi" msgid "Make this user an admin" msgstr "Tee tästä käyttäjästä ylläpitäjä" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "%s aikajana" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Ryhmän %1$s käyttäjien päivitykset palvelussa %2$s!" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "Ryhmät" @@ -2403,8 +2418,8 @@ msgstr "Yhdistä" msgid "Only " msgstr "Vain " -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "Tuo ei ole tuettu tietomuoto." @@ -2550,7 +2565,8 @@ msgstr "Uutta salasanaa ei voida tallentaa." msgid "Password saved." msgstr "Salasana tallennettu." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "Polut" @@ -2678,7 +2694,7 @@ msgstr "Taustakuvan hakemisto" msgid "SSL" msgstr "SMS" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 #, fuzzy msgid "Never" msgstr "Palauta" @@ -2739,11 +2755,11 @@ msgstr "Ei sallittu henkilötagi: %s" msgid "Users self-tagged with %1$s - page %2$d" msgstr "Käyttäjät joilla henkilötagi %s - sivu %d" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "Päivityksen sisältö ei kelpaa" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2825,7 +2841,7 @@ msgstr "" "Kuvaa itseäsi henkilötageilla (sanoja joissa voi olla muita kirjaimia kuin " "ääkköset, numeroita, -, ., ja _), pilkulla tai välilyönnillä erotettuna" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "Kieli" @@ -2853,7 +2869,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "\"Tietoja\" on liian pitkä (max 140 merkkiä)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "Aikavyöhykettä ei ole valittu." @@ -3162,7 +3178,7 @@ msgid "Same as password above. Required." msgstr "Sama kuin ylläoleva salasana. Pakollinen." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Sähköposti" @@ -3272,7 +3288,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "Profiilisi URL-osoite toisessa yhteensopivassa mikroblogauspalvelussa" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "Tilaa" @@ -3382,6 +3398,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Viesti käyttäjälle %1$s, %2$s" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "Et voi lähettää viestiä tälle käyttäjälle." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "Käyttäjälle ei löydy profiilia" + #: actions/rsd.php:146 actions/version.php:157 #, fuzzy msgid "StatusNet" @@ -3397,7 +3423,9 @@ msgstr "Et voi lähettää viestiä tälle käyttäjälle." msgid "User is already sandboxed." msgstr "Käyttäjä on asettanut eston sinulle." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "" @@ -3422,7 +3450,7 @@ msgstr "" msgid "Turn on debugging output for sessions." msgstr "" -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" @@ -3458,8 +3486,8 @@ msgstr "Sivutus" msgid "Description" msgstr "Kuvaus" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "Tilastot" @@ -3592,45 +3620,45 @@ msgstr "Aliakset" msgid "Group actions" msgstr "Ryhmän toiminnot" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Syöte ryhmän %s päivityksille (RSS 1.0)" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Syöte ryhmän %s päivityksille (RSS 2.0)" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Syöte ryhmän %s päivityksille (Atom)" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "Käyttäjän %s lähetetyt viestit" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "Jäsenet" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Tyhjä)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "Kaikki jäsenet" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "Luotu" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3640,7 +3668,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3651,7 +3679,7 @@ msgstr "" "**%s** on ryhmä palvelussa %%%%site.name%%%%, joka on [mikroblogauspalvelu]" "(http://en.wikipedia.org/wiki/Micro-blogging)" -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "Ylläpitäjät" @@ -3769,150 +3797,140 @@ msgid "User is already silenced." msgstr "Käyttäjä on asettanut eston sinulle." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." -msgstr "" +#, fuzzy +msgid "Basic settings for this StatusNet site" +msgstr "Ulkoasuasetukset tälle StatusNet palvelulle." -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 #, fuzzy msgid "You must have a valid contact email address." msgstr "Tuo ei ole kelvollinen sähköpostiosoite" -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "" #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 #, fuzzy msgid "Site name" msgstr "Palvelun ilmoitus" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 #, fuzzy msgid "Contact email address for your site" msgstr "Uusi sähköpostiosoite päivityksien lähettämiseen palveluun %s" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 #, fuzzy msgid "Local" msgstr "Paikalliset näkymät" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:281 +#: actions/siteadminpanel.php:262 #, fuzzy -msgid "Default site language" +msgid "Default language" msgstr "Ensisijainen kieli" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" +#: actions/siteadminpanel.php:271 +msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" +#: actions/siteadminpanel.php:274 +msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" +#: actions/siteadminpanel.php:274 +msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:301 -msgid "Frequency" +#: actions/siteadminpanel.php:278 +msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" +#: actions/siteadminpanel.php:278 +msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Palvelun ilmoitus" -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "Uusi viesti" -#: actions/siteadminpanel.php:315 -msgid "Limits" -msgstr "" +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Twitter-asetuksia ei voitu tallentaa!" -#: actions/siteadminpanel.php:318 -msgid "Text limit" +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" msgstr "" -#: actions/siteadminpanel.php:318 -msgid "Maximum number of characters for notices." -msgstr "" +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Palvelun ilmoitus" -#: actions/siteadminpanel.php:322 -msgid "Dupe limit" +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" msgstr "" -#: actions/siteadminpanel.php:322 -msgid "How long users must wait (in seconds) to post the same thing again." -msgstr "" +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Palvelun ilmoitus" #: actions/smssettings.php:58 #, fuzzy @@ -4016,6 +4034,66 @@ msgstr "" msgid "No code entered" msgstr "Koodia ei ole syötetty." +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "Ensisijainen sivunavigointi" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Profiilikuva-asetukset" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "Et ole tilannut tämän käyttäjän päivityksiä." @@ -4221,7 +4299,7 @@ msgstr "Ei profiili id:tä kyselyssä." msgid "Unsubscribed" msgstr "Tilaus lopetettu" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4432,16 +4510,22 @@ msgstr "Ryhmän %s jäsenet, sivu %d" msgid "Search for more groups" msgstr "Hae lisää ryhmiä" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, fuzzy, php-format msgid "%s is not a member of any group." msgstr "Sinä et kuulu tähän ryhmään." -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "Käyttäjän %1$s päivitykset palvelussa %2$s!" + #: actions/version.php:73 #, fuzzy, php-format msgid "StatusNet %s" @@ -4485,7 +4569,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 #, fuzzy msgid "Version" msgstr "Omat" @@ -4554,23 +4638,23 @@ msgstr "Viestin päivittäminen uudella URI-osoitteella ei onnistunut." msgid "DB error inserting hashtag: %s" msgstr "Tietokantavirhe tallennettaessa risutagiä: %s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Ongelma päivityksen tallentamisessa." -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "Virhe tapahtui päivityksen tallennuksessa. Tuntematon käyttäjä." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Liian monta päivitystä liian nopeasti; pidä pieni hengähdystauko ja jatka " "päivityksien lähettämista muutaman minuutin päästä." -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4578,20 +4662,20 @@ msgstr "" "Liian monta päivitystä liian nopeasti; pidä pieni hengähdystauko ja jatka " "päivityksien lähettämista muutaman minuutin päästä." -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "Päivityksesi tähän palveluun on estetty." -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "Ongelma päivityksen tallentamisessa." -#: classes/Notice.php:911 +#: classes/Notice.php:927 #, fuzzy msgid "Problem saving group inbox." msgstr "Ongelma päivityksen tallentamisessa." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4619,7 +4703,12 @@ msgstr "Ei ole tilattu!." msgid "Couldn't delete self-subscription." msgstr "Ei voitu poistaa tilausta." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Ei voitu poistaa tilausta." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Ei voitu poistaa tilausta." @@ -4628,20 +4717,20 @@ msgstr "Ei voitu poistaa tilausta." msgid "Welcome to %1$s, @%2$s!" msgstr "Viesti käyttäjälle %1$s, %2$s" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "Ryhmän luonti ei onnistunut." -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "Ryhmän jäsenyystietoja ei voitu asettaa." -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "Ryhmän jäsenyystietoja ei voitu asettaa." -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "Tilausta ei onnistuttu tallentamaan." @@ -4684,195 +4773,189 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Nimetön sivu" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "Ensisijainen sivunavigointi" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 #, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Henkilökohtainen profiili ja kavereiden aikajana" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Omat" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Muuta sähköpostiosoitettasi, kuvaasi, salasanaasi, profiiliasi" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "Käyttäjätili" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Ei voitu uudelleenohjata palvelimelle: %s" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "Yhdistä" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Ensisijainen sivunavigointi" -#: lib/action.php:460 +#: lib/action.php:449 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "Ylläpito" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Kutsu kavereita ja työkavereita liittymään palveluun %s" -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Kutsu" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 #, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Kirjaudu ulos palvelusta" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Kirjaudu ulos" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "Luo uusi käyttäjätili" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "Rekisteröidy" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Kirjaudu sisään palveluun" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "Kirjaudu sisään" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Auta minua!" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "Ohjeet" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 #, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Hae ihmisiä tai tekstiä" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "Haku" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "Palvelun ilmoitus" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "Paikalliset näkymät" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "Sivuilmoitus" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "Toissijainen sivunavigointi" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Ohjeet" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "Tietoa" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "UKK" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "Yksityisyys" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "Lähdekoodi" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Ota yhteyttä" -#: lib/action.php:782 +#: lib/action.php:771 #, fuzzy msgid "Badge" msgstr "Tönäise" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "StatusNet-ohjelmiston lisenssi" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4881,12 +4964,12 @@ msgstr "" "**%%site.name%%** on mikroblogipalvelu, jonka tarjoaa [%%site.broughtby%%](%%" "site.broughtbyurl%%). " -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** on mikroblogipalvelu. " -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4897,54 +4980,54 @@ msgstr "" "versio %s, saatavilla lisenssillä [GNU Affero General Public License](http://" "www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:832 +#: lib/action.php:821 #, fuzzy msgid "Site content license" msgstr "StatusNet-ohjelmiston lisenssi" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "Kaikki " -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "lisenssi." -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "Sivutus" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "Myöhemmin" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "Aiemmin" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4961,100 +5044,89 @@ msgid "Changes to that panel are not allowed." msgstr "Rekisteröityminen ei ole sallittu." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 #, fuzzy msgid "showForm() not implemented." msgstr "Komentoa ei ole vielä toteutettu." #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 #, fuzzy msgid "saveSettings() not implemented." msgstr "Komentoa ei ole vielä toteutettu." #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 #, fuzzy msgid "Unable to delete design setting." msgstr "Twitter-asetuksia ei voitu tallentaa!" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Basic site configuration" msgstr "Sähköpostiosoitteen vahvistus" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "Kutsu" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 #, fuzzy msgid "Design configuration" msgstr "SMS vahvistus" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "Ulkoasu" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 #, fuzzy msgid "User configuration" msgstr "SMS vahvistus" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "Käyttäjä" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 #, fuzzy msgid "Access configuration" msgstr "SMS vahvistus" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "Hyväksy" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 #, fuzzy msgid "Paths configuration" msgstr "SMS vahvistus" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -#, fuzzy -msgctxt "MENU" -msgid "Paths" -msgstr "Polut" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 #, fuzzy msgid "Sessions configuration" msgstr "SMS vahvistus" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "Omat" +msgid "Edit site notice" +msgstr "Palvelun ilmoitus" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "SMS vahvistus" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5557,6 +5629,11 @@ msgstr "Valitse tagi lyhentääksesi listaa" msgid "Go" msgstr "Mene" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "Ryhmän tai aiheen kotisivun tai blogin osoite" @@ -6114,10 +6191,6 @@ msgstr "Vastaukset" msgid "Favorites" msgstr "Suosikit" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "Käyttäjä" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Saapuneet" @@ -6144,7 +6217,7 @@ msgstr "Tagit käyttäjän %s päivityksissä" msgid "Unknown" msgstr "Tuntematon toiminto" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "Tilaukset" @@ -6152,24 +6225,24 @@ msgstr "Tilaukset" msgid "All subscriptions" msgstr "Kaikki tilaukset" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "Tilaajat" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "Kaikki tilaajat" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 #, fuzzy msgid "User ID" msgstr "Käyttäjä" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "Käyttäjänä alkaen" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "Kaikki ryhmät" @@ -6212,7 +6285,12 @@ msgstr "Vastaa tähän päivitykseen" msgid "Repeat this notice" msgstr "Vastaa tähän päivitykseen" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "Estä tätä käyttäjää osallistumassa tähän ryhmään" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -6376,47 +6454,63 @@ msgstr "Viesti" msgid "Moderate" msgstr "" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "Käyttäjän profiili" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "Ylläpitäjät" + +#: lib/userprofile.php:355 +msgctxt "role" +msgid "Moderator" +msgstr "" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "muutama sekunti sitten" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "noin minuutti sitten" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "noin %d minuuttia sitten" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "noin tunti sitten" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "noin %d tuntia sitten" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "noin päivä sitten" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "noin %d päivää sitten" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "noin kuukausi sitten" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "noin %d kuukautta sitten" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "noin vuosi sitten" diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index 68e210ff1..c8d14b83d 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -14,19 +14,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:02:48+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:56:25+0000\n" "Language-Team: French\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "Accès" @@ -47,7 +48,6 @@ msgstr "Interdire aux utilisateurs anonymes (non connectés) de voir le site ?" #. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -#, fuzzy msgctxt "LABEL" msgid "Private" msgstr "Privé" @@ -78,7 +78,6 @@ msgid "Save access settings" msgstr "Sauvegarder les paramètres d’accès" #: actions/accessadminpanel.php:203 -#, fuzzy msgctxt "BUTTON" msgid "Save" msgstr "Enregistrer" @@ -123,7 +122,7 @@ msgstr "%1$s et ses amis, page %2$d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -187,7 +186,7 @@ msgstr "" "un clin d’œil à %s ou poster un avis à son intention." #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "Vous et vos amis" @@ -214,11 +213,11 @@ msgstr "Statuts de %1$s et ses amis dans %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." msgstr "Méthode API non trouvée !" @@ -590,7 +589,7 @@ msgstr "" "devriez donner l’accès à votre compte %4$s qu’aux tiers à qui vous faites " "confiance." -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "Compte" @@ -679,18 +678,6 @@ msgstr "%1$s / Favoris de %2$s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s statuts favoris de %2$s / %2$s." -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "Activité de %s" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "Statuts de %1$s dans %2$s!" - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -701,12 +688,12 @@ msgstr "%1$s / Mises à jour mentionnant %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s statuts en réponses aux statuts de %2$s / %3$s." -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "Activité publique %s" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s statuts de tout le monde !" @@ -954,7 +941,7 @@ msgid "Conversation" msgstr "Conversation" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Avis" @@ -973,7 +960,7 @@ msgstr "Vous n’êtes pas le propriétaire de cette application." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "Un problème est survenu avec votre jeton de session." @@ -1169,8 +1156,9 @@ msgstr "Revenir aux valeurs par défaut" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1286,7 +1274,7 @@ msgstr "la description est trop longue (%d caractères maximum)." msgid "Could not update group." msgstr "Impossible de mettre à jour le groupe." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "Impossible de créer les alias." @@ -1410,7 +1398,7 @@ msgid "Cannot normalize that email address" msgstr "Impossible d’utiliser cette adresse courriel" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "Adresse courriel invalide." @@ -1602,6 +1590,26 @@ msgstr "Fichier non trouvé." msgid "Cannot read file." msgstr "Impossible de lire le fichier" +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Jeton incorrect." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "" +"Vous ne pouvez pas mettre des utilisateur dans le bac à sable sur ce site." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "Cet utilisateur est déjà réduit au silence." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1750,12 +1758,18 @@ msgstr "Faire un administrateur" msgid "Make this user an admin" msgstr "Faire de cet utilisateur un administrateur" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "Activité de %s" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Mises à jour des membres de %1$s dans %2$s !" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "Groupes" @@ -2023,7 +2037,6 @@ msgstr "Ajouter un message personnel à l’invitation (optionnel)." #. TRANS: Send button for inviting friends #: actions/invite.php:198 -#, fuzzy msgctxt "BUTTON" msgid "Send" msgstr "Envoyer" @@ -2394,8 +2407,8 @@ msgstr "type de contenu " msgid "Only " msgstr "Seulement " -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "Format de données non supporté." @@ -2535,7 +2548,8 @@ msgstr "Impossible de sauvegarder le nouveau mot de passe." msgid "Password saved." msgstr "Mot de passe enregistré." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "Chemins" @@ -2655,7 +2669,7 @@ msgstr "Dossier des arrière plans" msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "Jamais" @@ -2711,11 +2725,11 @@ msgstr "Cette marque est invalide : %s" msgid "Users self-tagged with %1$s - page %2$d" msgstr "Utilisateurs marqués par eux-mêmes avec %1$s - page %2$d" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "Contenu de l’avis invalide" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2797,7 +2811,7 @@ msgstr "" "Marques pour vous-même (lettres, chiffres, -, ., et _), séparées par des " "virgules ou des espaces" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "Langue" @@ -2825,7 +2839,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "La bio est trop longue (%d caractères maximum)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "Aucun fuseau horaire n’a été choisi." @@ -3148,7 +3162,7 @@ msgid "Same as password above. Required." msgstr "Identique au mot de passe ci-dessus. Requis." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Courriel" @@ -3257,7 +3271,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL de votre profil sur un autre service de micro-blogging compatible" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "S’abonner" @@ -3362,6 +3376,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Réponses à %1$s sur %2$s !" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "Vous ne pouvez pas réduire des utilisateurs au silence sur ce site." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "Utilisateur sans profil correspondant." + #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" msgstr "StatusNet" @@ -3375,7 +3399,9 @@ msgstr "" msgid "User is already sandboxed." msgstr "L’utilisateur est déjà dans le bac à sable." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "Sessions" @@ -3399,7 +3425,7 @@ msgstr "Déboguage de session" msgid "Turn on debugging output for sessions." msgstr "Activer la sortie de déboguage pour les sessions." -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Sauvegarder les paramètres du site" @@ -3430,8 +3456,8 @@ msgstr "Organisation" msgid "Description" msgstr "Description" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "Statistiques" @@ -3573,45 +3599,45 @@ msgstr "Alias" msgid "Group actions" msgstr "Actions du groupe" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Fil des avis du groupe %s (RSS 1.0)" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Fil des avis du groupe %s (RSS 2.0)" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Fil des avis du groupe %s (Atom)" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "ami d’un ami pour le groupe %s" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "Membres" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(aucun)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "Tous les membres" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "Créé" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3627,7 +3653,7 @@ msgstr "" "action.register%%%%) pour devenir membre de ce groupe et bien plus ! ([En " "lire plus](%%%%doc.help%%%%))" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3640,7 +3666,7 @@ msgstr "" "logiciel libre [StatusNet](http://status.net/). Ses membres partagent des " "messages courts à propos de leur vie et leurs intérêts. " -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "Administrateurs" @@ -3765,148 +3791,139 @@ msgid "User is already silenced." msgstr "Cet utilisateur est déjà réduit au silence." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +#, fuzzy +msgid "Basic settings for this StatusNet site" msgstr "Paramètres basiques pour ce site StatusNet." -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "Le nom du site ne peut pas être vide." -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 msgid "You must have a valid contact email address." msgstr "Vous devez avoir une adresse électronique de contact valide." -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "Langue « %s » inconnue." #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "URL de rapport d’instantanés invalide." - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "Valeur de lancement d’instantanés invalide." - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "La fréquence des instantanés doit être un nombre." - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "La limite minimale de texte est de 140 caractères." -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "La limite de doublon doit être d’une seconde ou plus." -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "Général" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "Nom du site" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "Le nom de votre site, comme « Microblog de votre compagnie »" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "Apporté par" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "Texte utilisé pour le lien de crédits au bas de chaque page" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "Apporté par URL" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "URL utilisée pour le lien de crédits au bas de chaque page" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 msgid "Contact email address for your site" msgstr "Adresse de courriel de contact de votre site" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 msgid "Local" msgstr "Local" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "Zone horaire par défaut" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "Zone horaire par défaut pour ce site ; généralement UTC." -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +#, fuzzy +msgid "Default language" msgstr "Langue du site par défaut" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "Instantanés" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" -msgstr "Au hasard lors des requêtes web" - -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" -msgstr "Dans une tâche programée" - -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" -msgstr "Instantanés de données" - -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" -msgstr "Quand envoyer des données statistiques aux serveurs status.net" - -#: actions/siteadminpanel.php:301 -msgid "Frequency" -msgstr "Fréquence" - -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" -msgstr "Les instantanés seront envoyés une fois tous les N requêtes" - -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "URL de rapport" - -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "Les instantanés seront envoyés à cette URL" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" +msgstr "" -#: actions/siteadminpanel.php:315 +#: actions/siteadminpanel.php:271 msgid "Limits" msgstr "Limites" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Text limit" msgstr "Limite de texte" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Maximum number of characters for notices." msgstr "Nombre maximal de caractères pour les avis." -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "Dupe limit" msgstr "Limite de doublons" -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Combien de temps (en secondes) les utilisateurs doivent attendre pour poster " "la même chose de nouveau." +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Notice du site" + +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "Nouveau message" + +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Impossible de sauvegarder les parmètres de la conception." + +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" +msgstr "" + +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Notice du site" + +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" +msgstr "" + +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Notice du site" + #: actions/smssettings.php:58 msgid "SMS settings" msgstr "Paramètres SMS" @@ -4010,6 +4027,66 @@ msgstr "" msgid "No code entered" msgstr "Aucun code entré" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "Instantanés" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "Modifier la configuration du site" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "Valeur de lancement d’instantanés invalide." + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "La fréquence des instantanés doit être un nombre." + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "URL de rapport d’instantanés invalide." + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "Au hasard lors des requêtes web" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "Dans une tâche programée" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "Instantanés de données" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "Quand envoyer des données statistiques aux serveurs status.net" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "Fréquence" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "Les instantanés seront envoyés une fois tous les N requêtes" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "URL de rapport" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "Les instantanés seront envoyés à cette URL" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Sauvegarder les paramètres du site" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "Vous n’êtes pas abonné(e) à ce profil." @@ -4220,7 +4297,7 @@ msgstr "Aucune identité de profil dans la requête." msgid "Unsubscribed" msgstr "Désabonné" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4230,7 +4307,6 @@ msgstr "" #. TRANS: User admin panel title #: actions/useradminpanel.php:59 -#, fuzzy msgctxt "TITLE" msgid "User" msgstr "Utilisateur" @@ -4427,18 +4503,24 @@ msgstr "Groupes %1$s, page %2$d" msgid "Search for more groups" msgstr "Rechercher pour plus de groupes" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "%s n’est pas membre d’un groupe." -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" "Essayez de [rechercher un groupe](%%action.groupsearch%%) et de vous y " "inscrire." +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "Statuts de %1$s dans %2$s!" + #: actions/version.php:73 #, php-format msgid "StatusNet %s" @@ -4494,7 +4576,7 @@ msgstr "" msgid "Plugins" msgstr "Extensions" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 msgid "Version" msgstr "Version" @@ -4559,22 +4641,22 @@ msgstr "Impossible de mettre à jour le message avec un nouvel URI." msgid "DB error inserting hashtag: %s" msgstr "Erreur de base de donnée en insérant la marque (hashtag) : %s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 msgid "Problem saving notice. Too long." msgstr "Problème lors de l’enregistrement de l’avis ; trop long." -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "Erreur lors de l’enregistrement de l’avis. Utilisateur inconnu." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Trop d’avis, trop vite ! Faites une pause et publiez à nouveau dans quelques " "minutes." -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4582,19 +4664,19 @@ msgstr "" "Trop de messages en double trop vite ! Prenez une pause et publiez à nouveau " "dans quelques minutes." -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "Il vous est interdit de poster des avis sur ce site." -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "Problème lors de l’enregistrement de l’avis." -#: classes/Notice.php:911 +#: classes/Notice.php:927 msgid "Problem saving group inbox." msgstr "Problème lors de l’enregistrement de la boîte de réception du groupe." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4619,7 +4701,12 @@ msgstr "Pas abonné !" msgid "Couldn't delete self-subscription." msgstr "Impossible de supprimer l’abonnement à soi-même." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Impossible de cesser l’abonnement" + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Impossible de cesser l’abonnement" @@ -4628,20 +4715,19 @@ msgstr "Impossible de cesser l’abonnement" msgid "Welcome to %1$s, @%2$s!" msgstr "Bienvenue à %1$s, @%2$s !" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "Impossible de créer le groupe." -#: classes/User_group.php:471 -#, fuzzy +#: classes/User_group.php:486 msgid "Could not set group URI." msgstr "Impossible de définir l'URI du groupe." -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "Impossible d’établir l’inscription au groupe." -#: classes/User_group.php:506 +#: classes/User_group.php:521 msgid "Could not save local group info." msgstr "Impossible d’enregistrer les informations du groupe local." @@ -4682,194 +4768,171 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Page sans nom" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "Navigation primaire du site" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 -#, fuzzy +#: lib/action.php:430 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Profil personnel et flux des amis" -#: lib/action.php:442 -#, fuzzy +#: lib/action.php:433 msgctxt "MENU" msgid "Personal" msgstr "Personnel" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 -#, fuzzy +#: lib/action.php:435 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" -msgstr "Modifier votre courriel, avatar, mot de passe, profil" - -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "Compte" +msgstr "Modifier votre adresse électronique, avatar, mot de passe, profil" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 -#, fuzzy +#: lib/action.php:440 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Se connecter aux services" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "Connecter" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 -#, fuzzy +#: lib/action.php:446 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Modifier la configuration du site" -#: lib/action.php:460 -#, fuzzy +#: lib/action.php:449 msgctxt "MENU" msgid "Admin" msgstr "Administrer" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 -#, fuzzy, php-format +#: lib/action.php:453 +#, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" -msgstr "Inviter des amis et collègues à vous rejoindre dans %s" +msgstr "Inviter des amis et collègues à vous rejoindre sur %s" -#: lib/action.php:467 -#, fuzzy +#: lib/action.php:456 msgctxt "MENU" msgid "Invite" msgstr "Inviter" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 -#, fuzzy +#: lib/action.php:462 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Fermer la session" -#: lib/action.php:476 -#, fuzzy +#: lib/action.php:465 msgctxt "MENU" msgid "Logout" -msgstr "Fermeture de session" +msgstr "Déconnexion" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 -#, fuzzy +#: lib/action.php:470 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Créer un compte" -#: lib/action.php:484 -#, fuzzy +#: lib/action.php:473 msgctxt "MENU" msgid "Register" -msgstr "Créer un compte" +msgstr "S'inscrire" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 -#, fuzzy +#: lib/action.php:476 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Ouvrir une session" -#: lib/action.php:490 -#, fuzzy +#: lib/action.php:479 msgctxt "MENU" msgid "Login" -msgstr "Ouvrir une session" +msgstr "Connexion" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 -#, fuzzy +#: lib/action.php:482 msgctxt "TOOLTIP" msgid "Help me!" msgstr "À l’aide !" -#: lib/action.php:496 -#, fuzzy +#: lib/action.php:485 msgctxt "MENU" msgid "Help" msgstr "Aide" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 -#, fuzzy +#: lib/action.php:488 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Rechercher des personnes ou du texte" -#: lib/action.php:502 -#, fuzzy +#: lib/action.php:491 msgctxt "MENU" msgid "Search" msgstr "Rechercher" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "Notice du site" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "Vues locales" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "Avis de la page" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "Navigation secondaire du site" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Aide" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "À propos" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "CGU" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "Confidentialité" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "Source" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Contact" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "Insigne" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "Licence du logiciel StatusNet" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4878,12 +4941,12 @@ msgstr "" "**%%site.name%%** est un service de microblogging qui vous est proposé par " "[%%site.broughtby%%](%%site.broughtbyurl%%)." -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** est un service de micro-blogging." -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4894,57 +4957,57 @@ msgstr "" "version %s, disponible sous la licence [GNU Affero General Public License] " "(http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "Licence du contenu du site" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Le contenu et les données de %1$s sont privés et confidentiels." -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "Le contenu et les données sont sous le droit d’auteur de %1$s. Tous droits " "réservés." -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Le contenu et les données sont sous le droit d’auteur du contributeur. Tous " "droits réservés." -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "Tous " -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "licence." -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "Pagination" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "Après" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "Avant" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "Impossible de gérer le contenu distant pour le moment." -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "Impossible de gérer le contenu XML embarqué pour le moment." -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "Impossible de gérer le contenu en Base64 embarqué pour le moment." @@ -4959,91 +5022,78 @@ msgid "Changes to that panel are not allowed." msgstr "La modification de ce panneau n’est pas autorisée." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "showForm() n’a pas été implémentée." #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "saveSettings() n’a pas été implémentée." #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "Impossible de supprimer les paramètres de conception." #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 msgid "Basic site configuration" msgstr "Configuration basique du site" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 -#, fuzzy +#: lib/adminpanelaction.php:350 msgctxt "MENU" msgid "Site" msgstr "Site" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "Configuration de la conception" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 -#, fuzzy +#: lib/adminpanelaction.php:358 msgctxt "MENU" msgid "Design" msgstr "Conception" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 msgid "User configuration" msgstr "Configuration utilisateur" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "Utilisateur" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 msgid "Access configuration" msgstr "Configuration d’accès" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "Accès" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 msgid "Paths configuration" msgstr "Configuration des chemins" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -#, fuzzy -msgctxt "MENU" -msgid "Paths" -msgstr "Chemins" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 msgid "Sessions configuration" msgstr "Configuration des sessions" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "Sessions" +msgid "Edit site notice" +msgstr "Notice du site" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "Configuration des chemins" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5581,6 +5631,11 @@ msgstr "Choissez une marque pour réduire la liste" msgid "Go" msgstr "Aller" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "URL du site Web ou blogue du groupe ou sujet " @@ -6075,7 +6130,6 @@ msgid "Available characters" msgstr "Caractères restants" #: lib/messageform.php:178 lib/noticeform.php:236 -#, fuzzy msgctxt "Send button for sending notice" msgid "Send" msgstr "Envoyer" @@ -6202,10 +6256,6 @@ msgstr "Réponses" msgid "Favorites" msgstr "Favoris" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "Utilisateur" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Boîte de réception" @@ -6231,7 +6281,7 @@ msgstr "Marques dans les avis de %s" msgid "Unknown" msgstr "Inconnu" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "Abonnements" @@ -6239,23 +6289,23 @@ msgstr "Abonnements" msgid "All subscriptions" msgstr "Tous les abonnements" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "Abonnés" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "Tous les abonnés" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "ID de l’utilisateur" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "Membre depuis" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "Tous les groupes" @@ -6295,7 +6345,12 @@ msgstr "Reprendre cet avis ?" msgid "Repeat this notice" msgstr "Reprendre cet avis" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "Bloquer cet utilisateur de de groupe" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "Aucun utilisateur unique défini pour le mode mono-utilisateur." @@ -6449,47 +6504,64 @@ msgstr "Message" msgid "Moderate" msgstr "Modérer" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "Profil de l’utilisateur" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "Administrateurs" + +#: lib/userprofile.php:355 +#, fuzzy +msgctxt "role" +msgid "Moderator" +msgstr "Modérer" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "il y a quelques secondes" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "il y a 1 minute" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "il y a %d minutes" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "il y a 1 heure" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "il y a %d heures" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "il y a 1 jour" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "il y a %d jours" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "il y a 1 mois" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "il y a %d mois" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "il y a environ 1 an" diff --git a/locale/ga/LC_MESSAGES/statusnet.po b/locale/ga/LC_MESSAGES/statusnet.po index 0b62fe337..97c3d45f1 100644 --- a/locale/ga/LC_MESSAGES/statusnet.po +++ b/locale/ga/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:02:51+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:56:28+0000\n" "Language-Team: Irish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ga\n" "X-Message-Group: out-statusnet\n" @@ -21,7 +21,8 @@ msgstr "" "4;\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 #, fuzzy msgid "Access" msgstr "Aceptar" @@ -125,7 +126,7 @@ msgstr "%s e amigos" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -180,7 +181,7 @@ msgid "" msgstr "" #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 #, fuzzy msgid "You and friends" msgstr "%s e amigos" @@ -208,11 +209,11 @@ msgstr "Actualizacións dende %1$s e amigos en %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Método da API non atopado" @@ -585,7 +586,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 #, fuzzy msgid "Account" msgstr "Sobre" @@ -679,18 +680,6 @@ msgstr "%s / Favoritos dende %s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s updates favorited by %s / %s." -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "Liña de tempo de %s" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "Actualizacións dende %1$s en %2$s!" - #: actions/apitimelinementions.php:117 #, fuzzy, php-format msgid "%1$s / Updates mentioning %2$s" @@ -701,12 +690,12 @@ msgstr "%1$s / Chíos que respostan a %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "Hai %1$s chíos en resposta a chíos dende %2$s / %3$s." -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "Liña de tempo pública de %s" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s chíos de calquera!" @@ -965,7 +954,7 @@ msgid "Conversation" msgstr "Código de confirmación." #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Chíos" @@ -987,7 +976,7 @@ msgstr "Non estás suscrito a ese perfil" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 #, fuzzy msgid "There was a problem with your session token." msgstr "Houbo un problema co teu token de sesión. Tentao de novo, anda..." @@ -1196,8 +1185,9 @@ msgstr "" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1329,7 +1319,7 @@ msgstr "O teu Bio é demasiado longo (max 140 car.)." msgid "Could not update group." msgstr "Non se puido actualizar o usuario." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 #, fuzzy msgid "Could not create aliases." msgstr "Non se puido crear o favorito." @@ -1457,7 +1447,7 @@ msgid "Cannot normalize that email address" msgstr "Esa dirección de correo non se pode normalizar " #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "Non é un enderezo de correo válido." @@ -1653,6 +1643,25 @@ msgstr "Ningún chío." msgid "Cannot read file." msgstr "Bloqueo de usuario fallido." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Tamaño inválido." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "Non podes enviar mensaxes a este usurio." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "O usuario bloqueoute." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1807,12 +1816,18 @@ msgstr "" msgid "Make this user an admin" msgstr "" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "Liña de tempo de %s" + #: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Actualizacións dende %1$s en %2$s!" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "" @@ -2434,8 +2449,8 @@ msgstr "Conectar" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "Non é un formato de datos soportado." @@ -2583,7 +2598,8 @@ msgstr "Non se pode gardar a contrasinal." msgid "Password saved." msgstr "Contrasinal gardada." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "" @@ -2711,7 +2727,7 @@ msgstr "" msgid "SSL" msgstr "SMS" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 #, fuzzy msgid "Never" msgstr "Recuperar" @@ -2770,11 +2786,11 @@ msgstr "%s non é unha etiqueta de xente válida" msgid "Users self-tagged with %1$s - page %2$d" msgstr "Usuarios auto-etiquetados como %s - páxina %d" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "Contido do chío inválido" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2857,7 +2873,7 @@ msgstr "" "Etiquetas para o teu usuario (letras, números, -, ., e _), separados por " "coma ou espazo" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "Linguaxe" @@ -2885,7 +2901,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "O teu Bio é demasiado longo (max 140 car.)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "Fuso Horario non seleccionado" @@ -3205,7 +3221,7 @@ msgid "Same as password above. Required." msgstr "A mesma contrasinal que arriba. Requerido." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Correo Electrónico" @@ -3313,7 +3329,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "Enderezo do teu perfil en outro servizo de microblogaxe compatíbel" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "Subscribir" @@ -3418,6 +3434,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Mensaxe de %1$s en %2$s" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "Non podes enviar mensaxes a este usurio." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "Usuario sen un perfil que coincida." + #: actions/rsd.php:146 actions/version.php:157 #, fuzzy msgid "StatusNet" @@ -3433,7 +3459,9 @@ msgstr "Non podes enviar mensaxes a este usurio." msgid "User is already sandboxed." msgstr "O usuario bloqueoute." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "" @@ -3457,7 +3485,7 @@ msgstr "" msgid "Turn on debugging output for sessions." msgstr "" -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" @@ -3494,8 +3522,8 @@ msgstr "Invitación(s) enviada(s)." msgid "Description" msgstr "Subscricións" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "Estatísticas" @@ -3631,48 +3659,48 @@ msgstr "" msgid "Group actions" msgstr "Outras opcions" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Fonte de chíos para %s" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Fonte de chíos para %s" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "Fonte de chíos para %s" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "Band. Saída para %s" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 #, fuzzy msgid "Members" msgstr "Membro dende" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 #, fuzzy msgid "(None)" msgstr "(nada)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 #, fuzzy msgid "Created" msgstr "Crear" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3686,7 +3714,7 @@ msgstr "" "(http://status.net/). [Únete agora](%%action.register%%) para compartir " "chíos cos teus amigos, colegas e familia! ([Ler mais](%%doc.help%%))" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3699,7 +3727,7 @@ msgstr "" "(http://status.net/). [Únete agora](%%action.register%%) para compartir " "chíos cos teus amigos, colegas e familia! ([Ler mais](%%doc.help%%))" -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "" @@ -3820,150 +3848,139 @@ msgid "User is already silenced." msgstr "O usuario bloqueoute." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +msgid "Basic settings for this StatusNet site" msgstr "" -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 #, fuzzy msgid "You must have a valid contact email address." msgstr "Non é unha dirección de correo válida" -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "" #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 #, fuzzy msgid "Site name" msgstr "Novo chío" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 #, fuzzy msgid "Contact email address for your site" msgstr "Nova dirección de email para posterar en %s" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 #, fuzzy msgid "Local" msgstr "Localización" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:281 +#: actions/siteadminpanel.php:262 #, fuzzy -msgid "Default site language" +msgid "Default language" msgstr "Linguaxe preferida" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" +#: actions/siteadminpanel.php:271 +msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" +#: actions/siteadminpanel.php:274 +msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" +#: actions/siteadminpanel.php:274 +msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:301 -msgid "Frequency" +#: actions/siteadminpanel.php:278 +msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" +#: actions/siteadminpanel.php:278 +msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Novo chío" -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "Nova mensaxe" -#: actions/siteadminpanel.php:315 -msgid "Limits" -msgstr "" +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Non se puideron gardar os teus axustes de Twitter!" -#: actions/siteadminpanel.php:318 -msgid "Text limit" +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" msgstr "" -#: actions/siteadminpanel.php:318 -msgid "Maximum number of characters for notices." -msgstr "" +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Novo chío" -#: actions/siteadminpanel.php:322 -msgid "Dupe limit" +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" msgstr "" -#: actions/siteadminpanel.php:322 -msgid "How long users must wait (in seconds) to post the same thing again." -msgstr "" +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Novo chío" #: actions/smssettings.php:58 #, fuzzy @@ -4068,6 +4085,66 @@ msgstr "" msgid "No code entered" msgstr "Non se inseriu ningún código" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "Navegación de subscricións" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Configuracións de Twitter" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "Non estás suscrito a ese perfil" @@ -4275,7 +4352,7 @@ msgstr "Non hai identificador de perfil na peticion." msgid "Unsubscribed" msgstr "De-suscribido" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4488,16 +4565,22 @@ msgstr "Tódalas subscricións" msgid "Search for more groups" msgstr "" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, fuzzy, php-format msgid "%s is not a member of any group." msgstr "%1s non é unha orixe fiable." -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "Actualizacións dende %1$s en %2$s!" + #: actions/version.php:73 #, fuzzy, php-format msgid "StatusNet %s" @@ -4541,7 +4624,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 #, fuzzy msgid "Version" msgstr "Persoal" @@ -4610,23 +4693,23 @@ msgstr "Non se puido actualizar a mensaxe coa nova URI." msgid "DB error inserting hashtag: %s" msgstr "Erro ó inserir o hashtag na BD: %s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Aconteceu un erro ó gardar o chío." -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "Aconteceu un erro ó gardar o chío. Usuario descoñecido." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Demasiados chíos en pouco tempo; tomate un respiro e envíao de novo dentro " "duns minutos." -#: classes/Notice.php:254 +#: classes/Notice.php:256 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4635,20 +4718,20 @@ msgstr "" "Demasiados chíos en pouco tempo; tomate un respiro e envíao de novo dentro " "duns minutos." -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "Tes restrinxido o envio de chíos neste sitio." -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "Aconteceu un erro ó gardar o chío." -#: classes/Notice.php:911 +#: classes/Notice.php:927 #, fuzzy msgid "Problem saving group inbox." msgstr "Aconteceu un erro ó gardar o chío." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4676,7 +4759,12 @@ msgstr "Non está suscrito!" msgid "Couldn't delete self-subscription." msgstr "Non se pode eliminar a subscrición." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Non se pode eliminar a subscrición." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Non se pode eliminar a subscrición." @@ -4685,22 +4773,22 @@ msgstr "Non se pode eliminar a subscrición." msgid "Welcome to %1$s, @%2$s!" msgstr "Mensaxe de %1$s en %2$s" -#: classes/User_group.php:462 +#: classes/User_group.php:477 #, fuzzy msgid "Could not create group." msgstr "Non se puido crear o favorito." -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "Non se pode gardar a subscrición." -#: classes/User_group.php:492 +#: classes/User_group.php:507 #, fuzzy msgid "Could not set group membership." msgstr "Non se pode gardar a subscrición." -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "Non se pode gardar a subscrición." @@ -4744,62 +4832,55 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Persoal" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Cambiar contrasinal" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "Sobre" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Non se pode redireccionar ao servidor: %s" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "Conectar" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Navegación de subscricións" -#: lib/action.php:460 +#: lib/action.php:449 msgctxt "MENU" msgid "Admin" msgstr "" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" @@ -4807,131 +4888,132 @@ msgstr "" "Emprega este formulario para invitar ós teus amigos e colegas a empregar " "este servizo." -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Invitar" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Sair" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "Crear nova conta" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "Rexistrar" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "Inicio de sesión" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Axuda" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "Axuda" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "Buscar" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 #, fuzzy msgid "Site notice" msgstr "Novo chío" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "" -#: lib/action.php:656 +#: lib/action.php:645 #, fuzzy msgid "Page notice" msgstr "Novo chío" -#: lib/action.php:758 +#: lib/action.php:747 #, fuzzy msgid "Secondary site navigation" msgstr "Navegación de subscricións" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Axuda" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "Sobre" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "Preguntas frecuentes" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "Privacidade" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "Fonte" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Contacto" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4940,12 +5022,12 @@ msgstr "" "**%%site.name%%** é un servizo de microbloguexo que che proporciona [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** é un servizo de microbloguexo." -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4956,57 +5038,57 @@ msgstr "" "%s, dispoñible baixo licenza [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:832 +#: lib/action.php:821 #, fuzzy msgid "Site content license" msgstr "Atopar no contido dos chíos" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 #, fuzzy msgid "All " msgstr "Todos" -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "" -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "" -#: lib/action.php:1172 +#: lib/action.php:1161 #, fuzzy msgid "After" msgstr "« Despois" -#: lib/action.php:1180 +#: lib/action.php:1169 #, fuzzy msgid "Before" msgstr "Antes »" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -5023,99 +5105,89 @@ msgid "Changes to that panel are not allowed." msgstr "Non se permite o rexistro neste intre." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 #, fuzzy msgid "showForm() not implemented." msgstr "Comando non implementado." #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 #, fuzzy msgid "saveSettings() not implemented." msgstr "Comando non implementado." #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 #, fuzzy msgid "Unable to delete design setting." msgstr "Non se puideron gardar os teus axustes de Twitter!" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Basic site configuration" msgstr "Confirmar correo electrónico" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "Invitar" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 #, fuzzy msgid "Design configuration" msgstr "Confirmación de SMS" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "Persoal" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 #, fuzzy msgid "User configuration" msgstr "Confirmación de SMS" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "Usuario" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 #, fuzzy msgid "Access configuration" msgstr "Confirmación de SMS" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "Aceptar" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 #, fuzzy msgid "Paths configuration" msgstr "Confirmación de SMS" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -msgctxt "MENU" -msgid "Paths" -msgstr "" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 #, fuzzy msgid "Sessions configuration" msgstr "Confirmación de SMS" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "Persoal" +msgid "Edit site notice" +msgstr "Novo chío" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "Confirmación de SMS" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5659,6 +5731,11 @@ msgstr "Elixe unha etiqueta para reducila lista" msgid "Go" msgstr "Ir" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 #, fuzzy msgid "URL of the homepage or blog of the group or topic" @@ -6273,10 +6350,6 @@ msgstr "Respostas" msgid "Favorites" msgstr "Favoritos" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "Usuario" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Band. Entrada" @@ -6303,7 +6376,7 @@ msgstr "O usuario non ten último chio." msgid "Unknown" msgstr "Acción descoñecida" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "Subscricións" @@ -6311,25 +6384,25 @@ msgstr "Subscricións" msgid "All subscriptions" msgstr "Tódalas subscricións" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "Subscritores" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 #, fuzzy msgid "All subscribers" msgstr "Subscritores" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 #, fuzzy msgid "User ID" msgstr "Usuario" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "Membro dende" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 #, fuzzy msgid "All groups" msgstr "Tódalas etiquetas" @@ -6374,7 +6447,12 @@ msgstr "Non se pode eliminar este chíos." msgid "Repeat this notice" msgstr "Non se pode eliminar este chíos." -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -6546,47 +6624,62 @@ msgstr "Nova mensaxe" msgid "Moderate" msgstr "" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "O usuario non ten perfil." + +#: lib/userprofile.php:354 +msgctxt "role" +msgid "Administrator" +msgstr "" + +#: lib/userprofile.php:355 +msgctxt "role" +msgid "Moderator" +msgstr "" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "fai uns segundos" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "fai un minuto" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "fai %d minutos" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "fai unha hora" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "fai %d horas" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "fai un día" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "fai %d días" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "fai un mes" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "fai %d meses" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "fai un ano" diff --git a/locale/he/LC_MESSAGES/statusnet.po b/locale/he/LC_MESSAGES/statusnet.po index 89fd4dd7a..ea9275685 100644 --- a/locale/he/LC_MESSAGES/statusnet.po +++ b/locale/he/LC_MESSAGES/statusnet.po @@ -7,19 +7,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:02:54+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:56:31+0000\n" "Language-Team: Hebrew\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: he\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 #, fuzzy msgid "Access" msgstr "קבל" @@ -122,7 +123,7 @@ msgstr "%s וחברי×" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -177,7 +178,7 @@ msgid "" msgstr "" #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 #, fuzzy msgid "You and friends" msgstr "%s וחברי×" @@ -205,11 +206,11 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "קוד ×”×ישור ×œ× × ×ž×¦×." @@ -578,7 +579,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 #, fuzzy msgid "Account" msgstr "×ודות" @@ -670,18 +671,6 @@ msgstr "הסטטוס של %1$s ב-%2$s " msgid "%1$s updates favorited by %2$s / %2$s." msgstr "מיקרובלוג מ×ת %s" -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "" - #: actions/apitimelinementions.php:117 #, fuzzy, php-format msgid "%1$s / Updates mentioning %2$s" @@ -692,12 +681,12 @@ msgstr "הסטטוס של %1$s ב-%2$s " msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "" @@ -954,7 +943,7 @@ msgid "Conversation" msgstr "מיקו×" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "הודעות" @@ -976,7 +965,7 @@ msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "" @@ -1180,8 +1169,9 @@ msgstr "" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1307,7 +1297,7 @@ msgstr "הביוגרפיה ×רוכה מידי (לכל היותר 140 ×ותיו msgid "Could not update group." msgstr "עידכון המשתמש נכשל." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 #, fuzzy msgid "Could not create aliases." msgstr "שמירת מידע התמונה נכשל" @@ -1431,7 +1421,7 @@ msgid "Cannot normalize that email address" msgstr "" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "" @@ -1626,6 +1616,25 @@ msgstr "×ין הודעה כזו." msgid "Cannot read file." msgstr "×ין הודעה כזו." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "גודל ×œ× ×—×•×§×™." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "למשתמש ×ין פרופיל." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1778,12 +1787,18 @@ msgstr "" msgid "Make this user an admin" msgstr "" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "" + #: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "מיקרובלוג מ×ת %s" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "קבוצות" @@ -2365,8 +2380,8 @@ msgstr "התחבר" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "" @@ -2514,7 +2529,8 @@ msgstr "×œ× × ×™×ª×Ÿ לשמור ×ת הסיסמה" msgid "Password saved." msgstr "הסיסמה נשמרה." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "" @@ -2641,7 +2657,7 @@ msgstr "" msgid "SSL" msgstr "סמס" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 #, fuzzy msgid "Never" msgstr "שיחזור" @@ -2700,11 +2716,11 @@ msgstr "×œ× ×¢×•×ž×“ ×‘×›×œ×œ×™× ×œ-OpenID." msgid "Users self-tagged with %1$s - page %2$d" msgstr "מיקרובלוג מ×ת %s" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "תוכן ההודעה ×œ× ×—×•×§×™" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2782,7 +2798,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "שפה" @@ -2808,7 +2824,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "הביוגרפיה ×רוכה מידי (לכל היותר 140 ×ותיות)" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "" @@ -3113,7 +3129,7 @@ msgid "Same as password above. Required." msgstr "" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "" @@ -3201,7 +3217,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "כתובת הפרופיל שלך בשרות ביקרובלוג תו×× ×חר" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "×”×™×¨×©× ×›×ž× ×•×™" @@ -3304,6 +3320,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "תגובת עבור %s" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "למשתמש ×ין פרופיל." + #: actions/rsd.php:146 actions/version.php:157 #, fuzzy msgid "StatusNet" @@ -3319,7 +3345,9 @@ msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" msgid "User is already sandboxed." msgstr "למשתמש ×ין פרופיל." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "" @@ -3343,7 +3371,7 @@ msgstr "" msgid "Turn on debugging output for sessions." msgstr "" -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" @@ -3379,8 +3407,8 @@ msgstr "מיקו×" msgid "Description" msgstr "הרשמות" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "סטטיסטיקה" @@ -3514,47 +3542,47 @@ msgstr "" msgid "Group actions" msgstr "" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "הזנת הודעות של %s" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "הזנת הודעות של %s" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "הזנת הודעות של %s" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "הזנת הודעות של %s" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 #, fuzzy msgid "Members" msgstr "חבר מ××–" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 #, fuzzy msgid "Created" msgstr "צור" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3564,7 +3592,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3573,7 +3601,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "" @@ -3685,147 +3713,136 @@ msgid "User is already silenced." msgstr "למשתמש ×ין פרופיל." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +msgid "Basic settings for this StatusNet site" msgstr "" -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 msgid "You must have a valid contact email address." msgstr "" -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "" #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 #, fuzzy msgid "Site name" msgstr "הודעה חדשה" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 msgid "Contact email address for your site" msgstr "" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 #, fuzzy msgid "Local" msgstr "מיקו×" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +msgid "Default language" msgstr "" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" +#: actions/siteadminpanel.php:271 +msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" +#: actions/siteadminpanel.php:274 +msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" +#: actions/siteadminpanel.php:274 +msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:301 -msgid "Frequency" +#: actions/siteadminpanel.php:278 +msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" +#: actions/siteadminpanel.php:278 +msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "הודעה חדשה" -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "הודעה חדשה" -#: actions/siteadminpanel.php:315 -msgid "Limits" -msgstr "" +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "בעיה בשמירת ההודעה." -#: actions/siteadminpanel.php:318 -msgid "Text limit" +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" msgstr "" -#: actions/siteadminpanel.php:318 -msgid "Maximum number of characters for notices." -msgstr "" +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "הודעה חדשה" -#: actions/siteadminpanel.php:322 -msgid "Dupe limit" +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" msgstr "" -#: actions/siteadminpanel.php:322 -msgid "How long users must wait (in seconds) to post the same thing again." -msgstr "" +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "הודעה חדשה" #: actions/smssettings.php:58 #, fuzzy @@ -3922,6 +3939,66 @@ msgstr "" msgid "No code entered" msgstr "" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "הרשמות" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "הגדרות" + #: actions/subedit.php:70 #, fuzzy msgid "You are not subscribed to that profile." @@ -4130,7 +4207,7 @@ msgstr "השרת ×œ× ×”×—×–×™×¨ כתובת פרופיל" msgid "Unsubscribed" msgstr "בטל מנוי" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4337,16 +4414,22 @@ msgstr "כל המנויי×" msgid "Search for more groups" msgstr "" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, fuzzy, php-format msgid "%s is not a member of any group." msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "" + #: actions/version.php:73 #, fuzzy, php-format msgid "StatusNet %s" @@ -4390,7 +4473,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 #, fuzzy msgid "Version" msgstr "×ישי" @@ -4458,41 +4541,41 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:239 +#: classes/Notice.php:241 #, fuzzy msgid "Problem saving notice. Too long." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:243 +#: classes/Notice.php:245 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:911 +#: classes/Notice.php:927 #, fuzzy msgid "Problem saving group inbox." msgstr "בעיה בשמירת ההודעה." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4520,7 +4603,12 @@ msgstr "×œ× ×ž× ×•×™!" msgid "Couldn't delete self-subscription." msgstr "מחיקת המנוי ×œ× ×”×¦×œ×™×—×”." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "מחיקת המנוי ×œ× ×”×¦×œ×™×—×”." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "מחיקת המנוי ×œ× ×”×¦×œ×™×—×”." @@ -4529,22 +4617,22 @@ msgstr "מחיקת המנוי ×œ× ×”×¦×œ×™×—×”." msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:462 +#: classes/User_group.php:477 #, fuzzy msgid "Could not create group." msgstr "שמירת מידע התמונה נכשל" -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "יצירת המנוי נכשלה." -#: classes/User_group.php:492 +#: classes/User_group.php:507 #, fuzzy msgid "Could not set group membership." msgstr "יצירת המנוי נכשלה." -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "יצירת המנוי נכשלה." @@ -4588,192 +4676,186 @@ msgstr "הסטטוס של %1$s ב-%2$s " msgid "Untitled page" msgstr "" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "×ישי" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "שנה סיסמה" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "×ודות" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "נכשלה ההפניה לשרת: %s" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "התחבר" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "הרשמות" -#: lib/action.php:460 +#: lib/action.php:449 msgctxt "MENU" msgid "Admin" msgstr "" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "גודל ×œ× ×—×•×§×™." #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "צ×" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "צור חשבון חדש" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "הירש×" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "היכנס" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "עזרה" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "עזרה" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "חיפוש" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 #, fuzzy msgid "Site notice" msgstr "הודעה חדשה" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "" -#: lib/action.php:656 +#: lib/action.php:645 #, fuzzy msgid "Page notice" msgstr "הודעה חדשה" -#: lib/action.php:758 +#: lib/action.php:747 #, fuzzy msgid "Secondary site navigation" msgstr "הרשמות" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "עזרה" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "×ודות" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "רשימת ש×לות נפוצות" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "פרטיות" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "מקור" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "צור קשר" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4782,12 +4864,12 @@ msgstr "" "**%%site.name%%** ×”×•× ×©×¨×•×ª ביקרובלוג הניתן על ידי [%%site.broughtby%%](%%" "site.broughtbyurl%%)." -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** ×”×•× ×©×¨×•×ª ביקרובלוג." -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4798,56 +4880,56 @@ msgstr "" "s, המופצת תחת רשיון [GNU Affero General Public License](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)" -#: lib/action.php:832 +#: lib/action.php:821 #, fuzzy msgid "Site content license" msgstr "הודעה חדשה" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "" -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "" -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "" -#: lib/action.php:1172 +#: lib/action.php:1161 #, fuzzy msgid "After" msgstr "<< ×חרי" -#: lib/action.php:1180 +#: lib/action.php:1169 #, fuzzy msgid "Before" msgstr "לפני >>" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4862,95 +4944,85 @@ msgid "Changes to that panel are not allowed." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Basic site configuration" msgstr "הרשמות" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "הודעה חדשה" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "×ישי" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 #, fuzzy msgid "User configuration" msgstr "הרשמות" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "מתשמש" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 #, fuzzy msgid "Access configuration" msgstr "הרשמות" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "קבל" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 #, fuzzy msgid "Paths configuration" msgstr "הרשמות" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -msgctxt "MENU" -msgid "Paths" -msgstr "" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 #, fuzzy msgid "Sessions configuration" msgstr "הרשמות" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "×ישי" +msgid "Edit site notice" +msgstr "הודעה חדשה" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "הרשמות" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5455,6 +5527,11 @@ msgstr "" msgid "Go" msgstr "" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 #, fuzzy msgid "URL of the homepage or blog of the group or topic" @@ -6005,10 +6082,6 @@ msgstr "תגובות" msgid "Favorites" msgstr "מועדפי×" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "מתשמש" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" @@ -6034,7 +6107,7 @@ msgstr "" msgid "Unknown" msgstr "" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "הרשמות" @@ -6042,25 +6115,25 @@ msgstr "הרשמות" msgid "All subscriptions" msgstr "כל המנויי×" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "מנויי×" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 #, fuzzy msgid "All subscribers" msgstr "מנויי×" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 #, fuzzy msgid "User ID" msgstr "מתשמש" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "חבר מ××–" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "" @@ -6104,7 +6177,12 @@ msgstr "×ין הודעה כזו." msgid "Repeat this notice" msgstr "×ין הודעה כזו." -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "×ין משתמש ×›×–×”." + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -6269,47 +6347,62 @@ msgstr "הודעה חדשה" msgid "Moderate" msgstr "" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "למשתמש ×ין פרופיל." + +#: lib/userprofile.php:354 +msgctxt "role" +msgid "Administrator" +msgstr "" + +#: lib/userprofile.php:355 +msgctxt "role" +msgid "Moderator" +msgstr "" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "לפני מספר שניות" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "לפני כדקה" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "לפני ×›-%d דקות" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "לפני כשעה" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "לפני ×›-%d שעות" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "לפני כיו×" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "לפני ×›-%d ימי×" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "לפני כחודש" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "לפני ×›-%d חודשי×" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "לפני כשנה" diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index f46e7357a..b4a6ec7a8 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:02:57+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:56:34+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: out-statusnet\n" @@ -22,7 +22,8 @@ msgstr "" "n%100==4) ? 2 : 3)\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "PÅ™istup" @@ -122,7 +123,7 @@ msgstr "%1$s a pÅ™ećeljo, strona %2$d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -177,7 +178,7 @@ msgid "" msgstr "" #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "Ty a pÅ™ećeljo" @@ -204,11 +205,11 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." msgstr "API-metoda njenamakana." @@ -563,7 +564,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "Konto" @@ -650,18 +651,6 @@ msgstr "" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "" -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "" - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -672,12 +661,12 @@ msgstr "" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "" @@ -921,7 +910,7 @@ msgid "Conversation" msgstr "Konwersacija" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Zdźělenki" @@ -942,7 +931,7 @@ msgstr "Njejsy wobsedźer tuteje aplikacije." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "" @@ -1133,8 +1122,9 @@ msgstr "Na standard wróćo stajić" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1252,7 +1242,7 @@ msgstr "wopisanje je pÅ™edoÅ‚ho (maks. %d znamjeÅ¡kow)." msgid "Could not update group." msgstr "Skupina njeje so daÅ‚a aktualizować." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "Aliasy njejsu so dali wutworić." @@ -1372,7 +1362,7 @@ msgid "Cannot normalize that email address" msgstr "" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "NjepÅ‚aćiwa e-mejlowa adresa." @@ -1556,6 +1546,25 @@ msgstr "Dataja njeeksistuje." msgid "Cannot read file." msgstr "Dataja njeda so Äitać." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "NjepÅ‚aćiwa wulkosć." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "NjemóžeÅ¡ tutomu wužiwarju powÄ›sć pósÅ‚ać." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "Wužiwar nima profil." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1698,12 +1707,18 @@ msgstr "" msgid "Make this user an admin" msgstr "Tutoho wužiwarja k administratorej Äinić" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "Skupiny" @@ -2258,8 +2273,8 @@ msgstr "" msgid "Only " msgstr "Jenož " -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "Njeje podpÄ›rany datowy format." @@ -2398,7 +2413,8 @@ msgstr "" msgid "Password saved." msgstr "HesÅ‚o skÅ‚adowane." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "Šćežki" @@ -2518,7 +2534,7 @@ msgstr "Pozadkowy zapis" msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "Ženje" @@ -2571,11 +2587,11 @@ msgstr "" msgid "Users self-tagged with %1$s - page %2$d" msgstr "" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "NjepÅ‚aćiwy wobsah zdźělenki" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2651,7 +2667,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "RÄ›Ä" @@ -2677,7 +2693,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Biografija je pÅ™edoÅ‚ha (maks. %d znamjeÅ¡kow)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "ÄŒasowe pasmo njeje wubrane." @@ -2976,7 +2992,7 @@ msgid "Same as password above. Required." msgstr "Jenake kaž hesÅ‚o horjeka. TrÄ›bne." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "E-mejl" @@ -3060,7 +3076,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "Abonować" @@ -3156,6 +3172,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "NjemóžeÅ¡ tutomu wužiwarju powÄ›sć pósÅ‚ać." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "Wužiwar bjez hodźaceho so profila." + #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" msgstr "StatusNet" @@ -3168,7 +3194,9 @@ msgstr "" msgid "User is already sandboxed." msgstr "" +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "Posedźenja" @@ -3193,7 +3221,7 @@ msgstr "" msgid "Turn on debugging output for sessions." msgstr "" -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "SydÅ‚owe nastajenja skÅ‚adować" @@ -3224,8 +3252,8 @@ msgstr "Organizacija" msgid "Description" msgstr "Wopisanje" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "Statistika" @@ -3358,45 +3386,45 @@ msgstr "Aliasy" msgid "Group actions" msgstr "Skupinske akcije" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "Čłonojo" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Žadyn)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "WÅ¡itcy ÄÅ‚onojo" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "Wutworjeny" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3406,7 +3434,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3415,7 +3443,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "Administratorojo" @@ -3525,146 +3553,137 @@ msgid "User is already silenced." msgstr "" #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." -msgstr "" +#, fuzzy +msgid "Basic settings for this StatusNet site" +msgstr "Designowe nastajenja za tute sydÅ‚o StatusNet." -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 msgid "You must have a valid contact email address." msgstr "DyrbiÅ¡ pÅ‚aćiwu kontaktowu e-mejlowu adresu měć." -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "Njeznata rÄ›Ä \"%s\"." #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "PowÅ¡itkowny" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "SydÅ‚owe mjeno" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 msgid "Contact email address for your site" msgstr "" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 msgid "Local" msgstr "Lokalny" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "Standardne Äasowe pasmo" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +#, fuzzy +msgid "Default language" msgstr "Standardna sydÅ‚owa rÄ›Ä" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" -msgstr "" - -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" -msgstr "" - -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" -msgstr "" - -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" -msgstr "" - -#: actions/siteadminpanel.php:301 -msgid "Frequency" -msgstr "Frekwenca" - -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" -msgstr "" - -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "" - -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:315 +#: actions/siteadminpanel.php:271 msgid "Limits" msgstr "Limity" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Text limit" msgstr "Tekstowy limit" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Maximum number of characters for notices." msgstr "Maksimalna liÄba znamjeÅ¡kow za zdźělenki." -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Zdźělenki" + +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "Nowa powÄ›sć" + +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Wužiwar nima poslednju powÄ›sć" + +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" +msgstr "" + +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "NjepÅ‚aćiwy wobsah zdźělenki" + +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" +msgstr "" + +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "SydÅ‚owe nastajenja skÅ‚adować" + #: actions/smssettings.php:58 msgid "SMS settings" msgstr "SMS-nastajenja" @@ -3757,6 +3776,66 @@ msgstr "" msgid "No code entered" msgstr "Žadyn kod zapodaty" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "SMS-wobkrućenje" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "Frekwenca" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "SydÅ‚owe nastajenja skÅ‚adować" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "Njejsy tón profil abonowaÅ‚." @@ -3952,7 +4031,7 @@ msgstr "" msgid "Unsubscribed" msgstr "Wotskazany" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4143,16 +4222,22 @@ msgstr "%1$s skupinskich ÄÅ‚onow, strona %2$d" msgid "Search for more groups" msgstr "" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "" -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "" + #: actions/version.php:73 #, php-format msgid "StatusNet %s" @@ -4196,7 +4281,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 msgid "Version" msgstr "Wersija" @@ -4260,38 +4345,38 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:239 +#: classes/Notice.php:241 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "" -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:911 +#: classes/Notice.php:927 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4316,7 +4401,12 @@ msgstr "Njeje abonowany!" msgid "Couldn't delete self-subscription." msgstr "Sebjeabonement njeje so daÅ‚ zniÄić." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Abonoment njeje so daÅ‚ zniÄić." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Abonoment njeje so daÅ‚ zniÄić." @@ -4325,20 +4415,20 @@ msgstr "Abonoment njeje so daÅ‚ zniÄić." msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "" -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "Skupina njeje so daÅ‚a aktualizować." -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "" -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "Profil njeje so skÅ‚adować daÅ‚." @@ -4380,63 +4470,56 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Strona bjez titula" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Wosobinski" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Změń swoje hesÅ‚o." -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "Konto" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Zwiski" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "Zwjazać" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "SMS-wobkrućenje" -#: lib/action.php:460 +#: lib/action.php:449 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "Administrator" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" @@ -4444,143 +4527,144 @@ msgstr "" "Wužij tutón formular, zo by swojich pÅ™ećelow a kolegow pÅ™eprosyÅ‚, zo bychu " "tutu sÅ‚užbu wužiwali." -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "PÅ™eprosyć" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 #, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Å at za sydÅ‚o." -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Logo" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "Konto zaÅ‚ožić" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "Registrować" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "PÅ™i sydle pÅ™izjewić" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "PÅ™izjewić" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Pomhaj!" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "Pomoc" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 #, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Za ludźimi abo tekstom pytać" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "Pytać" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Pomoc" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "Wo" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "Huste praÅ¡enja" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "Priwatnosć" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "ŽórÅ‚o" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." "broughtby%%](%%site.broughtbyurl%%). " msgstr "" -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4588,53 +4672,53 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "" -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "" -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4649,94 +4733,83 @@ msgid "Changes to that panel are not allowed." msgstr "ZmÄ›ny na tutym woknje njejsu dowolene." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 msgid "Basic site configuration" msgstr "" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "SydÅ‚o" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "Design" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 #, fuzzy msgid "User configuration" msgstr "SMS-wobkrućenje" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "Wužiwar" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 #, fuzzy msgid "Access configuration" msgstr "SMS-wobkrućenje" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "PÅ™istup" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 msgid "Paths configuration" msgstr "" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -#, fuzzy -msgctxt "MENU" -msgid "Paths" -msgstr "Šćežki" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 #, fuzzy msgid "Sessions configuration" msgstr "SMS-wobkrućenje" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "Posedźenja" +msgid "Edit site notice" +msgstr "Dwójna zdźělenka" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "SMS-wobkrućenje" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5224,6 +5297,11 @@ msgstr "" msgid "Go" msgstr "" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "" @@ -5748,10 +5826,6 @@ msgstr "WotmoÅ‚wy" msgid "Favorites" msgstr "Fawority" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "Wužiwar" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" @@ -5777,7 +5851,7 @@ msgstr "" msgid "Unknown" msgstr "Njeznaty" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "Abonementy" @@ -5785,23 +5859,23 @@ msgstr "Abonementy" msgid "All subscriptions" msgstr "WÅ¡Ä› abonementy" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "Abonenća" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "WÅ¡itcy abonenća" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "Wužiwarski ID" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "Čłon wot" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "WÅ¡Ä› skupiny" @@ -5841,7 +5915,12 @@ msgstr "Tutu zdźělenku wospjetować?" msgid "Repeat this notice" msgstr "Tutu zdźělenku wospjetować" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "Tutoho wužiwarja za tutu skupinu blokować" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -5995,47 +6074,63 @@ msgstr "PowÄ›sć" msgid "Moderate" msgstr "" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "Wužiwarski profil" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "Administratorojo" + +#: lib/userprofile.php:355 +msgctxt "role" +msgid "Moderator" +msgstr "" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "pÅ™ed něšto sekundami" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "pÅ™ed nÄ›hdźe jednej mjeÅ„Å¡inu" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "pÅ™ed %d mjeÅ„Å¡inami" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "pÅ™ed nÄ›hdźe jednej hodźinu" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "pÅ™ed nÄ›hdźe %d hodźinami" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "pÅ™ed nÄ›hdźe jednym dnjom" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "pÅ™ed nÄ›hdźe %d dnjemi" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "pÅ™ed nÄ›hdźe jednym mÄ›sacom" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "pÅ™ed nÄ›hdźe %d mÄ›sacami" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "pÅ™ed nÄ›hdźe jednym lÄ›tom" diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index cc6af7f0f..8f3976673 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -8,19 +8,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:03:00+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:56:37+0000\n" "Language-Team: Interlingua\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "Accesso" @@ -117,7 +118,7 @@ msgstr "%1$s e amicos, pagina %2$d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -180,7 +181,7 @@ msgstr "" "pulsata a %s o publicar un message a su attention." #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "Tu e amicos" @@ -207,11 +208,11 @@ msgstr "Actualisationes de %1$s e su amicos in %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." msgstr "Methodo API non trovate." @@ -575,7 +576,7 @@ msgstr "" "%3$s le datos de tu conto de %4$s. Tu debe solmente dar " "accesso a tu conto de %4$s a tertie personas in le quales tu ha confidentia." -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "Conto" @@ -665,18 +666,6 @@ msgstr "%1$s / Favorites de %2$s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s actualisationes favoritisate per %2$s / %2$s." -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "Chronologia de %s" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "Actualisationes de %1$s in %2$s!" - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -688,12 +677,12 @@ msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" "Actualisationes de %1$s que responde al actualisationes de %2$s / %3$s." -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "Chronologia public de %s" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "Actualisationes de totes in %s!" @@ -940,7 +929,7 @@ msgid "Conversation" msgstr "Conversation" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Notas" @@ -959,7 +948,7 @@ msgstr "Tu non es le proprietario de iste application." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "Il habeva un problema con tu indicio de session." @@ -1155,8 +1144,9 @@ msgstr "Revenir al predefinitiones" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1272,7 +1262,7 @@ msgstr "description es troppo longe (max %d chars)." msgid "Could not update group." msgstr "Non poteva actualisar gruppo." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "Non poteva crear aliases." @@ -1395,7 +1385,7 @@ msgid "Cannot normalize that email address" msgstr "Non pote normalisar iste adresse de e-mail" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "Adresse de e-mail invalide." @@ -1587,6 +1577,25 @@ msgstr "File non existe." msgid "Cannot read file." msgstr "Non pote leger file." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Indicio invalide." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "Tu non pote mitter usatores in le cassa de sablo in iste sito." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "Usator es ja silentiate." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1734,12 +1743,18 @@ msgstr "Facer administrator" msgid "Make this user an admin" msgstr "Facer iste usator administrator" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "Chronologia de %s" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Actualisationes de membros de %1$s in %2$s!" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "Gruppos" @@ -2366,8 +2381,8 @@ msgstr "typo de contento " msgid "Only " msgstr "Solmente " -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "Formato de datos non supportate." @@ -2507,7 +2522,8 @@ msgstr "Non pote salveguardar le nove contrasigno." msgid "Password saved." msgstr "Contrasigno salveguardate." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "Camminos" @@ -2627,7 +2643,7 @@ msgstr "Directorio al fundos" msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "Nunquam" @@ -2682,11 +2698,11 @@ msgstr "Etiquetta de personas invalide: %s" msgid "Users self-tagged with %1$s - page %2$d" msgstr "Usatores auto-etiquettate con %1$s - pagina %2$d" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "Le contento del nota es invalide" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2768,7 +2784,7 @@ msgstr "" "Etiquettas pro te (litteras, numeros, -, ., e _), separate per commas o " "spatios" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "Lingua" @@ -2795,7 +2811,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Bio es troppo longe (max %d chars)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "Fuso horari non seligite." @@ -3112,7 +3128,7 @@ msgid "Same as password above. Required." msgstr "Identic al contrasigno hic supra. Requirite." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "E-mail" @@ -3219,7 +3235,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL de tu profilo in un altere servicio de microblogging compatibile" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "Subscriber" @@ -3323,6 +3339,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Responsas a %1$s in %2$s!" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "Tu non pote silentiar usatores in iste sito." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "Usator sin profilo correspondente" + #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" msgstr "StatusNet" @@ -3335,7 +3361,9 @@ msgstr "Tu non pote mitter usatores in le cassa de sablo in iste sito." msgid "User is already sandboxed." msgstr "Usator es ja in cassa de sablo." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "Sessiones" @@ -3359,7 +3387,7 @@ msgstr "Cercar defectos de session" msgid "Turn on debugging output for sessions." msgstr "Producer informationes technic pro cercar defectos in sessiones." -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Salveguardar configurationes del sito" @@ -3390,8 +3418,8 @@ msgstr "Organisation" msgid "Description" msgstr "Description" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "Statisticas" @@ -3533,45 +3561,45 @@ msgstr "Aliases" msgid "Group actions" msgstr "Actiones del gruppo" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Syndication de notas pro le gruppo %s (RSS 1.0)" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Syndication de notas pro le gruppo %s (RSS 2.0)" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Syndication de notas pro le gruppo %s (Atom)" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "Amico de un amico pro le gruppo %s" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "Membros" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Nulle)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "Tote le membros" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "Create" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3586,7 +3614,7 @@ msgstr "" "lor vita e interesses. [Crea un conto](%%%%action.register%%%%) pro devenir " "parte de iste gruppo e multe alteres! ([Lege plus](%%%%doc.help%%%%))" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3599,7 +3627,7 @@ msgstr "" "[StatusNet](http://status.net/). Su membros condivide breve messages super " "lor vita e interesses. " -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "Administratores" @@ -3722,148 +3750,139 @@ msgid "User is already silenced." msgstr "Usator es ja silentiate." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +#, fuzzy +msgid "Basic settings for this StatusNet site" msgstr "Configurationes de base pro iste sito de StatusNet." -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "Le longitude del nomine del sito debe esser plus que zero." -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 msgid "You must have a valid contact email address." msgstr "Tu debe haber un valide adresse de e-mail pro contacto." -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "Lingua \"%s\" incognite." #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "Le URL pro reportar instantaneos es invalide." - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "Valor de execution de instantaneo invalide." - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "Le frequentia de instantaneos debe esser un numero." - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "Le limite minimal del texto es 140 characteres." -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "Le limite de duplicatos debe esser 1 o plus secundas." -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "General" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "Nomine del sito" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "Le nomine de tu sito, como \"Le microblog de TuCompania\"" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "Realisate per" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "Le texto usate pro le ligamine al creditos in le pede de cata pagina" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "URL pro \"Realisate per\"" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "URL usate pro le ligamine al creditos in le pede de cata pagina" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 msgid "Contact email address for your site" msgstr "Le adresse de e-mail de contacto pro tu sito" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 msgid "Local" msgstr "Local" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "Fuso horari predefinite" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "Fuso horari predefinite pro le sito; normalmente UTC." -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +#, fuzzy +msgid "Default language" msgstr "Lingua predefinite del sito" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "Instantaneos" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" -msgstr "Aleatorimente durante un accesso web" - -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" -msgstr "In un processo planificate" - -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" -msgstr "Instantaneos de datos" - -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" -msgstr "Quando inviar datos statistic al servitores de status.net" - -#: actions/siteadminpanel.php:301 -msgid "Frequency" -msgstr "Frequentia" - -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" -msgstr "Un instantaneo essera inviate a cata N accessos web" - -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "URL pro reporto" - -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "Le instantaneos essera inviate a iste URL" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" +msgstr "" -#: actions/siteadminpanel.php:315 +#: actions/siteadminpanel.php:271 msgid "Limits" msgstr "Limites" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Text limit" msgstr "Limite de texto" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Maximum number of characters for notices." msgstr "Numero maximal de characteres pro notas." -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "Dupe limit" msgstr "Limite de duplicatos" -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Quante tempore (in secundas) le usatores debe attender ante de poter " "publicar le mesme cosa de novo." +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Aviso del sito" + +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "Nove message" + +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Impossibile salveguardar le configurationes del apparentia." + +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" +msgstr "" + +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Aviso del sito" + +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" +msgstr "" + +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Aviso del sito" + #: actions/smssettings.php:58 msgid "SMS settings" msgstr "Parametros de SMS" @@ -3963,6 +3982,66 @@ msgstr "" msgid "No code entered" msgstr "Nulle codice entrate" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "Instantaneos" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "Modificar le configuration del sito" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "Valor de execution de instantaneo invalide." + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "Le frequentia de instantaneos debe esser un numero." + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "Le URL pro reportar instantaneos es invalide." + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "Aleatorimente durante un accesso web" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "In un processo planificate" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "Instantaneos de datos" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "Quando inviar datos statistic al servitores de status.net" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "Frequentia" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "Un instantaneo essera inviate a cata N accessos web" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "URL pro reporto" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "Le instantaneos essera inviate a iste URL" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Salveguardar configurationes del sito" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "Tu non es subscribite a iste profilo." @@ -4173,7 +4252,7 @@ msgstr "Nulle ID de profilo in requesta." msgid "Unsubscribed" msgstr "Subscription cancellate" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4376,17 +4455,23 @@ msgstr "Gruppos %1$s, pagina %2$d" msgid "Search for more groups" msgstr "Cercar altere gruppos" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "%s non es membro de alcun gruppo." -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" "Tenta [cercar gruppos](%%action.groupsearch%%) e facer te membro de illos." +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "Actualisationes de %1$s in %2$s!" + #: actions/version.php:73 #, php-format msgid "StatusNet %s" @@ -4442,7 +4527,7 @@ msgstr "" msgid "Plugins" msgstr "Plug-ins" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 msgid "Version" msgstr "Version" @@ -4508,22 +4593,22 @@ msgstr "Non poteva actualisar message con nove URI." msgid "DB error inserting hashtag: %s" msgstr "Error in base de datos durante insertion del marca (hashtag): %s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 msgid "Problem saving notice. Too long." msgstr "Problema salveguardar nota. Troppo longe." -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "Problema salveguardar nota. Usator incognite." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Troppo de notas troppo rapidemente; face un pausa e publica de novo post " "alcun minutas." -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4531,19 +4616,19 @@ msgstr "" "Troppo de messages duplicate troppo rapidemente; face un pausa e publica de " "novo post alcun minutas." -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "Il te es prohibite publicar notas in iste sito." -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "Problema salveguardar nota." -#: classes/Notice.php:911 +#: classes/Notice.php:927 msgid "Problem saving group inbox." msgstr "Problema salveguardar le cassa de entrata del gruppo." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4568,7 +4653,12 @@ msgstr "Non subscribite!" msgid "Couldn't delete self-subscription." msgstr "Non poteva deler auto-subscription." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Non poteva deler subscription." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Non poteva deler subscription." @@ -4577,20 +4667,20 @@ msgstr "Non poteva deler subscription." msgid "Welcome to %1$s, @%2$s!" msgstr "Benvenite a %1$s, @%2$s!" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "Non poteva crear gruppo." -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "Non poteva configurar le membrato del gruppo." -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "Non poteva configurar le membrato del gruppo." -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "Non poteva salveguardar le subscription." @@ -4632,194 +4722,188 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Pagina sin titulo" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "Navigation primari del sito" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 #, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Profilo personal e chronologia de amicos" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Personal" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Cambiar tu e-mail, avatar, contrasigno, profilo" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "Conto" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Connecter con servicios" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "Connecter" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Modificar le configuration del sito" -#: lib/action.php:460 +#: lib/action.php:449 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "Administrator" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Invitar amicos e collegas a accompaniar te in %s" -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Invitar" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 #, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Terminar le session del sito" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Clauder session" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "Crear un conto" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "Crear conto" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Identificar te a iste sito" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "Aperir session" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Adjuta me!" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "Adjuta" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 #, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Cercar personas o texto" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "Cercar" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "Aviso del sito" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "Vistas local" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "Aviso de pagina" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "Navigation secundari del sito" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Adjuta" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "A proposito" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "CdS" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "Confidentialitate" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "Fonte" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Contacto" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "Insignia" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "Licentia del software StatusNet" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4828,12 +4912,12 @@ msgstr "" "**%%site.name%%** es un servicio de microblog offerite per [%%site.broughtby%" "%](%%site.broughtbyurl%%). " -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** es un servicio de microblog. " -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4844,54 +4928,54 @@ msgstr "" "net/), version %s, disponibile sub le [GNU Affero General Public License]" "(http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "Licentia del contento del sito" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Le contento e datos de %1$s es private e confidential." -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "Contento e datos sub copyright de %1$s. Tote le derectos reservate." -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Contento e datos sub copyright del contributores. Tote le derectos reservate." -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "Totes " -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "licentia." -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "Pagination" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "Post" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "Ante" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4906,91 +4990,80 @@ msgid "Changes to that panel are not allowed." msgstr "Le modification de iste pannello non es permittite." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "showForm() non implementate." #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "saveSettings() non implementate." #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "Impossibile deler configuration de apparentia." #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 msgid "Basic site configuration" msgstr "Configuration basic del sito" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "Sito" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "Configuration del apparentia" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "Apparentia" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 msgid "User configuration" msgstr "Configuration del usator" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "Usator" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 msgid "Access configuration" msgstr "Configuration del accesso" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "Accesso" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 msgid "Paths configuration" msgstr "Configuration del camminos" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -#, fuzzy -msgctxt "MENU" -msgid "Paths" -msgstr "Camminos" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 msgid "Sessions configuration" msgstr "Configuration del sessiones" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "Sessiones" +msgid "Edit site notice" +msgstr "Aviso del sito" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "Configuration del camminos" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5522,6 +5595,11 @@ msgstr "Selige etiquetta pro reducer lista" msgid "Go" msgstr "Ir" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "URL del pagina initial o blog del gruppo o topico" @@ -6140,10 +6218,6 @@ msgstr "Responsas" msgid "Favorites" msgstr "Favorites" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "Usator" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Cassa de entrata" @@ -6169,7 +6243,7 @@ msgstr "Etiquettas in le notas de %s" msgid "Unknown" msgstr "Incognite" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "Subscriptiones" @@ -6177,23 +6251,23 @@ msgstr "Subscriptiones" msgid "All subscriptions" msgstr "Tote le subscriptiones" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "Subscriptores" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "Tote le subscriptores" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "ID del usator" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "Membro depost" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "Tote le gruppos" @@ -6233,7 +6307,12 @@ msgstr "Repeter iste nota?" msgid "Repeat this notice" msgstr "Repeter iste nota" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "Blocar iste usator de iste gruppo" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "Nulle signule usator definite pro le modo de singule usator." @@ -6387,47 +6466,64 @@ msgstr "Message" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "Profilo del usator" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "Administratores" + +#: lib/userprofile.php:355 +#, fuzzy +msgctxt "role" +msgid "Moderator" +msgstr "Moderar" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "alcun secundas retro" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "circa un minuta retro" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "circa %d minutas retro" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "circa un hora retro" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "circa %d horas retro" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "circa un die retro" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "circa %d dies retro" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "circa un mense retro" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "circa %d menses retro" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "circa un anno retro" diff --git a/locale/is/LC_MESSAGES/statusnet.po b/locale/is/LC_MESSAGES/statusnet.po index aaf79c8f7..84a90d7d8 100644 --- a/locale/is/LC_MESSAGES/statusnet.po +++ b/locale/is/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:03:04+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:56:39+0000\n" "Language-Team: Icelandic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: is\n" "X-Message-Group: out-statusnet\n" @@ -22,7 +22,8 @@ msgstr "" "n % 100 != 81 && n % 100 != 91);\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 #, fuzzy msgid "Access" msgstr "Samþykkja" @@ -125,7 +126,7 @@ msgstr "%s og vinirnir, síða %d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -180,7 +181,7 @@ msgid "" msgstr "" #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "" @@ -207,11 +208,11 @@ msgstr "Færslur frá %1$s og vinum á %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Aðferð í forritsskilum fannst ekki!" @@ -580,7 +581,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "Aðgangur" @@ -671,18 +672,6 @@ msgstr "%s / Uppáhaldsbabl frá %s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s færslur gerðar að uppáhaldsbabli af %s / %s." -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "Rás %s" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "Færslur frá %1$s á %2$s!" - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -693,12 +682,12 @@ msgstr "" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s færslur sem svara færslum frá %2$s / %3$s." -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "Almenningsrás %s" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s færslur frá öllum!" @@ -947,7 +936,7 @@ msgid "Conversation" msgstr "" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Babl" @@ -969,7 +958,7 @@ msgstr "Þú ert ekki meðlimur í þessum hópi." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "Það komu upp vandamál varðandi setutókann þinn." @@ -1169,8 +1158,9 @@ msgstr "" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1298,7 +1288,7 @@ msgstr "Lýsing er of löng (í mesta lagi 140 tákn)." msgid "Could not update group." msgstr "Gat ekki uppfært hóp." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "" @@ -1422,7 +1412,7 @@ msgid "Cannot normalize that email address" msgstr "Get ekki staðlað þetta tölvupóstfang" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "Ekki tækt tölvupóstfang." @@ -1618,6 +1608,25 @@ msgstr "Ekkert svoleiðis babl." msgid "Cannot read file." msgstr "Týndum skránni okkar" +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Ótæk stærð." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "Þú getur ekki sent þessum notanda skilaboð." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "Notandi hefur enga persónulega síðu." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1760,12 +1769,18 @@ msgstr "" msgid "Make this user an admin" msgstr "" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "Rás %s" + #: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Færslur frá %1$s á %2$s!" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "Hópar" @@ -2385,8 +2400,8 @@ msgstr "" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "Enginn stuðningur við gagnasnið." @@ -2533,7 +2548,8 @@ msgstr "Get ekki vistað nýja lykilorðið." msgid "Password saved." msgstr "Lykilorð vistað." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "" @@ -2660,7 +2676,7 @@ msgstr "" msgid "SSL" msgstr "SMS" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 #, fuzzy msgid "Never" msgstr "Endurheimta" @@ -2719,11 +2735,11 @@ msgstr "Ekki gilt persónumerki: %s" msgid "Users self-tagged with %1$s - page %2$d" msgstr "Notendur sjálfmerktir með %s - síða %d" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "Ótækt bablinnihald" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2806,7 +2822,7 @@ msgstr "" "Merki fyrir þig (bókstafir, tölustafir, -, ., og _), aðskilin með kommu eða " "bili" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "Tungumál" @@ -2834,7 +2850,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Lýsingin er of löng (í mesta lagi 140 tákn)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "Tímabelti ekki valið." @@ -3138,7 +3154,7 @@ msgid "Same as password above. Required." msgstr "Sama og lykilorðið hér fyrir ofan. Nauðsynlegt." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Tölvupóstur" @@ -3243,7 +3259,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "Veffang persónulegrar síðu á samvirkandi örbloggsþjónustu" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "Gerast áskrifandi" @@ -3349,6 +3365,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Skilaboð til %1$s á %2$s" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "Þú getur ekki sent þessum notanda skilaboð." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "Notandi með enga persónulega síðu sem passar við" + #: actions/rsd.php:146 actions/version.php:157 #, fuzzy msgid "StatusNet" @@ -3363,7 +3389,9 @@ msgstr "Þú getur ekki sent þessum notanda skilaboð." msgid "User is already sandboxed." msgstr "" +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "" @@ -3387,7 +3415,7 @@ msgstr "" msgid "Turn on debugging output for sessions." msgstr "" -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" @@ -3423,8 +3451,8 @@ msgstr "Uppröðun" msgid "Description" msgstr "Lýsing" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "Tölfræði" @@ -3557,45 +3585,45 @@ msgstr "" msgid "Group actions" msgstr "Hópsaðgerðir" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "%s hópurinn" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "Meðlimir" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Ekkert)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "Allir meðlimir" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3605,7 +3633,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3614,7 +3642,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "" @@ -3726,150 +3754,139 @@ msgid "User is already silenced." msgstr "" #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +msgid "Basic settings for this StatusNet site" msgstr "" -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 #, fuzzy msgid "You must have a valid contact email address." msgstr "Ekki tækt tölvupóstfang" -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "" #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 #, fuzzy msgid "Site name" msgstr "Babl vefsíðunnar" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 #, fuzzy msgid "Contact email address for your site" msgstr "Nýtt tölvupóstfang til að senda á %s" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 #, fuzzy msgid "Local" msgstr "Staðbundin sýn" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:281 +#: actions/siteadminpanel.php:262 #, fuzzy -msgid "Default site language" +msgid "Default language" msgstr "Tungumál (ákjósanlegt)" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" +#: actions/siteadminpanel.php:271 +msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" +#: actions/siteadminpanel.php:274 +msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" +#: actions/siteadminpanel.php:274 +msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:301 -msgid "Frequency" +#: actions/siteadminpanel.php:278 +msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" +#: actions/siteadminpanel.php:278 +msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Babl vefsíðunnar" -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "Ný skilaboð" -#: actions/siteadminpanel.php:315 -msgid "Limits" -msgstr "" +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Vandamál komu upp við að vista babl." -#: actions/siteadminpanel.php:318 -msgid "Text limit" +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" msgstr "" -#: actions/siteadminpanel.php:318 -msgid "Maximum number of characters for notices." -msgstr "" +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Babl vefsíðunnar" -#: actions/siteadminpanel.php:322 -msgid "Dupe limit" +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" msgstr "" -#: actions/siteadminpanel.php:322 -msgid "How long users must wait (in seconds) to post the same thing again." -msgstr "" +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Babl vefsíðunnar" #: actions/smssettings.php:58 #, fuzzy @@ -3971,6 +3988,66 @@ msgstr "" msgid "No code entered" msgstr "Enginn lykill sleginn inn" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "Stikl aðalsíðu" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Stillingar fyrir mynd" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "Þú ert ekki áskrifandi." @@ -4176,7 +4253,7 @@ msgstr "Ekkert einkenni persónulegrar síðu í beiðni." msgid "Unsubscribed" msgstr "Ekki lengur áskrifandi" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4385,16 +4462,22 @@ msgstr "Hópmeðlimir %s, síða %d" msgid "Search for more groups" msgstr "" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "" -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "Færslur frá %1$s á %2$s!" + #: actions/version.php:73 #, fuzzy, php-format msgid "StatusNet %s" @@ -4438,7 +4521,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 #, fuzzy msgid "Version" msgstr "Persónulegt" @@ -4507,41 +4590,41 @@ msgstr "Gat ekki uppfært skilaboð með nýju veffangi." msgid "DB error inserting hashtag: %s" msgstr "Gagnagrunnsvilla við innsetningu myllumerkis: %s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "Gat ekki vistað babl. Óþekktur notandi." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Of mikið babl í einu; slakaðu aðeins á og haltu svo áfram eftir nokkrar " "mínútur." -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "Það hefur verið lagt bann við babli frá þér á þessari síðu." -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "Vandamál komu upp við að vista babl." -#: classes/Notice.php:911 +#: classes/Notice.php:927 #, fuzzy msgid "Problem saving group inbox." msgstr "Vandamál komu upp við að vista babl." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4569,7 +4652,12 @@ msgstr "Ekki í áskrift!" msgid "Couldn't delete self-subscription." msgstr "Gat ekki eytt áskrift." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Gat ekki eytt áskrift." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Gat ekki eytt áskrift." @@ -4578,20 +4666,20 @@ msgstr "Gat ekki eytt áskrift." msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "Gat ekki búið til hóp." -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "Gat ekki skráð hópmeðlimi." -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "Gat ekki skráð hópmeðlimi." -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "Gat ekki vistað áskrift." @@ -4633,25 +4721,25 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Ónafngreind síða" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "Stikl aðalsíðu" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 #, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Persónuleg síða og vinarás" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Persónulegt" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" @@ -4659,170 +4747,164 @@ msgstr "" "Breyttu tölvupóstinum þínum, einkennismyndinni þinni, lykilorðinu þínu, " "persónulegu síðunni þinni" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "Aðgangur" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Gat ekki framsent til vefþjóns: %s" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "Tengjast" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Stikl aðalsíðu" -#: lib/action.php:460 +#: lib/action.php:449 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "Stjórnandi" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Bjóða vinum og vandamönnum að slást í hópinn á %s" -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Bjóða" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 #, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Skrá þig út af síðunni" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Útskráning" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "Búa til aðgang" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "Nýskrá" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Skrá þig inn á síðuna" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "Innskráning" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Hjálp!" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "Hjálp" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 #, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Leita að fólki eða texta" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "Leita" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "Babl vefsíðunnar" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "Staðbundin sýn" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "Babl síðunnar" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "Stikl undirsíðu" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Hjálp" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "Um" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "Spurt og svarað" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "Friðhelgi" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "Frumþula" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Tengiliður" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "Hugbúnaðarleyfi StatusNet" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4831,12 +4913,12 @@ msgstr "" "**%%site.name%%** er örbloggsþjónusta í boði [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** er örbloggsþjónusta." -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4847,54 +4929,54 @@ msgstr "" "sem er gefinn út undir [GNU Affero almenningsleyfinu](http://www.fsf.org/" "licensing/licenses/agpl-3.0.html)." -#: lib/action.php:832 +#: lib/action.php:821 #, fuzzy msgid "Site content license" msgstr "Hugbúnaðarleyfi StatusNet" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "Allt " -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "leyfi." -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "Uppröðun" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "Eftir" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "Ãður" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4911,98 +4993,88 @@ msgid "Changes to that panel are not allowed." msgstr "Nýskráning ekki leyfð." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 #, fuzzy msgid "showForm() not implemented." msgstr "Skipun hefur ekki verið fullbúin" #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 #, fuzzy msgid "saveSettings() not implemented." msgstr "Skipun hefur ekki verið fullbúin" #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Basic site configuration" msgstr "Staðfesting tölvupóstfangs" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "Bjóða" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 #, fuzzy msgid "Design configuration" msgstr "SMS staðfesting" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "Persónulegt" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 #, fuzzy msgid "User configuration" msgstr "SMS staðfesting" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "Notandi" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 #, fuzzy msgid "Access configuration" msgstr "SMS staðfesting" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "Samþykkja" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 #, fuzzy msgid "Paths configuration" msgstr "SMS staðfesting" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -msgctxt "MENU" -msgid "Paths" -msgstr "" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 #, fuzzy msgid "Sessions configuration" msgstr "SMS staðfesting" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "Persónulegt" +msgid "Edit site notice" +msgstr "Babl vefsíðunnar" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "SMS staðfesting" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5503,6 +5575,11 @@ msgstr "Veldu merki til að þrengja lista" msgid "Go" msgstr "Ãfram" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "Vefslóð vefsíðu hópsins eða umfjöllunarefnisins" @@ -6047,10 +6124,6 @@ msgstr "Svör" msgid "Favorites" msgstr "Uppáhald" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "Notandi" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Innhólf" @@ -6077,7 +6150,7 @@ msgstr "Merki í babli %s" msgid "Unknown" msgstr "Óþekkt aðgerð" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "Ãskriftir" @@ -6085,23 +6158,23 @@ msgstr "Ãskriftir" msgid "All subscriptions" msgstr "Allar áskriftir" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "Ãskrifendur" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "Allir áskrifendur" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "Meðlimur síðan" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "Allir hópar" @@ -6144,7 +6217,12 @@ msgstr "Svara þessu babli" msgid "Repeat this notice" msgstr "Svara þessu babli" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -6304,47 +6382,62 @@ msgstr "Skilaboð" msgid "Moderate" msgstr "" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "Persónuleg síða notanda" + +#: lib/userprofile.php:354 +msgctxt "role" +msgid "Administrator" +msgstr "" + +#: lib/userprofile.php:355 +msgctxt "role" +msgid "Moderator" +msgstr "" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "fyrir nokkrum sekúndum" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "fyrir um einni mínútu síðan" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "fyrir um %d mínútum síðan" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "fyrir um einum klukkutíma síðan" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "fyrir um %d klukkutímum síðan" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "fyrir um einum degi síðan" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "fyrir um %d dögum síðan" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "fyrir um einum mánuði síðan" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "fyrir um %d mánuðum síðan" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "fyrir um einu ári síðan" diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index 61d4cfaf9..5f72eb1a7 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -9,19 +9,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:03:07+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:56:42+0000\n" "Language-Team: Italian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "Accesso" @@ -120,7 +121,7 @@ msgstr "%1$s e amici, pagina %2$d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -184,7 +185,7 @@ msgstr "" "un messaggio alla sua attenzione." #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "Tu e i tuoi amici" @@ -211,11 +212,11 @@ msgstr "Messaggi da %1$s e amici su %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." msgstr "Metodo delle API non trovato." @@ -579,7 +580,7 @@ msgstr "" "%3$s ai dati del tuo account %4$s. È consigliato fornire " "accesso al proprio account %4$s solo ad applicazioni di cui ci si può fidare." -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "Account" @@ -667,18 +668,6 @@ msgstr "%1$s / Preferiti da %2$s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s aggiornamenti preferiti da %2$s / %3$s" -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "Attività di %s" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "Messaggi da %1$s su %2$s!" - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -689,12 +678,12 @@ msgstr "%1$s / Messaggi che citano %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s messaggi in risposta a quelli da %2$s / %3$s" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "Attività pubblica di %s" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "Aggiornamenti di %s da tutti!" @@ -941,7 +930,7 @@ msgid "Conversation" msgstr "Conversazione" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Messaggi" @@ -960,7 +949,7 @@ msgstr "Questa applicazione non è di tua proprietà." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "Si è verificato un problema con il tuo token di sessione." @@ -1155,8 +1144,9 @@ msgstr "Reimposta i valori predefiniti" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1272,7 +1262,7 @@ msgstr "La descrizione è troppo lunga (max %d caratteri)." msgid "Could not update group." msgstr "Impossibile aggiornare il gruppo." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "Impossibile creare gli alias." @@ -1398,7 +1388,7 @@ msgid "Cannot normalize that email address" msgstr "Impossibile normalizzare quell'indirizzo email" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "Non è un indirizzo email valido." @@ -1591,6 +1581,25 @@ msgstr "Nessun file." msgid "Cannot read file." msgstr "Impossibile leggere il file." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Token non valido." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "Non puoi mettere in \"sandbox\" gli utenti su questo sito." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "L'utente è già stato zittito." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1738,12 +1747,18 @@ msgstr "Rendi amm." msgid "Make this user an admin" msgstr "Rende questo utente un amministratore" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "Attività di %s" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Messaggi dai membri di %1$s su %2$s!" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "Gruppi" @@ -2363,8 +2378,8 @@ msgstr "tipo di contenuto " msgid "Only " msgstr "Solo " -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "Non è un formato di dati supportato." @@ -2505,7 +2520,8 @@ msgstr "Impossibile salvare la nuova password." msgid "Password saved." msgstr "Password salvata." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "Percorsi" @@ -2625,7 +2641,7 @@ msgstr "Directory dello sfondo" msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "Mai" @@ -2680,11 +2696,11 @@ msgstr "Non è un'etichetta valida di persona: %s" msgid "Users self-tagged with %1$s - page %2$d" msgstr "Utenti auto-etichettati con %1$s - pagina %2$d" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "Contenuto del messaggio non valido" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2766,7 +2782,7 @@ msgid "" msgstr "" "Le tue etichette (lettere, numeri, -, . e _), separate da virgole o spazi" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "Lingua" @@ -2794,7 +2810,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "La biografia è troppo lunga (max %d caratteri)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "Fuso orario non selezionato" @@ -3111,7 +3127,7 @@ msgid "Same as password above. Required." msgstr "Stessa password di sopra; richiesta" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Email" @@ -3218,7 +3234,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL del tuo profilo su un altro servizio di microblog compatibile" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "Abbonati" @@ -3322,6 +3338,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Risposte a %1$s su %2$s!" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "Non puoi zittire gli utenti su questo sito." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "Utente senza profilo corrispondente." + #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" msgstr "StatusNet" @@ -3334,7 +3360,9 @@ msgstr "Non puoi mettere in \"sandbox\" gli utenti su questo sito." msgid "User is already sandboxed." msgstr "L'utente è già nella \"sandbox\"." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "Sessioni" @@ -3358,7 +3386,7 @@ msgstr "Debug delle sessioni" msgid "Turn on debugging output for sessions." msgstr "Abilita il debug per le sessioni" -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Salva impostazioni" @@ -3389,8 +3417,8 @@ msgstr "Organizzazione" msgid "Description" msgstr "Descrizione" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "Statistiche" @@ -3531,45 +3559,45 @@ msgstr "Alias" msgid "Group actions" msgstr "Azioni dei gruppi" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Feed dei messaggi per il gruppo %s (RSS 1.0)" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Feed dei messaggi per il gruppo %s (RSS 2.0)" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Feed dei messaggi per il gruppo %s (Atom)" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "FOAF per il gruppo %s" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "Membri" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(nessuno)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "Tutti i membri" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "Creato" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3585,7 +3613,7 @@ msgstr "" "stesso](%%%%action.register%%%%) per far parte di questo gruppo e di molti " "altri! ([Maggiori informazioni](%%%%doc.help%%%%))" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3597,7 +3625,7 @@ msgstr "" "(http://it.wikipedia.org/wiki/Microblogging) basato sul software libero " "[StatusNet](http://status.net/)." -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "Amministratori" @@ -3719,148 +3747,139 @@ msgid "User is already silenced." msgstr "L'utente è già stato zittito." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +#, fuzzy +msgid "Basic settings for this StatusNet site" msgstr "Impostazioni di base per questo sito StatusNet." -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "Il nome del sito non deve avere lunghezza parti a zero." -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 msgid "You must have a valid contact email address." msgstr "Devi avere un'email di contatto valida." -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "Lingua \"%s\" sconosciuta." #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "URL di segnalazione snapshot non valido." - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "Valore di esecuzione dello snapshot non valido." - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "La frequenza degli snapshot deve essere un numero." - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "Il limite minimo del testo è di 140 caratteri." -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "Il limite per i duplicati deve essere di 1 o più secondi." -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "Generale" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "Nome del sito" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "Il nome del tuo sito, topo \"Acme Microblog\"" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "Offerto da" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "Testo usato per i crediti nel piè di pagina di ogni pagina" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "URL per offerto da" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "URL usato per i crediti nel piè di pagina di ogni pagina" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 msgid "Contact email address for your site" msgstr "Indirizzo email di contatto per il sito" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 msgid "Local" msgstr "Locale" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "Fuso orario predefinito" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "Fuso orario predefinito; tipicamente UTC" -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +#, fuzzy +msgid "Default language" msgstr "Lingua predefinita" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "Snapshot" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" -msgstr "A caso quando avviene un web hit" - -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" -msgstr "In un job pianificato" - -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" -msgstr "Snapshot dei dati" - -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" -msgstr "Quando inviare dati statistici a status.net" - -#: actions/siteadminpanel.php:301 -msgid "Frequency" -msgstr "Frequenza" - -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" -msgstr "Gli snapshot verranno inviati ogni N web hit" - -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "URL per la segnalazione" - -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "Gli snapshot verranno inviati a questo URL" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" +msgstr "" -#: actions/siteadminpanel.php:315 +#: actions/siteadminpanel.php:271 msgid "Limits" msgstr "Limiti" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Text limit" msgstr "Limiti del testo" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Maximum number of characters for notices." msgstr "Numero massimo di caratteri per messaggo" -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "Dupe limit" msgstr "Limite duplicati" -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Quanto tempo gli utenti devono attendere (in secondi) prima di inviare " "nuovamente lo stesso messaggio" +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Messaggio del sito" + +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "Nuovo messaggio" + +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Impossibile salvare la impostazioni dell'aspetto." + +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" +msgstr "" + +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Messaggio del sito" + +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" +msgstr "" + +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Messaggio del sito" + #: actions/smssettings.php:58 msgid "SMS settings" msgstr "Impostazioni SMS" @@ -3960,6 +3979,66 @@ msgstr "" msgid "No code entered" msgstr "Nessun codice inserito" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "Snapshot" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "Modifica la configurazione del sito" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "Valore di esecuzione dello snapshot non valido." + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "La frequenza degli snapshot deve essere un numero." + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "URL di segnalazione snapshot non valido." + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "A caso quando avviene un web hit" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "In un job pianificato" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "Snapshot dei dati" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "Quando inviare dati statistici a status.net" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "Frequenza" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "Gli snapshot verranno inviati ogni N web hit" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "URL per la segnalazione" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "Gli snapshot verranno inviati a questo URL" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Salva impostazioni" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "Non hai una abbonamento a quel profilo." @@ -4169,7 +4248,7 @@ msgstr "Nessun ID di profilo nella richiesta." msgid "Unsubscribed" msgstr "Abbonamento annullato" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4373,16 +4452,22 @@ msgstr "Gruppi di %1$s, pagina %2$d" msgid "Search for more groups" msgstr "Cerca altri gruppi" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "%s non fa parte di alcun gruppo." -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "Prova a [cercare dei gruppi](%%action.groupsearch%%) e iscriviti." +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "Messaggi da %1$s su %2$s!" + #: actions/version.php:73 #, php-format msgid "StatusNet %s" @@ -4438,7 +4523,7 @@ msgstr "" msgid "Plugins" msgstr "Plugin" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 msgid "Version" msgstr "Versione" @@ -4505,22 +4590,22 @@ msgstr "Impossibile aggiornare il messaggio con il nuovo URI." msgid "DB error inserting hashtag: %s" msgstr "Errore del DB nell'inserire un hashtag: %s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 msgid "Problem saving notice. Too long." msgstr "Problema nel salvare il messaggio. Troppo lungo." -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "Problema nel salvare il messaggio. Utente sconosciuto." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Troppi messaggi troppo velocemente; fai una pausa e scrivi di nuovo tra " "qualche minuto." -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4528,19 +4613,19 @@ msgstr "" "Troppi messaggi duplicati troppo velocemente; fai una pausa e scrivi di " "nuovo tra qualche minuto." -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "Ti è proibito inviare messaggi su questo sito." -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "Problema nel salvare il messaggio." -#: classes/Notice.php:911 +#: classes/Notice.php:927 msgid "Problem saving group inbox." msgstr "Problema nel salvare la casella della posta del gruppo." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4565,7 +4650,12 @@ msgstr "Non hai l'abbonamento!" msgid "Couldn't delete self-subscription." msgstr "Impossibile eliminare l'auto-abbonamento." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Impossibile eliminare l'abbonamento." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Impossibile eliminare l'abbonamento." @@ -4574,19 +4664,19 @@ msgstr "Impossibile eliminare l'abbonamento." msgid "Welcome to %1$s, @%2$s!" msgstr "Benvenuti su %1$s, @%2$s!" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "Impossibile creare il gruppo." -#: classes/User_group.php:471 +#: classes/User_group.php:486 msgid "Could not set group URI." msgstr "Impossibile impostare l'URI del gruppo." -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "Impossibile impostare la membership al gruppo." -#: classes/User_group.php:506 +#: classes/User_group.php:521 msgid "Could not save local group info." msgstr "Impossibile salvare le informazioni del gruppo locale." @@ -4627,194 +4717,188 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Pagina senza nome" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "Esplorazione sito primaria" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 #, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Profilo personale e attività degli amici" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Personale" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Modifica la tua email, immagine, password o il tuo profilo" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "Account" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Connettiti con altri servizi" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "Connetti" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Modifica la configurazione del sito" -#: lib/action.php:460 +#: lib/action.php:449 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "Amministra" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Invita amici e colleghi a seguirti su %s" -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Invita" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 #, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Termina la tua sessione sul sito" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Esci" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "Crea un account" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "Registrati" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Accedi al sito" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "Accedi" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Aiutami!" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "Aiuto" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 #, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Cerca persone o del testo" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "Cerca" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "Messaggio del sito" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "Viste locali" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "Pagina messaggio" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "Esplorazione secondaria del sito" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Aiuto" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "Informazioni" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "TOS" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "Privacy" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "Sorgenti" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Contatti" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "Badge" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "Licenza del software StatusNet" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4823,12 +4907,12 @@ msgstr "" "**%%site.name%%** è un servizio di microblog offerto da [%%site.broughtby%%]" "(%%site.broughtbyurl%%). " -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** è un servizio di microblog. " -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4839,56 +4923,56 @@ msgstr "" "s, disponibile nei termini della licenza [GNU Affero General Public License]" "(http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "Licenza del contenuto del sito" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "I contenuti e i dati di %1$s sono privati e confidenziali." -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "I contenuti e i dati sono copyright di %1$s. Tutti i diritti riservati." -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "I contenuti e i dati sono forniti dai collaboratori. Tutti i diritti " "riservati." -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "Tutti " -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "licenza." -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "Paginazione" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "Successivi" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "Precedenti" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "Impossibile gestire contenuti remoti." -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "Impossibile gestire contenuti XML incorporati." -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "Impossibile gestire contenuti Base64." @@ -4903,91 +4987,80 @@ msgid "Changes to that panel are not allowed." msgstr "Le modifiche al pannello non sono consentite." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "showForm() non implementata." #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "saveSettings() non implementata." #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "Impossibile eliminare le impostazioni dell'aspetto." #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 msgid "Basic site configuration" msgstr "Configurazione di base" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "Sito" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "Configurazione aspetto" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "Aspetto" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 msgid "User configuration" msgstr "Configurazione utente" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "Utente" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 msgid "Access configuration" msgstr "Configurazione di accesso" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "Accesso" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 msgid "Paths configuration" msgstr "Configurazione percorsi" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -#, fuzzy -msgctxt "MENU" -msgid "Paths" -msgstr "Percorsi" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 msgid "Sessions configuration" msgstr "Configurazione sessioni" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "Sessioni" +msgid "Edit site notice" +msgstr "Messaggio del sito" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "Configurazione percorsi" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5522,6 +5595,11 @@ msgstr "Scegli un'etichetta per ridurre l'elenco" msgid "Go" msgstr "Vai" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "URL della pagina web, blog del gruppo o l'argomento" @@ -6137,10 +6215,6 @@ msgstr "Risposte" msgid "Favorites" msgstr "Preferiti" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "Utente" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "In arrivo" @@ -6166,7 +6240,7 @@ msgstr "Etichette nei messaggi di %s" msgid "Unknown" msgstr "Sconosciuto" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "Abbonamenti" @@ -6174,23 +6248,23 @@ msgstr "Abbonamenti" msgid "All subscriptions" msgstr "Tutti gli abbonamenti" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "Abbonati" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "Tutti gli abbonati" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "ID utente" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "Membro dal" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "Tutti i gruppi" @@ -6230,7 +6304,12 @@ msgstr "Ripetere questo messaggio?" msgid "Repeat this notice" msgstr "Ripeti questo messaggio" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "Blocca l'utente da questo gruppo" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "Nessun utente singolo definito per la modalità single-user." @@ -6384,47 +6463,64 @@ msgstr "Messaggio" msgid "Moderate" msgstr "Modera" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "Profilo utente" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "Amministratori" + +#: lib/userprofile.php:355 +#, fuzzy +msgctxt "role" +msgid "Moderator" +msgstr "Modera" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "pochi secondi fa" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "circa un minuto fa" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "circa %d minuti fa" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "circa un'ora fa" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "circa %d ore fa" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "circa un giorno fa" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "circa %d giorni fa" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "circa un mese fa" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "circa %d mesi fa" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "circa un anno fa" diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index acbcb457d..def172250 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -11,19 +11,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:03:10+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:56:45+0000\n" "Language-Team: Japanese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "アクセス" @@ -120,7 +121,7 @@ msgstr "%1$s ã¨å‹äººã€ãƒšãƒ¼ã‚¸ %2$d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -181,7 +182,7 @@ msgstr "" "ã›ã‚’é€ã£ã¦ã¿ã¾ã›ã‚“ã‹ã€‚" #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "ã‚ãªãŸã¨å‹äºº" @@ -208,11 +209,11 @@ msgstr "%2$s ã« %1$s ã¨å‹äººã‹ã‚‰ã®æ›´æ–°ãŒã‚ã‚Šã¾ã™ï¼" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." msgstr "API メソッドãŒè¦‹ã¤ã‹ã‚Šã¾ã›ã‚“。" @@ -573,7 +574,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "アカウント" @@ -660,18 +661,6 @@ msgstr "%1$s / %2$s ã‹ã‚‰ã®ãŠæ°—ã«å…¥ã‚Š" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s 㯠%2$s ã§ãŠæ°—ã«å…¥ã‚Šã‚’æ›´æ–°ã—ã¾ã—㟠/ %2$s。" -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "%s ã®ã‚¿ã‚¤ãƒ ãƒ©ã‚¤ãƒ³" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "%1$s ã‹ã‚‰ %2$s 上ã®æ›´æ–°ã‚’ã—ã¾ã—ãŸ!" - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -682,12 +671,12 @@ msgstr "%1$s / %2$s ã«ã¤ã„ã¦æ›´æ–°" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%2$s ã‹ã‚‰ã‚¢ãƒƒãƒ—デートã«ç­”ãˆã‚‹ %1$s アップデート" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s ã®ãƒ‘ブリックタイムライン" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "皆ã‹ã‚‰ã® %s アップデート!" @@ -934,7 +923,7 @@ msgid "Conversation" msgstr "会話" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "ã¤ã¶ã‚„ã" @@ -953,7 +942,7 @@ msgstr "ã“ã®ã‚¢ãƒ—リケーションã®ã‚ªãƒ¼ãƒŠãƒ¼ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "ã‚ãªãŸã®ã‚»ãƒƒã‚·ãƒ§ãƒ³ãƒˆãƒ¼ã‚¯ãƒ³ã«é–¢ã™ã‚‹å•é¡ŒãŒã‚ã‚Šã¾ã—ãŸã€‚" @@ -1149,8 +1138,9 @@ msgstr "デフォルトã¸ãƒªã‚»ãƒƒãƒˆã™ã‚‹" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1266,7 +1256,7 @@ msgstr "記述ãŒé•·ã™ãŽã¾ã™ã€‚(最長 %d 字)" msgid "Could not update group." msgstr "グループを更新ã§ãã¾ã›ã‚“。" -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "別åを作æˆã§ãã¾ã›ã‚“。" @@ -1391,7 +1381,7 @@ msgid "Cannot normalize that email address" msgstr "ãã®ãƒ¡ãƒ¼ãƒ«ã‚¢ãƒ‰ãƒ¬ã‚¹ã‚’æ­£è¦åŒ–ã§ãã¾ã›ã‚“" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "有効ãªãƒ¡ãƒ¼ãƒ«ã‚¢ãƒ‰ãƒ¬ã‚¹ã§ã¯ã‚ã‚Šã¾ã›ã‚“。" @@ -1585,6 +1575,25 @@ msgstr "ãã®ã‚ˆã†ãªãƒ•ã‚¡ã‚¤ãƒ«ã¯ã‚ã‚Šã¾ã›ã‚“。" msgid "Cannot read file." msgstr "ファイルを読ã¿è¾¼ã‚ã¾ã›ã‚“。" +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "ä¸æ­£ãªãƒˆãƒ¼ã‚¯ãƒ³ã€‚" + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "ã‚ãªãŸã¯ã“ã®ã‚µã‚¤ãƒˆã®ã‚µãƒ³ãƒ‰ãƒœãƒƒã‚¯ã‚¹ãƒ¦ãƒ¼ã‚¶ãŒã§ãã¾ã›ã‚“。" + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "ユーザã¯æ—¢ã«é»™ã£ã¦ã„ã¾ã™ã€‚" + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1731,12 +1740,18 @@ msgstr "管ç†è€…ã«ã™ã‚‹" msgid "Make this user an admin" msgstr "ã“ã®ãƒ¦ãƒ¼ã‚¶ã‚’管ç†è€…ã«ã™ã‚‹" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "%s ã®ã‚¿ã‚¤ãƒ ãƒ©ã‚¤ãƒ³" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "%2$s 上㮠%1$s ã®ãƒ¡ãƒ³ãƒãƒ¼ã‹ã‚‰æ›´æ–°ã™ã‚‹" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "グループ" @@ -2355,8 +2370,8 @@ msgstr "内容種別 " msgid "Only " msgstr "ã ã‘ " -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "サãƒãƒ¼ãƒˆã•ã‚Œã¦ã„ãªã„データ形å¼ã€‚" @@ -2497,7 +2512,8 @@ msgstr "æ–°ã—ã„パスワードをä¿å­˜ã§ãã¾ã›ã‚“。" msgid "Password saved." msgstr "パスワードãŒä¿å­˜ã•ã‚Œã¾ã—ãŸã€‚" -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "パス" @@ -2617,7 +2633,7 @@ msgstr "ãƒãƒƒã‚¯ã‚°ãƒ©ã‚¦ãƒ³ãƒ‰ãƒ‡ã‚£ãƒ¬ã‚¯ãƒˆãƒª" msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "" @@ -2672,11 +2688,11 @@ msgstr "æ­£ã—ã„ã‚¿ã‚°ã§ã¯ã‚ã‚Šã¾ã›ã‚“: %s" msgid "Users self-tagged with %1$s - page %2$d" msgstr "ユーザ自身ãŒã¤ã‘ãŸã‚¿ã‚° %1$s - ページ %2$d" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "ä¸æ­£ãªã¤ã¶ã‚„ã内容" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2757,7 +2773,7 @@ msgstr "" "自分自身ã«ã¤ã„ã¦ã®ã‚¿ã‚° (アルファベットã€æ•°å­—ã€-ã€.ã€_)ã€ã‚«ãƒ³ãƒžã¾ãŸã¯ç©ºç™½åŒºåˆ‡" "ã‚Šã§" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "言語" @@ -2783,7 +2799,7 @@ msgstr "自分をフォローã—ã¦ã„る者を自動的ã«ãƒ•ã‚©ãƒ­ãƒ¼ã™ã‚‹ (B msgid "Bio is too long (max %d chars)." msgstr "自己紹介ãŒé•·ã™ãŽã¾ã™ (最長140文字)。" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "タイムゾーンãŒé¸ã°ã‚Œã¦ã„ã¾ã›ã‚“。" @@ -3101,7 +3117,7 @@ msgid "Same as password above. Required." msgstr "上ã®ãƒ‘スワードã¨åŒã˜ã§ã™ã€‚ 必須。" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "メール" @@ -3205,7 +3221,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "プロファイルサービスã¾ãŸã¯ãƒžã‚¤ã‚¯ãƒ­ãƒ–ロギングサービスã®URL" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "フォロー" @@ -3310,6 +3326,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "%2$s 上㮠%1$s ã¸ã®è¿”ä¿¡!" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "ã‚ãªãŸã¯ã“ã®ã‚µã‚¤ãƒˆã§ãƒ¦ãƒ¼ã‚¶ã‚’黙らã›ã‚‹ã“ã¨ãŒã§ãã¾ã›ã‚“。" + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "åˆã£ã¦ã„るプロフィールã®ãªã„ユーザ" + #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" msgstr "StatusNet" @@ -3322,7 +3348,9 @@ msgstr "ã‚ãªãŸã¯ã“ã®ã‚µã‚¤ãƒˆã®ã‚µãƒ³ãƒ‰ãƒœãƒƒã‚¯ã‚¹ãƒ¦ãƒ¼ã‚¶ãŒã§ãã¾ msgid "User is already sandboxed." msgstr "ユーザã¯ã™ã§ã«ã‚µãƒ³ãƒ‰ãƒœãƒƒã‚¯ã‚¹ã§ã™ã€‚" +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "セッション" @@ -3346,7 +3374,7 @@ msgstr "セッションデãƒãƒƒã‚°" msgid "Turn on debugging output for sessions." msgstr "セッションã®ãŸã‚ã®ãƒ‡ãƒãƒƒã‚°å‡ºåŠ›ã‚’オン。" -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "サイト設定ã®ä¿å­˜" @@ -3377,8 +3405,8 @@ msgstr "組織" msgid "Description" msgstr "概è¦" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "統計データ" @@ -3521,45 +3549,45 @@ msgstr "別å" msgid "Group actions" msgstr "グループアクション" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "%s グループã®ã¤ã¶ã‚„ãフィード (RSS 1.0)" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "%s グループã®ã¤ã¶ã‚„ãフィード (RSS 2.0)" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "%s グループã®ã¤ã¶ã‚„ãフィード (Atom)" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "%s グループ㮠FOAF" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "メンãƒãƒ¼" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(ãªã—)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "å…¨ã¦ã®ãƒ¡ãƒ³ãƒãƒ¼" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "作æˆæ—¥" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3574,7 +3602,7 @@ msgstr "" "ã™ã‚‹çŸ­ã„メッセージを共有ã—ã¾ã™ã€‚[今ã™ãå‚加](%%%%action.register%%%%) ã—ã¦ã“" "ã®ã‚°ãƒ«ãƒ¼ãƒ—ã®ä¸€å“¡ã«ãªã‚Šã¾ã—ょã†! ([ã‚‚ã£ã¨èª­ã‚€](%%%%doc.help%%%%))" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3587,7 +3615,7 @@ msgstr "" "wikipedia.org/wiki/Micro-blogging) サービス。メンãƒãƒ¼ã¯å½¼ã‚‰ã®æš®ã‚‰ã—ã¨èˆˆå‘³ã«é–¢" "ã™ã‚‹çŸ­ã„メッセージを共有ã—ã¾ã™ã€‚" -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "管ç†è€…" @@ -3709,151 +3737,142 @@ msgid "User is already silenced." msgstr "ユーザã¯æ—¢ã«é»™ã£ã¦ã„ã¾ã™ã€‚" #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +#, fuzzy +msgid "Basic settings for this StatusNet site" msgstr "ã“ã® StatusNet サイトã®åŸºæœ¬è¨­å®šã€‚" -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "サイトåã¯é•·ã•0ã§ã¯ã„ã‘ã¾ã›ã‚“。" -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 msgid "You must have a valid contact email address." msgstr "有効ãªé€£çµ¡ç”¨ãƒ¡ãƒ¼ãƒ«ã‚¢ãƒ‰ãƒ¬ã‚¹ãŒãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "ä¸æ˜Žãªè¨€èªž \"%s\"" #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "ä¸æ­£ãªã‚¹ãƒŠãƒƒãƒ—ショットレãƒãƒ¼ãƒˆURL。" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "ä¸æ­£ãªã‚¹ãƒŠãƒƒãƒ—ショットランãƒãƒªãƒ¥ãƒ¼" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "スナップショット頻度ã¯æ•°ã§ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "最å°ã®ãƒ†ã‚­ã‚¹ãƒˆåˆ¶é™ã¯140å­—ã§ã™ã€‚" -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "デュープ制é™ã¯1秒以上ã§ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "一般" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "サイトå" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "ã‚ãªãŸã®ã‚µã‚¤ãƒˆã®åå‰ã€\"Yourcompany Microblog\"ã®ã‚ˆã†ãªã€‚" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "æŒã£ã¦æ¥ã‚‰ã‚Œã¾ã™" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" "クレジットã«ä½¿ç”¨ã•ã‚Œã‚‹ãƒ†ã‚­ã‚¹ãƒˆã¯ã€ãã‚Œãžã‚Œã®ãƒšãƒ¼ã‚¸ã®ãƒ•ãƒƒã‚¿ãƒ¼ã§ãƒªãƒ³ã‚¯ã•ã‚Œã¾" "ã™ã€‚" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "URLã§ã€æŒã£ã¦æ¥ã‚‰ã‚Œã¾ã™" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" "クレジットã«ä½¿ç”¨ã•ã‚Œã‚‹URLã¯ã€ãã‚Œãžã‚Œã®ãƒšãƒ¼ã‚¸ã®ãƒ•ãƒƒã‚¿ãƒ¼ã§ãƒªãƒ³ã‚¯ã•ã‚Œã¾ã™ã€‚" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 msgid "Contact email address for your site" msgstr "ã‚ãªãŸã®ã‚µã‚¤ãƒˆã«ã‚³ãƒ³ã‚¿ã‚¯ãƒˆã™ã‚‹ãƒ¡ãƒ¼ãƒ«ã‚¢ãƒ‰ãƒ¬ã‚¹" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 msgid "Local" msgstr "ローカル" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "デフォルトタイムゾーン" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "サイトã®ãƒ‡ãƒ•ã‚©ãƒ«ãƒˆã‚¿ã‚¤ãƒ ã‚¾ãƒ¼ãƒ³; 通常UTC。" -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +#, fuzzy +msgid "Default language" msgstr "デフォルトサイト言語" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "スナップショット" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" -msgstr "予定ã•ã‚Œã¦ã„るジョブã§" - -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" -msgstr "データスナップショット" - -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" -msgstr "ã„㤠status.net サーãƒã«çµ±è¨ˆãƒ‡ãƒ¼ã‚¿ã‚’é€ã‚Šã¾ã™ã‹" - -#: actions/siteadminpanel.php:301 -msgid "Frequency" -msgstr "頻度" - -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" -msgstr "レãƒãƒ¼ãƒˆ URL" - -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "レãƒãƒ¼ãƒˆ URL" - -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "ã“ã®URLã«ã‚¹ãƒŠãƒƒãƒ—ショットをé€ã‚‹ã§ã—ょã†" - -#: actions/siteadminpanel.php:315 +#: actions/siteadminpanel.php:271 msgid "Limits" msgstr "制é™" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Text limit" msgstr "テキスト制é™" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Maximum number of characters for notices." msgstr "ã¤ã¶ã‚„ãã®æ–‡å­—ã®æœ€å¤§æ•°" -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "Dupe limit" msgstr "デュープ制é™" -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "ã©ã‚Œãらã„é•·ã„é–“(秒)ã€ãƒ¦ãƒ¼ã‚¶ã¯ã€å†ã³åŒã˜ã‚‚ã®ã‚’投稿ã™ã‚‹ã®ã‚’å¾…ãŸãªã‘ã‚Œã°ãªã‚‰ãª" "ã„ã‹ã€‚" +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "サイトã¤ã¶ã‚„ã" + +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "æ–°ã—ã„メッセージ" + +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "ã‚ãªãŸã®ãƒ‡ã‚¶ã‚¤ãƒ³è¨­å®šã‚’ä¿å­˜ã§ãã¾ã›ã‚“。" + +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" +msgstr "" + +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "サイトã¤ã¶ã‚„ã" + +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" +msgstr "" + +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "サイトã¤ã¶ã‚„ã" + #: actions/smssettings.php:58 msgid "SMS settings" msgstr "SMS 設定" @@ -3954,6 +3973,66 @@ msgstr "" msgid "No code entered" msgstr "コードãŒå…¥åŠ›ã•ã‚Œã¦ã„ã¾ã›ã‚“" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "スナップショット" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "サイト設定ã®å¤‰æ›´" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "ä¸æ­£ãªã‚¹ãƒŠãƒƒãƒ—ショットランãƒãƒªãƒ¥ãƒ¼" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "スナップショット頻度ã¯æ•°ã§ãªã‘ã‚Œã°ãªã‚Šã¾ã›ã‚“。" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "ä¸æ­£ãªã‚¹ãƒŠãƒƒãƒ—ショットレãƒãƒ¼ãƒˆURL。" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "予定ã•ã‚Œã¦ã„るジョブã§" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "データスナップショット" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "ã„㤠status.net サーãƒã«çµ±è¨ˆãƒ‡ãƒ¼ã‚¿ã‚’é€ã‚Šã¾ã™ã‹" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "頻度" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "レãƒãƒ¼ãƒˆ URL" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "レãƒãƒ¼ãƒˆ URL" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "ã“ã®URLã«ã‚¹ãƒŠãƒƒãƒ—ショットをé€ã‚‹ã§ã—ょã†" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "サイト設定ã®ä¿å­˜" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "ã‚ãªãŸã¯ãã®ãƒ—ロファイルã«ãƒ•ã‚©ãƒ­ãƒ¼ã•ã‚Œã¦ã„ã¾ã›ã‚“。" @@ -4162,7 +4241,7 @@ msgstr "リクエスト内ã«ãƒ—ロファイルIDãŒã‚ã‚Šã¾ã›ã‚“。" msgid "Unsubscribed" msgstr "フォロー解除済ã¿" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4366,16 +4445,22 @@ msgstr "%1$s グループã€ãƒšãƒ¼ã‚¸ %2$d" msgid "Search for more groups" msgstr "ã‚‚ã£ã¨ã‚°ãƒ«ãƒ¼ãƒ—を検索" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "%s ã¯ã©ã®ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¡ãƒ³ãƒãƒ¼ã§ã‚‚ã‚ã‚Šã¾ã›ã‚“。" -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "[グループを探ã—ã¦](%%action.groupsearch%%)ãã‚Œã«åŠ å…¥ã—ã¦ãã ã•ã„。" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "%1$s ã‹ã‚‰ %2$s 上ã®æ›´æ–°ã‚’ã—ã¾ã—ãŸ!" + #: actions/version.php:73 #, php-format msgid "StatusNet %s" @@ -4421,7 +4506,7 @@ msgstr "" msgid "Plugins" msgstr "プラグイン" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 msgid "Version" msgstr "ãƒãƒ¼ã‚¸ãƒ§ãƒ³" @@ -4490,21 +4575,21 @@ msgstr "æ–°ã—ã„URIã§ãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ã‚’アップデートã§ãã¾ã›ã‚“ã§ã— msgid "DB error inserting hashtag: %s" msgstr "ãƒãƒƒã‚·ãƒ¥ã‚¿ã‚°è¿½åŠ  DB エラー: %s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 msgid "Problem saving notice. Too long." msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚é•·ã™ãŽã§ã™ã€‚" -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚ä¸æ˜Žãªãƒ¦ãƒ¼ã‚¶ã§ã™ã€‚" -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "多ã™ãŽã‚‹ã¤ã¶ã‚„ããŒé€Ÿã™ãŽã¾ã™; 数分間ã®ä¼‘ã¿ã‚’å–ã£ã¦ã‹ã‚‰å†æŠ•ç¨¿ã—ã¦ãã ã•ã„。" -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4512,19 +4597,19 @@ msgstr "" "多ã™ãŽã‚‹é‡è¤‡ãƒ¡ãƒƒã‚»ãƒ¼ã‚¸ãŒé€Ÿã™ãŽã¾ã™; 数分間休ã¿ã‚’å–ã£ã¦ã‹ã‚‰å†åº¦æŠ•ç¨¿ã—ã¦ãã ã•" "ã„。" -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "ã‚ãªãŸã¯ã“ã®ã‚µã‚¤ãƒˆã§ã¤ã¶ã‚„ãを投稿ã™ã‚‹ã®ãŒç¦æ­¢ã•ã‚Œã¦ã„ã¾ã™ã€‚" -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "ã¤ã¶ã‚„ãã‚’ä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚" -#: classes/Notice.php:911 +#: classes/Notice.php:927 msgid "Problem saving group inbox." msgstr "グループå—信箱をä¿å­˜ã™ã‚‹éš›ã«å•é¡ŒãŒç™ºç”Ÿã—ã¾ã—ãŸã€‚" -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4549,7 +4634,12 @@ msgstr "フォローã—ã¦ã„ã¾ã›ã‚“ï¼" msgid "Couldn't delete self-subscription." msgstr "自己フォローを削除ã§ãã¾ã›ã‚“。" -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "フォローを削除ã§ãã¾ã›ã‚“" + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "フォローを削除ã§ãã¾ã›ã‚“" @@ -4558,20 +4648,20 @@ msgstr "フォローを削除ã§ãã¾ã›ã‚“" msgid "Welcome to %1$s, @%2$s!" msgstr "よã†ã“ã %1$sã€@%2$s!" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "グループを作æˆã§ãã¾ã›ã‚“。" -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "グループメンãƒãƒ¼ã‚·ãƒƒãƒ—をセットã§ãã¾ã›ã‚“。" -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "グループメンãƒãƒ¼ã‚·ãƒƒãƒ—をセットã§ãã¾ã›ã‚“。" -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "フォローをä¿å­˜ã§ãã¾ã›ã‚“。" @@ -4613,194 +4703,188 @@ msgstr "" msgid "Untitled page" msgstr "å称未設定ページ" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "プライマリサイトナビゲーション" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 #, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "パーソナルプロファイルã¨å‹äººã®ã‚¿ã‚¤ãƒ ãƒ©ã‚¤ãƒ³" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "パーソナル" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "メールアドレスã€ã‚¢ãƒã‚¿ãƒ¼ã€ãƒ‘スワードã€ãƒ—ロパティã®å¤‰æ›´" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "アカウント" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "サービスã¸æŽ¥ç¶š" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "接続" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "サイト設定ã®å¤‰æ›´" -#: lib/action.php:460 +#: lib/action.php:449 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "管ç†è€…" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "å‹äººã‚„åŒåƒšãŒ %s ã§åŠ ã‚るよã†èª˜ã£ã¦ãã ã•ã„。" -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "招待" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 #, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "サイトã‹ã‚‰ãƒ­ã‚°ã‚¢ã‚¦ãƒˆ" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "ログアウト" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "アカウントを作æˆ" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "登録" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "サイトã¸ãƒ­ã‚°ã‚¤ãƒ³" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "ログイン" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "助ã‘ã¦ï¼" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "ヘルプ" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 #, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "人々ã‹ãƒ†ã‚­ã‚¹ãƒˆã‚’検索" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "検索" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "サイトã¤ã¶ã‚„ã" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "ローカルビュー" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "ページã¤ã¶ã‚„ã" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "セカンダリサイトナビゲーション" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "ヘルプ" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "About" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "よãã‚る質å•" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "プライãƒã‚·ãƒ¼" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "ソース" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "連絡先" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "ãƒãƒƒã‚¸" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "StatusNet ソフトウェアライセンス" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4809,12 +4893,12 @@ msgstr "" "**%%site.name%%** 㯠[%%site.broughtby%%](%%site.broughtbyurl%%) ãŒæä¾›ã™ã‚‹ãƒž" "イクロブログサービスã§ã™ã€‚ " -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** ã¯ãƒžã‚¤ã‚¯ãƒ­ãƒ–ログサービスã§ã™ã€‚ " -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4825,53 +4909,53 @@ msgstr "" "ã„ã¦ã„ã¾ã™ã€‚ ライセンス [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)。" -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "サイト内容ライセンス" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "全㦠" -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "ライセンス。" -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "ページ化" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "<<後" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "å‰>>" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4886,91 +4970,80 @@ msgid "Changes to that panel are not allowed." msgstr "ãã®ãƒ‘ãƒãƒ«ã¸ã®å¤‰æ›´ã¯è¨±å¯ã•ã‚Œã¦ã„ã¾ã›ã‚“。" #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "showForm() ã¯å®Ÿè£…ã•ã‚Œã¦ã„ã¾ã›ã‚“。" #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "saveSettings() ã¯å®Ÿè£…ã•ã‚Œã¦ã„ã¾ã›ã‚“。" #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "デザイン設定を削除ã§ãã¾ã›ã‚“。" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 msgid "Basic site configuration" msgstr "基本サイト設定" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "サイト" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "デザイン設定" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "デザイン" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 msgid "User configuration" msgstr "ユーザ設定" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "ユーザ" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 msgid "Access configuration" msgstr "アクセス設定" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "アクセス" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 msgid "Paths configuration" msgstr "パス設定" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -#, fuzzy -msgctxt "MENU" -msgid "Paths" -msgstr "パス" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 msgid "Sessions configuration" msgstr "セッション設定" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "セッション" +msgid "Edit site notice" +msgstr "サイトã¤ã¶ã‚„ã" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "パス設定" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5460,6 +5533,11 @@ msgstr "ã‚¿ã‚°ã‚’é¸ã‚“ã§ã€ãƒªã‚¹ãƒˆã‚’ç‹­ãã—ã¦ãã ã•ã„" msgid "Go" msgstr "移動" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "グループやトピックã®ãƒ›ãƒ¼ãƒ ãƒšãƒ¼ã‚¸ã‚„ブログ㮠URL" @@ -6081,10 +6159,6 @@ msgstr "返信" msgid "Favorites" msgstr "ãŠæ°—ã«å…¥ã‚Š" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "ユーザ" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "å—ä¿¡ç®±" @@ -6110,7 +6184,7 @@ msgstr "%s ã®ã¤ã¶ã‚„ãã®ã‚¿ã‚°" msgid "Unknown" msgstr "ä¸æ˜Ž" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "フォロー" @@ -6118,23 +6192,23 @@ msgstr "フォロー" msgid "All subscriptions" msgstr "ã™ã¹ã¦ã®ãƒ•ã‚©ãƒ­ãƒ¼" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "フォローã•ã‚Œã¦ã„ã‚‹" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "ã™ã¹ã¦ã®ãƒ•ã‚©ãƒ­ãƒ¼ã•ã‚Œã¦ã„ã‚‹" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "ユーザID" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "利用開始日" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "å…¨ã¦ã®ã‚°ãƒ«ãƒ¼ãƒ—" @@ -6174,7 +6248,12 @@ msgstr "ã“ã®ã¤ã¶ã‚„ãã‚’ç¹°ã‚Šè¿”ã—ã¾ã™ã‹?" msgid "Repeat this notice" msgstr "ã“ã®ã¤ã¶ã‚„ãã‚’ç¹°ã‚Šè¿”ã™" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "ã“ã®ã‚°ãƒ«ãƒ¼ãƒ—ã‹ã‚‰ã“ã®ãƒ¦ãƒ¼ã‚¶ã‚’ブロック" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "single-user モードã®ãŸã‚ã®ã‚·ãƒ³ã‚°ãƒ«ãƒ¦ãƒ¼ã‚¶ãŒå®šç¾©ã•ã‚Œã¦ã„ã¾ã›ã‚“。" @@ -6329,47 +6408,64 @@ msgstr "メッセージ" msgid "Moderate" msgstr "管ç†" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "ユーザプロファイル" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "管ç†è€…" + +#: lib/userprofile.php:355 +#, fuzzy +msgctxt "role" +msgid "Moderator" +msgstr "管ç†" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "数秒å‰" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "ç´„ 1 分å‰" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "ç´„ %d 分å‰" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "ç´„ 1 時間å‰" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "ç´„ %d 時間å‰" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "ç´„ 1 æ—¥å‰" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "ç´„ %d æ—¥å‰" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "ç´„ 1 ヵ月å‰" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "ç´„ %d ヵ月å‰" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "ç´„ 1 å¹´å‰" diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index aca8a093a..fa8b67239 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -7,19 +7,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:03:13+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:56:48+0000\n" "Language-Team: Korean\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 #, fuzzy msgid "Access" msgstr "수ë½" @@ -123,7 +124,7 @@ msgstr "%s 와 친구들, %d 페ì´ì§€" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -178,7 +179,7 @@ msgid "" msgstr "" #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 #, fuzzy msgid "You and friends" msgstr "%s ë° ì¹œêµ¬ë“¤" @@ -206,11 +207,11 @@ msgstr "%1$s ë° %2$sì— ìžˆëŠ” ì¹œêµ¬ë“¤ì˜ ì—…ë°ì´íŠ¸!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "API 메서드를 ì°¾ì„ ìˆ˜ 없습니다." @@ -583,7 +584,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "계정" @@ -675,18 +676,6 @@ msgstr "%s / %sì˜ ì¢‹ì•„í•˜ëŠ” 글들" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s 좋아하는 ê¸€ì´ ì—…ë°ì´íŠ¸ ë습니다. %Sì— ì˜í•´ / %s." -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "%s 타임ë¼ì¸" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "%2$sì— ìžˆëŠ” %1$sì˜ ì—…ë°ì´íŠ¸!" - #: actions/apitimelinementions.php:117 #, fuzzy, php-format msgid "%1$s / Updates mentioning %2$s" @@ -697,12 +686,12 @@ msgstr "%1$s / %2$sì—게 답신 ì—…ë°ì´íŠ¸" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$së‹˜ì´ %2$s/%3$sì˜ ì—…ë°ì´íŠ¸ì— 답변했습니다." -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s 공개 타임ë¼ì¸" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "모ë‘ë¡œë¶€í„°ì˜ ì—…ë°ì´íŠ¸ %sê°œ!" @@ -954,7 +943,7 @@ msgid "Conversation" msgstr "ì¸ì¦ 코드" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "통지" @@ -976,7 +965,7 @@ msgstr "ë‹¹ì‹ ì€ í•´ë‹¹ ê·¸ë£¹ì˜ ë©¤ë²„ê°€ 아닙니다." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "ë‹¹ì‹ ì˜ ì„¸ì…˜í† í°ê´€ë ¨ 문제가 있습니다." @@ -1183,8 +1172,9 @@ msgstr "" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1312,7 +1302,7 @@ msgstr "ì„¤ëª…ì´ ë„ˆë¬´ 길어요. (최대 140글ìž)" msgid "Could not update group." msgstr "ê·¸ë£¹ì„ ì—…ë°ì´íŠ¸ í•  수 없습니다." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 #, fuzzy msgid "Could not create aliases." msgstr "좋아하는 ê²Œì‹œê¸€ì„ ìƒì„±í•  수 없습니다." @@ -1438,7 +1428,7 @@ msgid "Cannot normalize that email address" msgstr "ê·¸ ì´ë©”ì¼ ì£¼ì†Œë¥¼ 정규화 í•  수 없습니다." #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "유효한 ì´ë©”ì¼ ì£¼ì†Œê°€ 아닙니다." @@ -1634,6 +1624,25 @@ msgstr "그러한 통지는 없습니다." msgid "Cannot read file." msgstr "파ì¼ì„ 잃어버렸습니다." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "옳지 ì•Šì€ í¬ê¸°" + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "ë‹¹ì‹ ì€ ì´ ì‚¬ìš©ìžì—게 메시지를 보낼 수 없습니다." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "회ì›ì´ ë‹¹ì‹ ì„ ì°¨ë‹¨í•´ì™”ìŠµë‹ˆë‹¤." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1789,12 +1798,18 @@ msgstr "관리ìž" msgid "Make this user an admin" msgstr "" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "%s 타임ë¼ì¸" + #: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "%2$sì— ìžˆëŠ” %1$sì˜ ì—…ë°ì´íŠ¸!" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "그룹" @@ -2403,8 +2418,8 @@ msgstr "ì—°ê²°" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "지ì›í•˜ëŠ” 형ì‹ì˜ ë°ì´í„°ê°€ 아닙니다." @@ -2550,7 +2565,8 @@ msgstr "새 비밀번호를 저장 í•  수 없습니다." msgid "Password saved." msgstr "비밀 번호 저장" -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "" @@ -2678,7 +2694,7 @@ msgstr "" msgid "SSL" msgstr "SMS" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 #, fuzzy msgid "Never" msgstr "복구" @@ -2737,11 +2753,11 @@ msgstr "유효한 태그가 아닙니다: %s" msgid "Users self-tagged with %1$s - page %2$d" msgstr "ì´ìš©ìž 셀프 í…Œí¬ %s - %d 페ì´ì§€" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "옳지 ì•Šì€ í†µì§€ ë‚´ìš©" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2820,7 +2836,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "ë‹¹ì‹ ì„ ìœ„í•œ 태그, (문ìž,숫ìž,-, ., _ë¡œ 구성) 콤마 í˜¹ì€ ê³µë°±ìœ¼ë¡œ 구분." -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "언어" @@ -2846,7 +2862,7 @@ msgstr "나ì—게 구ë…하는 사람ì—게 ìžë™ êµ¬ë… ì‹ ì²­" msgid "Bio is too long (max %d chars)." msgstr "ìžê¸°ì†Œê°œê°€ 너무 ê¹ë‹ˆë‹¤. (최대 140글ìž)" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "íƒ€ìž„ì¡´ì´ ì„¤ì • ë˜ì§€ 않았습니다." @@ -3154,7 +3170,7 @@ msgid "Same as password above. Required." msgstr "위와 ê°™ì€ ë¹„ë°€ 번호. 필수 사항." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "ì´ë©”ì¼" @@ -3259,7 +3275,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "다른 마ì´í¬ë¡œë¸”로깅 ì„œë¹„ìŠ¤ì˜ ê·€í•˜ì˜ í”„ë¡œí•„ URL" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "구ë…" @@ -3364,6 +3380,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "%2$sì—ì„œ %1$s까지 메시지" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "ë‹¹ì‹ ì€ ì´ ì‚¬ìš©ìžì—게 메시지를 보낼 수 없습니다." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "프로필 ë§¤ì¹­ì´ ì—†ëŠ” 사용ìž" + #: actions/rsd.php:146 actions/version.php:157 #, fuzzy msgid "StatusNet" @@ -3379,7 +3405,9 @@ msgstr "ë‹¹ì‹ ì€ ì´ ì‚¬ìš©ìžì—게 메시지를 보낼 수 없습니다." msgid "User is already sandboxed." msgstr "회ì›ì´ ë‹¹ì‹ ì„ ì°¨ë‹¨í•´ì™”ìŠµë‹ˆë‹¤." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "" @@ -3403,7 +3431,7 @@ msgstr "" msgid "Turn on debugging output for sessions." msgstr "" -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" @@ -3439,8 +3467,8 @@ msgstr "페ì´ì§€ìˆ˜" msgid "Description" msgstr "설명" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "통계" @@ -3573,46 +3601,46 @@ msgstr "" msgid "Group actions" msgstr "그룹 í–‰ë™" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "%s ê·¸ë£¹ì„ ìœ„í•œ 공지피드" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "%s ê·¸ë£¹ì„ ìœ„í•œ 공지피드" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "%s ê·¸ë£¹ì„ ìœ„í•œ 공지피드" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "%sì˜ ë³´ë‚¸ìª½ì§€í•¨" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "회ì›" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(없습니다.)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "모든 회ì›" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 #, fuzzy msgid "Created" msgstr "ìƒì„±" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3622,7 +3650,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3633,7 +3661,7 @@ msgstr "" "**%s** 는 %%%%site.name%%%% [마ì´í¬ë¡œë¸”로깅)(http://en.wikipedia.org/wiki/" "Micro-blogging)ì˜ ì‚¬ìš©ìž ê·¸ë£¹ìž…ë‹ˆë‹¤. " -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 #, fuzzy msgid "Admins" msgstr "관리ìž" @@ -3749,150 +3777,139 @@ msgid "User is already silenced." msgstr "회ì›ì´ ë‹¹ì‹ ì„ ì°¨ë‹¨í•´ì™”ìŠµë‹ˆë‹¤." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +msgid "Basic settings for this StatusNet site" msgstr "" -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 #, fuzzy msgid "You must have a valid contact email address." msgstr "유효한 ì´ë©”ì¼ ì£¼ì†Œê°€ 아닙니다." -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "" #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 #, fuzzy msgid "Site name" msgstr "사ì´íŠ¸ 공지" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 #, fuzzy msgid "Contact email address for your site" msgstr "%sì— í¬ìŠ¤íŒ… í•  새로운 ì´ë©”ì¼ ì£¼ì†Œ" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 #, fuzzy msgid "Local" msgstr "로컬 ë·°" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:281 +#: actions/siteadminpanel.php:262 #, fuzzy -msgid "Default site language" +msgid "Default language" msgstr "언어 설정" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" +#: actions/siteadminpanel.php:271 +msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" +#: actions/siteadminpanel.php:274 +msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" +#: actions/siteadminpanel.php:274 +msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:301 -msgid "Frequency" +#: actions/siteadminpanel.php:278 +msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" +#: actions/siteadminpanel.php:278 +msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "사ì´íŠ¸ 공지" -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "새로운 메시지입니다." -#: actions/siteadminpanel.php:315 -msgid "Limits" -msgstr "" +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "트위터 í™˜ê²½ì„¤ì •ì„ ì €ìž¥í•  수 없습니다." -#: actions/siteadminpanel.php:318 -msgid "Text limit" +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" msgstr "" -#: actions/siteadminpanel.php:318 -msgid "Maximum number of characters for notices." -msgstr "" +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "사ì´íŠ¸ 공지" -#: actions/siteadminpanel.php:322 -msgid "Dupe limit" +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" msgstr "" -#: actions/siteadminpanel.php:322 -msgid "How long users must wait (in seconds) to post the same thing again." -msgstr "" +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "사ì´íŠ¸ 공지" #: actions/smssettings.php:58 #, fuzzy @@ -3995,6 +4012,66 @@ msgstr "ê·€í•˜ì˜ íœ´ëŒ€í°ì˜ 통신회사는 무엇입니까?" msgid "No code entered" msgstr "코드가 ìž…ë ¥ ë˜ì§€ 않았습니다." +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "주 사ì´íŠ¸ 네비게ì´ì…˜" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "아바타 설정" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "ë‹¹ì‹ ì€ ì´ í”„ë¡œí•„ì— êµ¬ë…ë˜ì§€ 않고있습니다." @@ -4197,7 +4274,7 @@ msgstr "요청한 프로필idê°€ 없습니다." msgid "Unsubscribed" msgstr "구ë…취소 ë˜ì—ˆìŠµë‹ˆë‹¤." -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4406,16 +4483,22 @@ msgstr "%s 그룹 회ì›, %d페ì´ì§€" msgid "Search for more groups" msgstr "프로필ì´ë‚˜ í…스트 검색" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, fuzzy, php-format msgid "%s is not a member of any group." msgstr "ë‹¹ì‹ ì€ í•´ë‹¹ ê·¸ë£¹ì˜ ë©¤ë²„ê°€ 아닙니다." -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "%2$sì— ìžˆëŠ” %1$sì˜ ì—…ë°ì´íŠ¸!" + #: actions/version.php:73 #, fuzzy, php-format msgid "StatusNet %s" @@ -4459,7 +4542,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 #, fuzzy msgid "Version" msgstr "ê°œì¸ì ì¸" @@ -4528,23 +4611,23 @@ msgstr "새 URI와 함께 메시지를 ì—…ë°ì´íŠ¸í•  수 없습니다." msgid "DB error inserting hashtag: %s" msgstr "해쉬테그를 추가 í•  ë•Œì— ë°ì´íƒ€ë² ì´ìŠ¤ ì—러 : %s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 #, fuzzy msgid "Problem saving notice. Too long." msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "게시글 저장문제. ì•Œë ¤ì§€ì§€ì•Šì€ íšŒì›" -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "너무 ë§Žì€ ê²Œì‹œê¸€ì´ ë„ˆë¬´ 빠르게 올ë¼ì˜µë‹ˆë‹¤. 한숨고르고 ëª‡ë¶„í›„ì— ë‹¤ì‹œ í¬ìŠ¤íŠ¸ë¥¼ " "해보세요." -#: classes/Notice.php:254 +#: classes/Notice.php:256 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4553,20 +4636,20 @@ msgstr "" "너무 ë§Žì€ ê²Œì‹œê¸€ì´ ë„ˆë¬´ 빠르게 올ë¼ì˜µë‹ˆë‹¤. 한숨고르고 ëª‡ë¶„í›„ì— ë‹¤ì‹œ í¬ìŠ¤íŠ¸ë¥¼ " "해보세요." -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "ì´ ì‚¬ì´íŠ¸ì— 게시글 í¬ìŠ¤íŒ…으로부터 ë‹¹ì‹ ì€ ê¸ˆì§€ë˜ì—ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:911 +#: classes/Notice.php:927 #, fuzzy msgid "Problem saving group inbox." msgstr "통지를 ì €ìž¥í•˜ëŠ”ë° ë¬¸ì œê°€ ë°œìƒí–ˆìŠµë‹ˆë‹¤." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4594,7 +4677,12 @@ msgstr "구ë…하고 있지 않습니다!" msgid "Couldn't delete self-subscription." msgstr "예약 구ë…ì„ ì‚­ì œ í•  수 없습니다." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "예약 구ë…ì„ ì‚­ì œ í•  수 없습니다." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "예약 구ë…ì„ ì‚­ì œ í•  수 없습니다." @@ -4603,20 +4691,20 @@ msgstr "예약 구ë…ì„ ì‚­ì œ í•  수 없습니다." msgid "Welcome to %1$s, @%2$s!" msgstr "%2$sì—ì„œ %1$s까지 메시지" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "새 ê·¸ë£¹ì„ ë§Œë“¤ 수 없습니다." -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "그룹 ë§´ë²„ì‹­ì„ ì„¸íŒ…í•  수 없습니다." -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "그룹 ë§´ë²„ì‹­ì„ ì„¸íŒ…í•  수 없습니다." -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "구ë…ì„ ì €ìž¥í•  수 없습니다." @@ -4659,195 +4747,189 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "제목없는 페ì´ì§€" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "주 사ì´íŠ¸ 네비게ì´ì…˜" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 #, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "ê°œì¸ í”„ë¡œí•„ê³¼ 친구 타임ë¼ì¸" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "ê°œì¸ì ì¸" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "ë‹¹ì‹ ì˜ ì´ë©”ì¼, 아바타, 비밀 번호, í”„ë¡œí•„ì„ ë³€ê²½í•˜ì„¸ìš”." -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "계정" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "ì„œë²„ì— ìž¬ì ‘ì† í•  수 없습니다 : %s" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "ì—°ê²°" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "주 사ì´íŠ¸ 네비게ì´ì…˜" -#: lib/action.php:460 +#: lib/action.php:449 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "관리ìž" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "%sì— ì¹œêµ¬ë¥¼ 가입시키기 위해 친구와 ë™ë£Œë¥¼ 초대합니다." -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "초대" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 #, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "ì´ ì‚¬ì´íŠ¸ë¡œë¶€í„° 로그아웃" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "로그아웃" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "계정 만들기" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "회ì›ê°€ìž…" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "ì´ ì‚¬ì´íŠ¸ 로그ì¸" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "로그ì¸" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "ë„ì›€ì´ í•„ìš”í•´!" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "ë„움ë§" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 #, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "프로필ì´ë‚˜ í…스트 검색" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "검색" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "사ì´íŠ¸ 공지" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "로컬 ë·°" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "페ì´ì§€ 공지" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "ë³´ì¡° 사ì´íŠ¸ 네비게ì´ì…˜" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "ë„움ë§" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "ì •ë³´" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "ìžì£¼ 묻는 질문" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "ê°œì¸ì •ë³´ 취급방침" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "소스 코드" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "ì—°ë½í•˜ê¸°" -#: lib/action.php:782 +#: lib/action.php:771 #, fuzzy msgid "Badge" msgstr "찔러 보기" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "ë¼ì½”니카 소프트웨어 ë¼ì´ì„ ìŠ¤" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4856,12 +4938,12 @@ msgstr "" "**%%site.name%%** 는 [%%site.broughtby%%](%%site.broughtbyurl%%)ê°€ 제공하는 " "마ì´í¬ë¡œë¸”로깅서비스입니다." -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** 는 마ì´í¬ë¡œë¸”로깅서비스입니다." -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4872,54 +4954,54 @@ msgstr "" "ì„ ì‚¬ìš©í•©ë‹ˆë‹¤. StatusNet는 [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html) ë¼ì´ì„ ìŠ¤ì— ë”°ë¼ ì‚¬ìš©í•  수 있습니다." -#: lib/action.php:832 +#: lib/action.php:821 #, fuzzy msgid "Site content license" msgstr "ë¼ì½”니카 소프트웨어 ë¼ì´ì„ ìŠ¤" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "모든 것" -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "ë¼ì´ì„ ìŠ¤" -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "페ì´ì§€ìˆ˜" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "ë’· 페ì´ì§€" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "ì•ž 페ì´ì§€" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4936,99 +5018,89 @@ msgid "Changes to that panel are not allowed." msgstr "ê°€ìž…ì´ í—ˆìš©ë˜ì§€ 않습니다." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 #, fuzzy msgid "showForm() not implemented." msgstr "ëª…ë ¹ì´ ì•„ì§ ì‹¤í–‰ë˜ì§€ 않았습니다." #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 #, fuzzy msgid "saveSettings() not implemented." msgstr "ëª…ë ¹ì´ ì•„ì§ ì‹¤í–‰ë˜ì§€ 않았습니다." #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 #, fuzzy msgid "Unable to delete design setting." msgstr "트위터 í™˜ê²½ì„¤ì •ì„ ì €ìž¥í•  수 없습니다." #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Basic site configuration" msgstr "ì´ë©”ì¼ ì£¼ì†Œ 확ì¸ì„œ" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "초대" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 #, fuzzy msgid "Design configuration" msgstr "SMS ì¸ì¦" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "ê°œì¸ì ì¸" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 #, fuzzy msgid "User configuration" msgstr "SMS ì¸ì¦" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "ì´ìš©ìž" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 #, fuzzy msgid "Access configuration" msgstr "SMS ì¸ì¦" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "수ë½" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 #, fuzzy msgid "Paths configuration" msgstr "SMS ì¸ì¦" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -msgctxt "MENU" -msgid "Paths" -msgstr "" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 #, fuzzy msgid "Sessions configuration" msgstr "SMS ì¸ì¦" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "ê°œì¸ì ì¸" +msgid "Edit site notice" +msgstr "사ì´íŠ¸ 공지" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "SMS ì¸ì¦" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5528,6 +5600,11 @@ msgstr "ì¢ì€ 리스트ì—ì„œ 태그 ì„ íƒí•˜ê¸°" msgid "Go" msgstr "Go " +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "그룹 í˜¹ì€ í† í”½ì˜ í™ˆíŽ˜ì´ì§€ë‚˜ 블로그 URL" @@ -6071,10 +6148,6 @@ msgstr "답신" msgid "Favorites" msgstr "좋아하는 글들" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "ì´ìš©ìž" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "ë°›ì€ ìª½ì§€í•¨" @@ -6101,7 +6174,7 @@ msgstr "%sì˜ ê²Œì‹œê¸€ì˜ íƒœê·¸" msgid "Unknown" msgstr "알려지지 ì•Šì€ í–‰ë™" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "구ë…" @@ -6109,24 +6182,24 @@ msgstr "구ë…" msgid "All subscriptions" msgstr "모든 예약 구ë…" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "구ë…ìž" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "모든 구ë…ìž" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 #, fuzzy msgid "User ID" msgstr "ì´ìš©ìž" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "가입한 ë•Œ" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "모든 그룹" @@ -6169,7 +6242,12 @@ msgstr "ì´ ê²Œì‹œê¸€ì— ëŒ€í•´ 답장하기" msgid "Repeat this notice" msgstr "ì´ ê²Œì‹œê¸€ì— ëŒ€í•´ 답장하기" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "ì´ ê·¸ë£¹ì˜ íšŒì›ë¦¬ìŠ¤íŠ¸" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -6333,47 +6411,63 @@ msgstr "메시지" msgid "Moderate" msgstr "" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "ì´ìš©ìž 프로필" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "관리ìž" + +#: lib/userprofile.php:355 +msgctxt "role" +msgid "Moderator" +msgstr "" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "몇 ì´ˆ ì „" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "1분 ì „" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "%d분 ì „" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "1시간 ì „" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "%d시간 ì „" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "하루 ì „" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "%dì¼ ì „" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "1달 ì „" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "%d달 ì „" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "1ë…„ ì „" diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index b80b0c905..60e5a3c29 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -9,19 +9,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:03:16+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:56:50+0000\n" "Language-Team: Macedonian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural= n==1 || n%10==1 ? 0 : 1;\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "ПриÑтап" @@ -44,10 +45,9 @@ msgstr "" #. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -#, fuzzy msgctxt "LABEL" msgid "Private" -msgstr "Приватен" +msgstr "Приватно" #. TRANS: Checkbox instructions for admin setting "Invite only" #: actions/accessadminpanel.php:174 @@ -75,7 +75,6 @@ msgid "Save access settings" msgstr "Зачувај нагодувања на приÑтап" #: actions/accessadminpanel.php:203 -#, fuzzy msgctxt "BUTTON" msgid "Save" msgstr "Зачувај" @@ -120,7 +119,7 @@ msgstr "%1$s и пријателите, ÑÑ‚Ñ€. %2$d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -184,7 +183,7 @@ msgstr "" "прочита." #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "Вие и пријателите" @@ -211,11 +210,11 @@ msgstr "Подновувања од %1$s и пријатели на %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." msgstr "API методот не е пронајден." @@ -579,7 +578,7 @@ msgstr "" "%3$s податоците за Вашата %4$s Ñметка. Треба да дозволувате " "приÑтап до Вашата %4$s Ñметка Ñамо на трети Ñтрани на кои им верувате." -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "Сметка" @@ -668,18 +667,6 @@ msgstr "%1$s / Омилени од %2$s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "Подновувања на %1$s омилени на %2$s / %2$s." -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "ИÑторија на %s" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "Подновувања од %1$s на %2$s!" - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -690,12 +677,12 @@ msgstr "%1$s / Подновувања кои Ñпоменуваат %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s подновувања коишто Ñе одговор на подновувањата од %2$s / %3$s." -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "Јавна иÑторија на %s" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s подновуввања од Ñите!" @@ -944,7 +931,7 @@ msgid "Conversation" msgstr "Разговор" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Забелешки" @@ -963,7 +950,7 @@ msgstr "Ðе Ñте ÑопÑтвеник на овој програм." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "Се појави проблем Ñо Вашиот ÑеÑиÑки жетон." @@ -1159,8 +1146,9 @@ msgstr "Врати по оÑновно" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1276,7 +1264,7 @@ msgstr "опиÑот е предолг (макÑимум %d знаци)" msgid "Could not update group." msgstr "Ðе можев да ја подновам групата." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "Ðе можеше да Ñе Ñоздадат алијаÑи." @@ -1401,7 +1389,7 @@ msgid "Cannot normalize that email address" msgstr "Ðеможам да ја нормализирам таа е-поштенÑка адреÑа" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "Ðеправилна адреÑа за е-пошта." @@ -1594,6 +1582,25 @@ msgstr "Ðема таква податотека." msgid "Cannot read file." msgstr "Податотеката не може да Ñе прочита." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Погрешен жетон." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "Ðе можете да Ñтавате кориÑници во пеÑочен режим на оваа веб-Ñтраница." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "КориÑникот е веќе замолчен." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1743,12 +1750,18 @@ msgstr "Ðаправи го/ја админиÑтратор" msgid "Make this user an admin" msgstr "Ðаправи го кориÑникот админиÑтратор" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "ИÑторија на %s" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Подновувања од членови на %1$s на %2$s!" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "Групи" @@ -2011,7 +2024,6 @@ msgstr "Можете да додадете и лична порака во по #. TRANS: Send button for inviting friends #: actions/invite.php:198 -#, fuzzy msgctxt "BUTTON" msgid "Send" msgstr "ИÑпрати" @@ -2373,8 +2385,8 @@ msgstr "тип на Ñодржини " msgid "Only " msgstr "Само " -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "Ова не е поддржан формат на податотека." @@ -2515,7 +2527,8 @@ msgstr "Ðе можам да ја зачувам новата лозинка." msgid "Password saved." msgstr "Лозинката е зачувана." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "Патеки" @@ -2635,7 +2648,7 @@ msgstr "Директориум на позадината" msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "Ðикогаш" @@ -2691,11 +2704,11 @@ msgstr "Ðе е важечка ознака за луѓе: %s" msgid "Users self-tagged with %1$s - page %2$d" msgstr "КориÑтници Ñамоозначени Ñо %1$s - ÑÑ‚Ñ€. %2$d" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "Ðеважечка Ñодржина на забелешката" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2777,7 +2790,7 @@ msgstr "" "Ознаки за Ð’Ð°Ñ Ñамите (букви, бројки, -, . и _), одделени Ñо запирка или " "празно меÑто" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "Јазик" @@ -2805,7 +2818,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Биографијата е преголема (највеќе до %d знаци)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "Ðе е избрана чаÑовна зона." @@ -3126,7 +3139,7 @@ msgid "Same as password above. Required." msgstr "ИÑто што и лозинката погоре. Задолжително поле." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Е-пошта" @@ -3233,7 +3246,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL на Вашиот профил на друга компатибилна Ñлужба за микроблогирање." #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "Претплати Ñе" @@ -3337,6 +3350,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Одговори на %1$s на %2$s!" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "Ðе можете да замолчувате кориÑници на оваа веб-Ñтраница." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "КориÑник без Ñоодветен профил." + #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" msgstr "StatusNet" @@ -3349,7 +3372,9 @@ msgstr "Ðе можете да Ñтавате кориÑници во пеÑоч msgid "User is already sandboxed." msgstr "КориÑникот е веќе во пеÑочен режим." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "СеÑии" @@ -3373,7 +3398,7 @@ msgstr "Поправка на грешки во ÑеÑија" msgid "Turn on debugging output for sessions." msgstr "Вклучи извод од поправка на грешки за ÑеÑии." -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Зачувај нагодувања на веб-Ñтраницата" @@ -3404,8 +3429,8 @@ msgstr "Организација" msgid "Description" msgstr "ОпиÑ" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "СтатиÑтики" @@ -3549,45 +3574,45 @@ msgstr "ÐлијаÑи" msgid "Group actions" msgstr "Групни дејÑтва" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Канал Ñо забелешки за групата %s (RSS 1.0)" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Канал Ñо забелешки за групата %s (RSS 2.0)" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Канал Ñо забелешки за групата%s (Atom)" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "FOAF за групата %s" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "Членови" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Ðема)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "Сите членови" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "Создадено" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3603,7 +3628,7 @@ msgstr "" "Ñе](%%%%action.register%%%%) за да Ñтанете дел од оваа група и многу повеќе! " "([Прочитајте повеќе](%%%%doc.help%%%%))" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3616,7 +3641,7 @@ msgstr "" "Ñлободната програмÑка алатка [StatusNet](http://status.net/). Ðејзините " "членови Ñи разменуваат кратки пораки за нивниот живот и интереÑи. " -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "ÐдминиÑтратори" @@ -3738,152 +3763,143 @@ msgid "User is already silenced." msgstr "КориÑникот е веќе замолчен." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +#, fuzzy +msgid "Basic settings for this StatusNet site" msgstr "ОÑновни нагодувања за оваа StatusNet веб-Ñтраница." -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "Должината на името на веб-Ñтраницата не може да изнеÑува нула." -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 msgid "You must have a valid contact email address." msgstr "Мора да имате важечка контактна е-поштенÑка адреÑа." -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "Ðепознат јазик „%s“" #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "Ðеважечки URL за извештај од Ñнимката." - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "Ðеважечка вредноÑÑ‚ на пуштањето на Ñнимката." - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "ЧеÑтотата на Ñнимките мора да биде бројка." - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "Минималното ограничување на текÑтот изнеÑува 140 знаци." -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "Ограничувањето на дуплирањето мора да изнеÑува барем 1 Ñекунда." -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "Општи" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "Име на веб-Ñтраницата" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "Името на Вашата веб-Ñтраница, како на пр. „Микроблог на Вашафирма“" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "Овозможено од" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" "ТекÑÑ‚ за врÑката за наведување на авторите во долната колонцифра на Ñекоја " "Ñтраница" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "URL-адреÑа на овозможувачот на уÑлугите" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" "URL-адреÑата која е кориÑти за врÑки за автори во долната колоцифра на " "Ñекоја Ñтраница" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 msgid "Contact email address for your site" msgstr "Контактна е-пошта за Вашата веб-Ñтраница" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 msgid "Local" msgstr "Локално" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "ОÑновна чаÑовна зона" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "Матична чаÑовна зона за веб-Ñтраницата; обично UTC." -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +#, fuzzy +msgid "Default language" msgstr "ОÑновен јазик" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "Снимки" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" -msgstr "По ÑлучајноÑÑ‚ во текот на поÑета" - -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" -msgstr "Во зададена задача" - -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" -msgstr "Снимки од податоци" - -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" -msgstr "Кога да им Ñе иÑпраќаат ÑтатиÑтички податоци на status.net Ñерверите" - -#: actions/siteadminpanel.php:301 -msgid "Frequency" -msgstr "ЧеÑтота" - -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" -msgstr "Ќе Ñе иÑпраќаат Ñнимки на Ñекои N поÑети" - -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "URL на извештајот" - -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "Снимките ќе Ñе иÑпраќаат на оваа URL-адреÑа" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" +msgstr "" -#: actions/siteadminpanel.php:315 +#: actions/siteadminpanel.php:271 msgid "Limits" msgstr "Ограничувања" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Text limit" msgstr "Ограничување на текÑтот" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Maximum number of characters for notices." msgstr "МакÑимален број на знаци за забелешки." -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "Dupe limit" msgstr "Ограничување на дуплирањето" -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Колку долго треба да почекаат кориÑниците (во Ñекунди) за да можат повторно " "да го објават иÑтото." +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Ðапомена за веб-Ñтраницата" + +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "Ðова порака" + +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Ðе можам да ги зачувам Вашите нагодувања за изглед." + +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" +msgstr "" + +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Ðапомена за веб-Ñтраницата" + +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" +msgstr "" + +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Ðапомена за веб-Ñтраницата" + #: actions/smssettings.php:58 msgid "SMS settings" msgstr "Ðагодувања за СМС" @@ -3983,6 +3999,66 @@ msgstr "" msgid "No code entered" msgstr "Ðема внеÑено код" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "Снимки" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "Промена на поÑтавките на веб-Ñтраницата" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "Ðеважечка вредноÑÑ‚ на пуштањето на Ñнимката." + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "ЧеÑтотата на Ñнимките мора да биде бројка." + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "Ðеважечки URL за извештај од Ñнимката." + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "По ÑлучајноÑÑ‚ во текот на поÑета" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "Во зададена задача" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "Снимки од податоци" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "Кога да им Ñе иÑпраќаат ÑтатиÑтички податоци на status.net Ñерверите" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "ЧеÑтота" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "Ќе Ñе иÑпраќаат Ñнимки на Ñекои N поÑети" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "URL на извештајот" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "Снимките ќе Ñе иÑпраќаат на оваа URL-адреÑа" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Зачувај нагодувања на веб-Ñтраницата" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "Ðе Ñте претплатени на тој профил." @@ -4190,7 +4266,7 @@ msgstr "Во барањето нема id на профилот." msgid "Unsubscribed" msgstr "Претплатата е откажана" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4200,7 +4276,6 @@ msgstr "" #. TRANS: User admin panel title #: actions/useradminpanel.php:59 -#, fuzzy msgctxt "TITLE" msgid "User" msgstr "КориÑник" @@ -4394,18 +4469,24 @@ msgstr "Групи %1$s, ÑÑ‚Ñ€. %2$d" msgid "Search for more groups" msgstr "Пребарај уште групи" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "%s не членува во ниедна група." -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" "Обидете Ñе Ñо [пребарување на групи](%%action.groupsearch%%) и придружете им " "Ñе." +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "Подновувања од %1$s на %2$s!" + #: actions/version.php:73 #, php-format msgid "StatusNet %s" @@ -4461,7 +4542,7 @@ msgstr "" msgid "Plugins" msgstr "Приклучоци" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 msgid "Version" msgstr "Верзија" @@ -4527,22 +4608,22 @@ msgstr "Ðе можев да ја подновам пораката Ñо нов msgid "DB error inserting hashtag: %s" msgstr "Грешка во базата на податоци при вметнувањето на хеш-ознака: %s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 msgid "Problem saving notice. Too long." msgstr "Проблем Ñо зачувувањето на белешката. Премногу долго." -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "Проблем Ñо зачувувањето на белешката. Ðепознат кориÑник." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Премногу забелњшки за прекратко време; здивнете малку и продолжете за " "неколку минути." -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4550,19 +4631,19 @@ msgstr "" "Премногу дуплирани пораки во прекратко време; здивнете малку и продолжете за " "неколку минути." -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "Забрането Ви е да објавувате забелешки на оваа веб-Ñтраница." -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "Проблем во зачувувањето на белешката." -#: classes/Notice.php:911 +#: classes/Notice.php:927 msgid "Problem saving group inbox." msgstr "Проблем при зачувувањето на групното приемно Ñандаче." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4588,7 +4669,12 @@ msgstr "Ðе Ñте претплатени!" msgid "Couldn't delete self-subscription." msgstr "Ðе можам да ја избришам Ñамопретплатата." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Претплата не може да Ñе избрише." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Претплата не може да Ñе избрише." @@ -4597,19 +4683,19 @@ msgstr "Претплата не може да Ñе избрише." msgid "Welcome to %1$s, @%2$s!" msgstr "Добредојдовте на %1$s, @%2$s!" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "Ðе можев да ја Ñоздадам групата." -#: classes/User_group.php:471 +#: classes/User_group.php:486 msgid "Could not set group URI." msgstr "Ðе можев да поÑтавам URI на групата." -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "Ðе можев да назначам членÑтво во групата." -#: classes/User_group.php:506 +#: classes/User_group.php:521 msgid "Could not save local group info." msgstr "Ðе можев да ги зачувам информациите за локалните групи." @@ -4650,194 +4736,171 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Страница без наÑлов" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "Главна навигација" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 -#, fuzzy +#: lib/action.php:430 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" -msgstr "Личен профил и иÑторија на пријатели" +msgstr "Личен профил и хронологија на пријатели" -#: lib/action.php:442 -#, fuzzy +#: lib/action.php:433 msgctxt "MENU" msgid "Personal" -msgstr "Личен" +msgstr "Лично" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 -#, fuzzy +#: lib/action.php:435 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Промена на е-пошта, аватар, лозинка, профил" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "Сметка" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 -#, fuzzy +#: lib/action.php:440 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Поврзи Ñе Ñо уÑлуги" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "Поврзи Ñе" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 -#, fuzzy +#: lib/action.php:446 msgctxt "TOOLTIP" msgid "Change site configuration" -msgstr "Промена на конфигурацијата на веб-Ñтраницата" +msgstr "Промена на поÑтавките на веб-Ñтраницата" -#: lib/action.php:460 -#, fuzzy +#: lib/action.php:449 msgctxt "MENU" msgid "Admin" -msgstr "ÐдминиÑтратор" +msgstr "Ðдмин" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 -#, fuzzy, php-format +#: lib/action.php:453 +#, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Поканете пријатели и колеги да Ви Ñе придружат на %s" -#: lib/action.php:467 -#, fuzzy +#: lib/action.php:456 msgctxt "MENU" msgid "Invite" msgstr "Покани" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 -#, fuzzy +#: lib/action.php:462 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Одјава" -#: lib/action.php:476 -#, fuzzy +#: lib/action.php:465 msgctxt "MENU" msgid "Logout" -msgstr "Одјави Ñе" +msgstr "Одјава" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 -#, fuzzy +#: lib/action.php:470 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Создај Ñметка" -#: lib/action.php:484 -#, fuzzy +#: lib/action.php:473 msgctxt "MENU" msgid "Register" -msgstr "РегиÑтрирај Ñе" +msgstr "РегиÑтрација" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 -#, fuzzy +#: lib/action.php:476 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Ðајава" -#: lib/action.php:490 -#, fuzzy +#: lib/action.php:479 msgctxt "MENU" msgid "Login" msgstr "Ðајава" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 -#, fuzzy +#: lib/action.php:482 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Ðапомош!" -#: lib/action.php:496 -#, fuzzy +#: lib/action.php:485 msgctxt "MENU" msgid "Help" msgstr "Помош" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 -#, fuzzy +#: lib/action.php:488 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Пребарајте луѓе или текÑÑ‚" -#: lib/action.php:502 -#, fuzzy +#: lib/action.php:491 msgctxt "MENU" msgid "Search" msgstr "Барај" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "Ðапомена за веб-Ñтраницата" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "Локални прегледи" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "Ðапомена за Ñтраницата" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "Споредна навигација" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Помош" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "За" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "ЧПП" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "УÑлови" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "ПриватноÑÑ‚" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "Изворен код" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Контакт" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "Значка" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "Лиценца на програмот StatusNet" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4846,12 +4909,12 @@ msgstr "" "**%%site.name%%** е ÑÐµÑ€Ð²Ð¸Ñ Ð·Ð° микроблогирање што ви го овозможува [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** е ÑÐµÑ€Ð²Ð¸Ñ Ð·Ð° микроблогирање." -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4862,57 +4925,57 @@ msgstr "" "верзија %s, доÑтапен пд [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "Лиценца на Ñодржините на веб-Ñтраницата" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Содржината и податоците на %1$s Ñе лични и доверливи." -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "ÐвторÑките права на Ñодржината и податоците Ñе во ÑопÑтвеноÑÑ‚ на %1$s. Сите " "права задржани." -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "ÐвторÑките права на Ñодржината и податоците им припаѓаат на учеÑниците. Сите " "права задржани." -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "Сите " -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "лиценца." -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "Прелом на Ñтраници" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "По" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "Пред" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "Сè уште не е поддржана обработката на оддалечена Ñодржина." -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "Сè уште не е поддржана обработката на XML Ñодржина." -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "Сè уште не е доÑтапна обработката на вметната Base64 Ñодржина." @@ -4927,91 +4990,78 @@ msgid "Changes to that panel are not allowed." msgstr "Менувањето на тој алатник не е дозволено." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "showForm() не е имплементирано." #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "saveSettings() не е имплементирано." #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "Ðе можам да ги избришам нагодувањата за изглед." #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 msgid "Basic site configuration" msgstr "ОÑновни нагодувања на веб-Ñтраницата" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 -#, fuzzy +#: lib/adminpanelaction.php:350 msgctxt "MENU" msgid "Site" msgstr "Веб-Ñтраница" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "Конфигурација на изгледот" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 -#, fuzzy +#: lib/adminpanelaction.php:358 msgctxt "MENU" msgid "Design" msgstr "Изглед" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 msgid "User configuration" msgstr "Конфигурација на кориÑник" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "КориÑник" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 msgid "Access configuration" msgstr "Конфигурација на приÑтапот" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "ПриÑтап" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 msgid "Paths configuration" msgstr "Конфигурација на патеки" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -#, fuzzy -msgctxt "MENU" -msgid "Paths" -msgstr "Патеки" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 msgid "Sessions configuration" msgstr "Конфигурација на ÑеÑиите" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "СеÑии" +msgid "Edit site notice" +msgstr "Ðапомена за веб-Ñтраницата" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "Конфигурација на патеки" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5540,6 +5590,11 @@ msgstr "Одберете ознака за да ја уточните лиÑта msgid "Go" msgstr "Оди" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "URL на Ñтраницата или блогот на групата или темата" @@ -6161,10 +6216,6 @@ msgstr "Одговори" msgid "Favorites" msgstr "Омилени" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "КориÑник" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Примени" @@ -6190,7 +6241,7 @@ msgstr "Ознаки во забелешките на %s" msgid "Unknown" msgstr "Ðепознато" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "Претплати" @@ -6198,23 +6249,23 @@ msgstr "Претплати" msgid "All subscriptions" msgstr "Сите претплати" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "Претплатници" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "Сите претплатници" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "КориÑнички ID" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "Член од" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "Сите групи" @@ -6254,7 +6305,12 @@ msgstr "Да ја повторам белешкава?" msgid "Repeat this notice" msgstr "Повтори ја забелешкава" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "Блокирај го овој кориÑник од оваа група" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "Ðе е зададен кориÑник за еднокориÑничкиот режим." @@ -6408,47 +6464,64 @@ msgstr "Порака" msgid "Moderate" msgstr "Модерирај" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "КориÑнички профил" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "ÐдминиÑтратори" + +#: lib/userprofile.php:355 +#, fuzzy +msgctxt "role" +msgid "Moderator" +msgstr "Модерирај" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "пред неколку Ñекунди" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "пред една минута" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "пред %d минути" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "пред еден чаÑ" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "пред %d чаÑа" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "пред еден ден" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "пред %d денови" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "пред еден меÑец" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "пред %d меÑеца" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "пред една година" diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index a3e64e0cb..305303dea 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -9,19 +9,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:03:19+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:56:53+0000\n" "Language-Team: Norwegian (bokmÃ¥l)‬\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "Tilgang" @@ -118,7 +119,7 @@ msgstr "%1$s og venner, side %2$d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -180,7 +181,7 @@ msgstr "" "eller post en notis for Ã¥ fÃ¥ hans eller hennes oppmerksomhet." #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "Du og venner" @@ -207,11 +208,11 @@ msgstr "Oppdateringer fra %1$s og venner pÃ¥ %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "API-metode ikke funnet!" @@ -572,7 +573,7 @@ msgstr "" "%3$s dine %4$s-kontodata. Du bør bare gi tilgang til din %4" "$s-konto til tredjeparter du stoler pÃ¥." -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "Konto" @@ -659,18 +660,6 @@ msgstr "%1$s / Favoritter fra %2$s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s oppdateringer markert som favoritt av %2$s / %2$s." -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "%s tidslinje" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "Oppdateringar fra %1$s pÃ¥ %2$s!" - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -681,12 +670,12 @@ msgstr "%1$s / Oppdateringer som nevner %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s oppdateringer som svarer pÃ¥ oppdateringer fra %2$s / %3$s." -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s offentlig tidslinje" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s oppdateringer fra alle sammen!" @@ -932,7 +921,7 @@ msgid "Conversation" msgstr "Samtale" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Notiser" @@ -951,7 +940,7 @@ msgstr "Du er ikke eieren av dette programmet." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "" @@ -1147,8 +1136,9 @@ msgstr "Tilbakestill til standardverdier" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1265,7 +1255,7 @@ msgstr "beskrivelse er for lang (maks %d tegn)" msgid "Could not update group." msgstr "Kunne ikke oppdatere gruppe." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "Kunne ikke opprette alias." @@ -1387,7 +1377,7 @@ msgid "Cannot normalize that email address" msgstr "Klarer ikke normalisere epostadressen" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "Ugyldig e-postadresse." @@ -1575,6 +1565,25 @@ msgstr "Ingen slik fil." msgid "Cannot read file." msgstr "Kan ikke lese fil." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Ugyldig symbol." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "Du er allerede logget inn!" + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "Du er allerede logget inn!" + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1718,12 +1727,18 @@ msgstr "Gjør til administrator" msgid "Make this user an admin" msgstr "Gjør denne brukeren til administrator" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "%s tidslinje" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Oppdateringer fra medlemmer av %1$s pÃ¥ %2$s!" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "Grupper" @@ -2307,8 +2322,8 @@ msgstr "innholdstype " msgid "Only " msgstr "Bare " -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "" @@ -2451,7 +2466,8 @@ msgstr "Klarer ikke Ã¥ lagre nytt passord." msgid "Password saved." msgstr "Passordet ble lagret" -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "" @@ -2575,7 +2591,7 @@ msgstr "" msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "Aldri" @@ -2629,11 +2645,11 @@ msgstr "Ugyldig e-postadresse" msgid "Users self-tagged with %1$s - page %2$d" msgstr "Mikroblogg av %s" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2710,7 +2726,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "SprÃ¥k" @@ -2737,7 +2753,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "«Om meg» er for lang (maks %d tegn)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "Tidssone ikke valgt." @@ -3041,7 +3057,7 @@ msgid "Same as password above. Required." msgstr "Samme som passord over. Kreves." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "E-post" @@ -3143,7 +3159,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "" @@ -3244,6 +3260,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Svar til %1$s pÃ¥ %2$s!" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "Du er allerede logget inn!" + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "Brukeren har ingen profil." + #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" msgstr "StatusNet" @@ -3258,7 +3284,9 @@ msgstr "Du er allerede logget inn!" msgid "User is already sandboxed." msgstr "Du er allerede logget inn!" +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "" @@ -3282,7 +3310,7 @@ msgstr "" msgid "Turn on debugging output for sessions." msgstr "" -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" @@ -3314,8 +3342,8 @@ msgstr "Organisasjon" msgid "Description" msgstr "Beskrivelse" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "Statistikk" @@ -3449,47 +3477,47 @@ msgstr "" msgid "Group actions" msgstr "" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "Klarte ikke Ã¥ lagre profil." -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 #, fuzzy msgid "Members" msgstr "Medlem siden" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 #, fuzzy msgid "Created" msgstr "Opprett" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3499,7 +3527,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3508,7 +3536,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "" @@ -3622,146 +3650,135 @@ msgid "User is already silenced." msgstr "Du er allerede logget inn!" #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +msgid "Basic settings for this StatusNet site" msgstr "" -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 #, fuzzy msgid "You must have a valid contact email address." msgstr "Ugyldig e-postadresse" -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "" #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 msgid "Contact email address for your site" msgstr "" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 msgid "Local" msgstr "" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:281 -msgid "Default site language" -msgstr "" - -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "" +#: actions/siteadminpanel.php:262 +#, fuzzy +msgid "Default language" +msgstr "Foretrukket sprÃ¥k" -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" +#: actions/siteadminpanel.php:271 +msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" +#: actions/siteadminpanel.php:274 +msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" +#: actions/siteadminpanel.php:274 +msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:301 -msgid "Frequency" +#: actions/siteadminpanel.php:278 +msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" +#: actions/siteadminpanel.php:278 +msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Notiser" -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" +#: actions/sitenoticeadminpanel.php:67 +msgid "Edit site-wide message" msgstr "" -#: actions/siteadminpanel.php:315 -msgid "Limits" -msgstr "" +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Kunne ikke lagre dine innstillinger for utseende." -#: actions/siteadminpanel.php:318 -msgid "Text limit" +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" msgstr "" -#: actions/siteadminpanel.php:318 -msgid "Maximum number of characters for notices." -msgstr "" +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Slett notis" -#: actions/siteadminpanel.php:322 -msgid "Dupe limit" +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" msgstr "" -#: actions/siteadminpanel.php:322 -msgid "How long users must wait (in seconds) to post the same thing again." -msgstr "" +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Innstillinger for IM" #: actions/smssettings.php:58 #, fuzzy @@ -3860,6 +3877,65 @@ msgstr "" msgid "No code entered" msgstr "" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:65 +msgid "Manage snapshot configuration" +msgstr "" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Innstillinger for IM" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "" @@ -4060,7 +4136,7 @@ msgstr "" msgid "Unsubscribed" msgstr "" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4257,16 +4333,22 @@ msgstr "Alle abonnementer" msgid "Search for more groups" msgstr "" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, fuzzy, php-format msgid "%s is not a member of any group." msgstr "Du er allerede logget inn!" -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "Oppdateringar fra %1$s pÃ¥ %2$s!" + #: actions/version.php:73 #, fuzzy, php-format msgid "StatusNet %s" @@ -4310,7 +4392,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 #, fuzzy msgid "Version" msgstr "Personlig" @@ -4378,38 +4460,38 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:239 +#: classes/Notice.php:241 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "" -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:911 +#: classes/Notice.php:927 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4436,7 +4518,12 @@ msgstr "Alle abonnementer" msgid "Couldn't delete self-subscription." msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "" @@ -4445,22 +4532,22 @@ msgstr "" msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:462 +#: classes/User_group.php:477 #, fuzzy msgid "Could not create group." msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" -#: classes/User_group.php:492 +#: classes/User_group.php:507 #, fuzzy msgid "Could not set group membership." msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" @@ -4503,191 +4590,185 @@ msgstr "%1$s sin status pÃ¥ %2$s" msgid "Untitled page" msgstr "" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Personlig" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Endre passordet ditt" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "Konto" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Koble til" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "Koble til" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "" -#: lib/action.php:460 +#: lib/action.php:449 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "Administrator" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Kun invitasjon" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 #, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Tema for nettstedet." -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Logg ut" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "Opprett en ny konto" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "Registrering" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Tema for nettstedet." -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "Logg inn" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Hjelp" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "Hjelp" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "Søk" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Hjelp" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "Om" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "OSS/FAQ" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "Kilde" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4696,12 +4777,12 @@ msgstr "" "**%%site.name%%** er en mikrobloggingtjeneste av [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** er en mikrobloggingtjeneste. " -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4709,54 +4790,54 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "" -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "" -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "" -#: lib/action.php:1180 +#: lib/action.php:1169 #, fuzzy msgid "Before" msgstr "Tidligere »" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4771,89 +4852,79 @@ msgid "Changes to that panel are not allowed." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 msgid "Basic site configuration" msgstr "" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "Nettstedslogo" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "Personlig" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 msgid "User configuration" msgstr "" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 msgid "Access configuration" msgstr "" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "Tilgang" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 msgid "Paths configuration" msgstr "" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -msgctxt "MENU" -msgid "Paths" -msgstr "" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 msgid "Sessions configuration" msgstr "" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "Personlig" +msgid "Edit site notice" +msgstr "Slett notis" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +msgid "Snapshots configuration" +msgstr "" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5354,6 +5425,11 @@ msgstr "" msgid "Go" msgstr "" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 #, fuzzy msgid "URL of the homepage or blog of the group or topic" @@ -5900,10 +5976,6 @@ msgstr "Svar" msgid "Favorites" msgstr "" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" @@ -5929,7 +6001,7 @@ msgstr "" msgid "Unknown" msgstr "" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "" @@ -5937,24 +6009,24 @@ msgstr "" msgid "All subscriptions" msgstr "Alle abonnementer" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 #, fuzzy msgid "All subscribers" msgstr "Alle abonnementer" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "Medlem siden" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "" @@ -5998,7 +6070,12 @@ msgstr "Kan ikke slette notisen." msgid "Repeat this notice" msgstr "Kan ikke slette notisen." -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -6160,47 +6237,62 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "Klarte ikke Ã¥ lagre profil." + +#: lib/userprofile.php:354 +msgctxt "role" +msgid "Administrator" +msgstr "" + +#: lib/userprofile.php:355 +msgctxt "role" +msgid "Moderator" +msgstr "" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "noen fÃ¥ sekunder siden" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "omtrent ett minutt siden" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "omtrent %d minutter siden" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "omtrent én time siden" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "omtrent %d timer siden" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "omtrent én dag siden" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "omtrent %d dager siden" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "omtrent én mÃ¥ned siden" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "omtrent %d mÃ¥neder siden" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "omtrent ett Ã¥r siden" diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index a9e757956..1f2a54970 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -10,19 +10,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:03:32+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:56:59+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "Toegang" @@ -43,10 +44,9 @@ msgstr "Mogen anonieme gebruikers (niet aangemeld) de website bekijken?" #. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -#, fuzzy msgctxt "LABEL" msgid "Private" -msgstr "Privé" +msgstr "Geen anonieme toegang" #. TRANS: Checkbox instructions for admin setting "Invite only" #: actions/accessadminpanel.php:174 @@ -74,7 +74,6 @@ msgid "Save access settings" msgstr "Toegangsinstellingen opslaan" #: actions/accessadminpanel.php:203 -#, fuzzy msgctxt "BUTTON" msgid "Save" msgstr "Opslaan" @@ -119,7 +118,7 @@ msgstr "%1$s en vrienden, pagina %2$d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -183,7 +182,7 @@ msgstr "" "een bericht sturen." #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "U en vrienden" @@ -210,11 +209,11 @@ msgstr "Updates van %1$s en vrienden op %2$s." #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." msgstr "De API-functie is niet aangetroffen." @@ -589,7 +588,7 @@ msgstr "" "van het type \"%3$s tot uw gebruikersgegevens. Geef alleen " "toegang tot uw gebruiker bij %4$s aan derde partijen die u vertrouwt." -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "Gebruiker" @@ -678,18 +677,6 @@ msgstr "%1$s / Favorieten van %2$s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s updates op de favorietenlijst geplaatst door %2$s / %3$s" -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "%s tijdlijn" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "Updates van %1$s op %2$s." - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -700,12 +687,12 @@ msgstr "%1$s / Updates over %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s updates die een reactie zijn op updates van %2$s / %3$s." -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s publieke tijdlijn" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s updates van iedereen" @@ -953,7 +940,7 @@ msgid "Conversation" msgstr "Dialoog" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Mededelingen" @@ -972,7 +959,7 @@ msgstr "U bent niet de eigenaar van deze applicatie." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "Er is een probleem met uw sessietoken." @@ -1169,8 +1156,9 @@ msgstr "Standaardinstellingen toepassen" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1286,7 +1274,7 @@ msgstr "de beschrijving is te lang (maximaal %d tekens)" msgid "Could not update group." msgstr "Het was niet mogelijk de groep bij te werken." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "Het was niet mogelijk de aliassen aan te maken." @@ -1410,7 +1398,7 @@ msgid "Cannot normalize that email address" msgstr "Kan het emailadres niet normaliseren" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "Geen geldig e-mailadres." @@ -1608,6 +1596,25 @@ msgstr "Het bestand bestaat niet." msgid "Cannot read file." msgstr "Het bestand kon niet gelezen worden." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Ongeldig token." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "Op deze website kunt u gebruikers niet in de zandbak plaatsen." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "Deze gebruiker is al gemuilkorfd." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1757,12 +1764,18 @@ msgstr "Beheerder maken" msgid "Make this user an admin" msgstr "Deze gebruiker beheerder maken" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "%s tijdlijn" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Updates voor leden van %1$s op %2$s." -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "Groepen" @@ -2027,7 +2040,6 @@ msgstr "Persoonlijk bericht bij de uitnodiging (optioneel)." #. TRANS: Send button for inviting friends #: actions/invite.php:198 -#, fuzzy msgctxt "BUTTON" msgid "Send" msgstr "Verzenden" @@ -2392,8 +2404,8 @@ msgstr "inhoudstype " msgid "Only " msgstr "Alleen " -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "Geen ondersteund gegevensformaat." @@ -2532,7 +2544,8 @@ msgstr "Het was niet mogelijk het nieuwe wachtwoord op te slaan." msgid "Password saved." msgstr "Het wachtwoord is opgeslagen." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "Paden" @@ -2652,7 +2665,7 @@ msgstr "Achtergrondenmap" msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "Nooit" @@ -2708,11 +2721,11 @@ msgstr "Geen geldig gebruikerslabel: %s" msgid "Users self-tagged with %1$s - page %2$d" msgstr "Gebruikers die zichzelf met %1$s hebben gelabeld - pagina %2$d" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "Ongeldige mededelinginhoud" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2794,7 +2807,7 @@ msgstr "" "Eigen labels (letter, getallen, -, ., en _). Gescheiden door komma's of " "spaties" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "Taal" @@ -2822,7 +2835,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "De beschrijving is te lang (maximaal %d tekens)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "Er is geen tijdzone geselecteerd." @@ -3147,7 +3160,7 @@ msgid "Same as password above. Required." msgstr "Gelijk aan het wachtwoord hierboven. Verplicht" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "E-mail" @@ -3254,7 +3267,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "De URL van uw profiel bij een andere, compatibele microblogdienst" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "Abonneren" @@ -3358,6 +3371,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Antwoorden aan %1$s op %2$s." +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "U kunt gebruikers op deze website niet muilkorven." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "Gebruiker zonder bijbehorend profiel." + #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" msgstr "StatusNet" @@ -3370,7 +3393,9 @@ msgstr "Op deze website kunt u gebruikers niet in de zandbak plaatsen." msgid "User is already sandboxed." msgstr "Deze gebruiker is al in de zandbak geplaatst." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "Sessies" @@ -3394,7 +3419,7 @@ msgstr "Sessies debuggen" msgid "Turn on debugging output for sessions." msgstr "Debuguitvoer voor sessies inschakelen." -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Websiteinstellingen opslaan" @@ -3425,8 +3450,8 @@ msgstr "Organisatie" msgid "Description" msgstr "Beschrijving" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "Statistieken" @@ -3570,45 +3595,45 @@ msgstr "Aliassen" msgid "Group actions" msgstr "Groepshandelingen" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Mededelingenfeed voor groep %s (RSS 1.0)" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Mededelingenfeed voor groep %s (RSS 2.0)" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Mededelingenfeed voor groep %s (Atom)" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "Vriend van een vriend voor de groep %s" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "Leden" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(geen)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "Alle leden" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "Aangemaakt" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3624,7 +3649,7 @@ msgstr "" "lid te worden van deze groep en nog veel meer! [Meer lezen...](%%%%doc.help%%" "%%)" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3637,7 +3662,7 @@ msgstr "" "[StatusNet](http://status.net/). De leden wisselen korte mededelingen uit " "over hun ervaringen en interesses. " -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "Beheerders" @@ -3760,154 +3785,144 @@ msgid "User is already silenced." msgstr "Deze gebruiker is al gemuilkorfd." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +#, fuzzy +msgid "Basic settings for this StatusNet site" msgstr "Basisinstellingen voor deze StatusNet-website." -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "De sitenaam moet ingevoerd worden en mag niet leeg zijn." -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 msgid "You must have a valid contact email address." msgstr "" "U moet een geldig e-mailadres opgeven waarop contact opgenomen kan worden." -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "De taal \"%s\" is niet bekend." #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "De rapportage-URL voor snapshots is ongeldig." - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "De waarde voor het uitvoeren van snapshots is ongeldig." - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "De snapshotfrequentie moet een getal zijn." - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "De minimale tekstlimiet is 140 tekens." -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "De duplicaatlimiet moet één of meer seconden zijn." -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "Algemeen" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "Websitenaam" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "De naam van de website, zoals \"UwBedrijf Microblog\"" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "Mogelijk gemaakt door" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" "De tekst die gebruikt worden in de \"creditsverwijzing\" in de voettekst van " "iedere pagina" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "\"Mogelijk gemaakt door\"-URL" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" "URL die wordt gebruikt voor de verwijzing naar de hoster en dergelijke in de " "voettekst van iedere pagina" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 msgid "Contact email address for your site" msgstr "E-mailadres om contact op te nemen met de websitebeheerder" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 msgid "Local" msgstr "Lokaal" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "Standaardtijdzone" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "Standaardtijdzone voor de website. Meestal UTC." -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +#, fuzzy +msgid "Default language" msgstr "Standaardtaal" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "Snapshots" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" -msgstr "Willekeurig tijdens een websitehit" - -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" -msgstr "Als geplande taak" - -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" -msgstr "Snapshots van gegevens" - -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -"Wanneer statistische gegevens naar de status.net-servers verzonden worden" - -#: actions/siteadminpanel.php:301 -msgid "Frequency" -msgstr "Frequentie" - -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" -msgstr "Iedere zoveel websitehits wordt een snapshot verzonden" -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "Rapportage-URL" - -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "Snapshots worden naar deze URL verzonden" - -#: actions/siteadminpanel.php:315 +#: actions/siteadminpanel.php:271 msgid "Limits" msgstr "Limieten" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Text limit" msgstr "Tekstlimiet" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Maximum number of characters for notices." msgstr "Maximaal aantal te gebruiken tekens voor mededelingen." -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "Dupe limit" msgstr "Duplicaatlimiet" -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Hoe lang gebruikers moeten wachten (in seconden) voor ze hetzelfde kunnen " "zenden." +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Mededeling van de website" + +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "Nieuw bericht" + +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Het was niet mogelijk om uw ontwerpinstellingen op te slaan." + +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" +msgstr "" + +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Mededeling van de website" + +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" +msgstr "" + +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Mededeling van de website" + #: actions/smssettings.php:58 msgid "SMS settings" msgstr "SMS-instellingen" @@ -4007,6 +4022,67 @@ msgstr "" msgid "No code entered" msgstr "Er is geen code ingevoerd" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "Snapshots" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "Websiteinstellingen wijzigen" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "De waarde voor het uitvoeren van snapshots is ongeldig." + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "De snapshotfrequentie moet een getal zijn." + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "De rapportage-URL voor snapshots is ongeldig." + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "Willekeurig tijdens een websitehit" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "Als geplande taak" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "Snapshots van gegevens" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" +"Wanneer statistische gegevens naar de status.net-servers verzonden worden" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "Frequentie" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "Iedere zoveel websitehits wordt een snapshot verzonden" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "Rapportage-URL" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "Snapshots worden naar deze URL verzonden" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Websiteinstellingen opslaan" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "U bent niet geabonneerd op dat profiel." @@ -4218,7 +4294,7 @@ msgstr "Het profiel-ID was niet aanwezig in het verzoek." msgid "Unsubscribed" msgstr "Het abonnement is opgezegd" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4228,7 +4304,6 @@ msgstr "" #. TRANS: User admin panel title #: actions/useradminpanel.php:59 -#, fuzzy msgctxt "TITLE" msgid "User" msgstr "Gebruiker" @@ -4423,17 +4498,23 @@ msgstr "Groepen voor %1$s, pagina %2$d" msgid "Search for more groups" msgstr "Meer groepen zoeken" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "%s is van geen enkele groep lid." -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" "U kunt [naar groepen zoeken](%%action.groupsearch%%) en daar lid van worden." +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "Updates van %1$s op %2$s." + #: actions/version.php:73 #, php-format msgid "StatusNet %s" @@ -4489,7 +4570,7 @@ msgstr "" msgid "Plugins" msgstr "Plug-ins" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 msgid "Version" msgstr "Versie" @@ -4556,26 +4637,26 @@ msgstr "Het was niet mogelijk het bericht bij te werken met de nieuwe URI." msgid "DB error inserting hashtag: %s" msgstr "Er is een databasefout opgetreden bij de invoer van de hashtag: %s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 msgid "Problem saving notice. Too long." msgstr "" "Er is een probleem opgetreden bij het opslaan van de mededeling. Deze is te " "lang." -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "" "Er was een probleem bij het opslaan van de mededeling. De gebruiker is " "onbekend." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "U hebt te snel te veel mededelingen verstuurd. Kom even op adem en probeer " "het over enige tijd weer." -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4583,22 +4664,22 @@ msgstr "" "Te veel duplicaatberichten te snel achter elkaar. Neem een adempauze en " "plaats over een aantal minuten pas weer een bericht." -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "" "U bent geblokkeerd en mag geen mededelingen meer achterlaten op deze site." -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "Er is een probleem opgetreden bij het opslaan van de mededeling." -#: classes/Notice.php:911 +#: classes/Notice.php:927 msgid "Problem saving group inbox." msgstr "" "Er is een probleem opgetreden bij het opslaan van het Postvak IN van de " "groep." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4623,7 +4704,12 @@ msgstr "Niet geabonneerd!" msgid "Couldn't delete self-subscription." msgstr "Het was niet mogelijk het abonnement op uzelf te verwijderen." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Kon abonnement niet verwijderen." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Kon abonnement niet verwijderen." @@ -4632,19 +4718,19 @@ msgstr "Kon abonnement niet verwijderen." msgid "Welcome to %1$s, @%2$s!" msgstr "Welkom bij %1$s, @%2$s!" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "Het was niet mogelijk de groep aan te maken." -#: classes/User_group.php:471 +#: classes/User_group.php:486 msgid "Could not set group URI." msgstr "Het was niet mogelijk de groeps-URI in te stellen." -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "Het was niet mogelijk het groepslidmaatschap in te stellen." -#: classes/User_group.php:506 +#: classes/User_group.php:521 msgid "Could not save local group info." msgstr "Het was niet mogelijk de lokale groepsinformatie op te slaan." @@ -4685,194 +4771,171 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Naamloze pagina" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "Primaire sitenavigatie" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 -#, fuzzy +#: lib/action.php:430 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Persoonlijk profiel en tijdlijn van vrienden" -#: lib/action.php:442 -#, fuzzy +#: lib/action.php:433 msgctxt "MENU" msgid "Personal" msgstr "Persoonlijk" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 -#, fuzzy +#: lib/action.php:435 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Uw e-mailadres, avatar, wachtwoord of profiel wijzigen" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "Gebruiker" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 -#, fuzzy +#: lib/action.php:440 msgctxt "TOOLTIP" msgid "Connect to services" -msgstr "Met diensten verbinden" +msgstr "Met andere diensten koppelen" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" -msgstr "Koppelen" +msgstr "Koppelingen" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 -#, fuzzy +#: lib/action.php:446 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Websiteinstellingen wijzigen" -#: lib/action.php:460 -#, fuzzy +#: lib/action.php:449 msgctxt "MENU" msgid "Admin" -msgstr "Beheerder" +msgstr "Beheer" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 -#, fuzzy, php-format +#: lib/action.php:453 +#, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Vrienden en collega's uitnodigen om u te vergezellen op %s" -#: lib/action.php:467 -#, fuzzy +#: lib/action.php:456 msgctxt "MENU" msgid "Invite" -msgstr "Uitnodigen" +msgstr "Uitnodigingen" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 -#, fuzzy +#: lib/action.php:462 msgctxt "TOOLTIP" msgid "Logout from the site" -msgstr "Van de site afmelden" +msgstr "Gebruiker afmelden" -#: lib/action.php:476 -#, fuzzy +#: lib/action.php:465 msgctxt "MENU" msgid "Logout" msgstr "Afmelden" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 -#, fuzzy +#: lib/action.php:470 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Gebruiker aanmaken" -#: lib/action.php:484 -#, fuzzy +#: lib/action.php:473 msgctxt "MENU" msgid "Register" msgstr "Registreren" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 -#, fuzzy +#: lib/action.php:476 msgctxt "TOOLTIP" msgid "Login to the site" -msgstr "Bij de site aanmelden" +msgstr "Gebruiker aanmelden" -#: lib/action.php:490 -#, fuzzy +#: lib/action.php:479 msgctxt "MENU" msgid "Login" msgstr "Aanmelden" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 -#, fuzzy +#: lib/action.php:482 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Help me!" -#: lib/action.php:496 -#, fuzzy +#: lib/action.php:485 msgctxt "MENU" msgid "Help" msgstr "Help" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 -#, fuzzy +#: lib/action.php:488 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Naar gebruikers of tekst zoeken" -#: lib/action.php:502 -#, fuzzy +#: lib/action.php:491 msgctxt "MENU" msgid "Search" msgstr "Zoeken" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "Mededeling van de website" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "Lokale weergaven" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "Mededeling van de pagina" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "Secundaire sitenavigatie" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Help" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "Over" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "Veel gestelde vragen" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "Gebruiksvoorwaarden" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "Privacy" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "Broncode" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Contact" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "Widget" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "Licentie van de StatusNet-software" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4881,12 +4944,12 @@ msgstr "" "**%%site.name%%** is een microblogdienst van [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** is een microblogdienst. " -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4897,57 +4960,57 @@ msgstr "" "versie %s, beschikbaar onder de [GNU Affero General Public License](http://" "www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "Licentie voor siteinhoud" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Inhoud en gegevens van %1$s zijn persoonlijk en vertrouwelijk." -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "Auteursrechten op inhoud en gegevens rusten bij %1$s. Alle rechten " "voorbehouden." -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Auteursrechten op inhoud en gegevens rusten bij de respectievelijke " "gebruikers. Alle rechten voorbehouden." -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "Alle " -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "licentie." -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "Paginering" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "Later" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "Eerder" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "Het is nog niet mogelijk inhoud uit andere omgevingen te verwerken." -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "Het is nog niet mogelijk ingebedde XML-inhoud te verwerken" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "Het is nog niet mogelijk ingebedde Base64-inhoud te verwerken" @@ -4962,91 +5025,78 @@ msgid "Changes to that panel are not allowed." msgstr "Wijzigingen aan dat venster zijn niet toegestaan." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "showForm() is niet geïmplementeerd." #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "saveSettings() is nog niet geïmplementeerd." #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "Het was niet mogelijk om de ontwerpinstellingen te verwijderen." #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 msgid "Basic site configuration" msgstr "Basisinstellingen voor de website" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 -#, fuzzy +#: lib/adminpanelaction.php:350 msgctxt "MENU" msgid "Site" msgstr "Website" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "Instellingen vormgeving" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 -#, fuzzy +#: lib/adminpanelaction.php:358 msgctxt "MENU" msgid "Design" msgstr "Uiterlijk" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 msgid "User configuration" msgstr "Gebruikersinstellingen" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "Gebruiker" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 msgid "Access configuration" msgstr "Toegangsinstellingen" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "Toegang" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 msgid "Paths configuration" msgstr "Padinstellingen" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -#, fuzzy -msgctxt "MENU" -msgid "Paths" -msgstr "Paden" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 msgid "Sessions configuration" msgstr "Sessieinstellingen" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "Sessies" +msgid "Edit site notice" +msgstr "Mededeling van de website" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "Padinstellingen" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5584,6 +5634,11 @@ msgstr "Kies een label om de lijst kleiner te maken" msgid "Go" msgstr "OK" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "De URL van de thuispagina of de blog van de groep of het onderwerp" @@ -6205,10 +6260,6 @@ msgstr "Antwoorden" msgid "Favorites" msgstr "Favorieten" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "Gebruiker" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Postvak IN" @@ -6234,7 +6285,7 @@ msgstr "Labels in de mededelingen van %s" msgid "Unknown" msgstr "Onbekend" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "Abonnementen" @@ -6242,23 +6293,23 @@ msgstr "Abonnementen" msgid "All subscriptions" msgstr "Alle abonnementen" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "Abonnees" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "Alle abonnees" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "Gebruikers-ID" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "Lid sinds" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "Alle groepen" @@ -6298,7 +6349,12 @@ msgstr "Deze mededeling herhalen?" msgid "Repeat this notice" msgstr "Deze mededeling herhalen" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "Deze gebruiker de toegang tot deze groep ontzeggen" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "Er is geen gebruiker gedefinieerd voor single-usermodus." @@ -6452,47 +6508,64 @@ msgstr "Bericht" msgid "Moderate" msgstr "Modereren" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "Gebruikersprofiel" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "Beheerders" + +#: lib/userprofile.php:355 +#, fuzzy +msgctxt "role" +msgid "Moderator" +msgstr "Modereren" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "een paar seconden geleden" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "ongeveer een minuut geleden" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "ongeveer %d minuten geleden" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "ongeveer een uur geleden" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "ongeveer %d uur geleden" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "ongeveer een dag geleden" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "ongeveer %d dagen geleden" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "ongeveer een maand geleden" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "ongeveer %d maanden geleden" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "ongeveer een jaar geleden" diff --git a/locale/nn/LC_MESSAGES/statusnet.po b/locale/nn/LC_MESSAGES/statusnet.po index ddd183e87..c6576fbcf 100644 --- a/locale/nn/LC_MESSAGES/statusnet.po +++ b/locale/nn/LC_MESSAGES/statusnet.po @@ -7,19 +7,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:03:22+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:56:56+0000\n" "Language-Team: Norwegian Nynorsk\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nn\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 #, fuzzy msgid "Access" msgstr "Godta" @@ -123,7 +124,7 @@ msgstr "%s med vener, side %d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -178,7 +179,7 @@ msgid "" msgstr "" #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 #, fuzzy msgid "You and friends" msgstr "%s med vener" @@ -206,11 +207,11 @@ msgstr "Oppdateringar frÃ¥ %1$s og vener pÃ¥ %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Fann ikkje API-metode." @@ -581,7 +582,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "Konto" @@ -673,18 +674,6 @@ msgstr "%s / Favorittar frÃ¥ %s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s oppdateringar favorisert av %s / %s." -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "%s tidsline" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "Oppdateringar frÃ¥ %1$s pÃ¥ %2$s!" - #: actions/apitimelinementions.php:117 #, fuzzy, php-format msgid "%1$s / Updates mentioning %2$s" @@ -695,12 +684,12 @@ msgstr "%1$s / Oppdateringar som svarar til %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s oppdateringar som svarar pÃ¥ oppdateringar frÃ¥ %2$s / %3$s." -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s offentleg tidsline" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s oppdateringar frÃ¥ alle saman!" @@ -952,7 +941,7 @@ msgid "Conversation" msgstr "Stadfestingskode" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Notisar" @@ -974,7 +963,7 @@ msgstr "Du er ikkje medlem av den gruppa." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "Det var eit problem med sesjons billetten din." @@ -1182,8 +1171,9 @@ msgstr "" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1311,7 +1301,7 @@ msgstr "skildringa er for lang (maks 140 teikn)." msgid "Could not update group." msgstr "Kann ikkje oppdatera gruppa." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 #, fuzzy msgid "Could not create aliases." msgstr "Kunne ikkje lagre favoritt." @@ -1438,7 +1428,7 @@ msgid "Cannot normalize that email address" msgstr "Klarar ikkje normalisera epostadressa" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "Ikkje ei gyldig epostadresse." @@ -1634,6 +1624,25 @@ msgstr "Denne notisen finst ikkje." msgid "Cannot read file." msgstr "Mista fila vÃ¥r." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Ugyldig storleik." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "Du kan ikkje sende melding til denne brukaren." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "Brukar har blokkert deg." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1789,12 +1798,18 @@ msgstr "Administrator" msgid "Make this user an admin" msgstr "" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "%s tidsline" + #: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Oppdateringar frÃ¥ %1$s pÃ¥ %2$s!" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "Grupper" @@ -2408,8 +2423,8 @@ msgstr "Kopla til" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "Ikkje eit støtta dataformat." @@ -2555,7 +2570,8 @@ msgstr "Klarar ikkje lagra nytt passord." msgid "Password saved." msgstr "Lagra passord." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "" @@ -2683,7 +2699,7 @@ msgstr "" msgid "SSL" msgstr "SMS" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 #, fuzzy msgid "Never" msgstr "Gjenopprett" @@ -2742,11 +2758,11 @@ msgstr "Ikkje gyldig merkelapp: %s" msgid "Users self-tagged with %1$s - page %2$d" msgstr "Brukarar sjølv-merka med %s, side %d" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "Ugyldig notisinnhald" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2828,7 +2844,7 @@ msgstr "" "merkelappar for deg sjølv ( bokstavar, nummer, -, ., og _ ), komma eller " "mellomroms separert." -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "SprÃ¥k" @@ -2855,7 +2871,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "«Om meg» er for lang (maks 140 " -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "Tidssone er ikkje valt." @@ -3164,7 +3180,7 @@ msgid "Same as password above. Required." msgstr "Samme som passord over. PÃ¥krevd." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Epost" @@ -3272,7 +3288,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL til profilsida di pÃ¥ ei anna kompatibel mikrobloggingteneste." #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "Ting" @@ -3377,6 +3393,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Melding til %1$s pÃ¥ %2$s" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "Du kan ikkje sende melding til denne brukaren." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "Kan ikkje finne brukar" + #: actions/rsd.php:146 actions/version.php:157 #, fuzzy msgid "StatusNet" @@ -3392,7 +3418,9 @@ msgstr "Du kan ikkje sende melding til denne brukaren." msgid "User is already sandboxed." msgstr "Brukar har blokkert deg." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "" @@ -3416,7 +3444,7 @@ msgstr "" msgid "Turn on debugging output for sessions." msgstr "" -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" @@ -3452,8 +3480,8 @@ msgstr "Paginering" msgid "Description" msgstr "Beskriving" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "Statistikk" @@ -3586,46 +3614,46 @@ msgstr "" msgid "Group actions" msgstr "Gruppe handlingar" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Notisstraum for %s gruppa" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Notisstraum for %s gruppa" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "Notisstraum for %s gruppa" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "Utboks for %s" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "Medlemmar" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Ingen)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "Alle medlemmar" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 #, fuzzy msgid "Created" msgstr "Lag" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3635,7 +3663,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3646,7 +3674,7 @@ msgstr "" "**%s** er ei brukargruppe pÃ¥ %%%%site.name%%%%, ei [mikroblogging](http://en." "wikipedia.org/wiki/Micro-blogging)-teneste" -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 #, fuzzy msgid "Admins" msgstr "Administrator" @@ -3762,150 +3790,139 @@ msgid "User is already silenced." msgstr "Brukar har blokkert deg." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +msgid "Basic settings for this StatusNet site" msgstr "" -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 #, fuzzy msgid "You must have a valid contact email address." msgstr "Ikkje ei gyldig epostadresse" -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "" #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 #, fuzzy msgid "Site name" msgstr "Statusmelding" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 #, fuzzy msgid "Contact email address for your site" msgstr "Ny epostadresse for Ã¥ oppdatera %s" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 #, fuzzy msgid "Local" msgstr "Lokale syningar" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:281 +#: actions/siteadminpanel.php:262 #, fuzzy -msgid "Default site language" +msgid "Default language" msgstr "Foretrukke sprÃ¥k" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" +#: actions/siteadminpanel.php:271 +msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" +#: actions/siteadminpanel.php:274 +msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" +#: actions/siteadminpanel.php:274 +msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:301 -msgid "Frequency" +#: actions/siteadminpanel.php:278 +msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" +#: actions/siteadminpanel.php:278 +msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Statusmelding" -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "Ny melding" -#: actions/siteadminpanel.php:315 -msgid "Limits" -msgstr "" +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Klarte ikkje Ã¥ lagra Twitter-innstillingane dine!" -#: actions/siteadminpanel.php:318 -msgid "Text limit" +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" msgstr "" -#: actions/siteadminpanel.php:318 -msgid "Maximum number of characters for notices." -msgstr "" +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Statusmelding" -#: actions/siteadminpanel.php:322 -msgid "Dupe limit" +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" msgstr "" -#: actions/siteadminpanel.php:322 -msgid "How long users must wait (in seconds) to post the same thing again." -msgstr "" +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Statusmelding" #: actions/smssettings.php:58 #, fuzzy @@ -4009,6 +4026,66 @@ msgstr "" msgid "No code entered" msgstr "Ingen innskriven kode" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "Navigasjon for hovudsida" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Avatar-innstillingar" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "Du tingar ikkje oppdateringar til den profilen." @@ -4214,7 +4291,7 @@ msgstr "Ingen profil-ID i førespurnaden." msgid "Unsubscribed" msgstr "Fjerna tinging" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4425,16 +4502,22 @@ msgstr "%s medlemmar i gruppa, side %d" msgid "Search for more groups" msgstr "Søk etter folk eller innhald" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, fuzzy, php-format msgid "%s is not a member of any group." msgstr "Du er ikkje medlem av den gruppa." -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "Oppdateringar frÃ¥ %1$s pÃ¥ %2$s!" + #: actions/version.php:73 #, fuzzy, php-format msgid "StatusNet %s" @@ -4478,7 +4561,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 #, fuzzy msgid "Version" msgstr "Personleg" @@ -4547,22 +4630,22 @@ msgstr "Kunne ikkje oppdatere melding med ny URI." msgid "DB error inserting hashtag: %s" msgstr "databasefeil ved innsetjing av skigardmerkelapp (#merkelapp): %s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Eit problem oppstod ved lagring av notis." -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "Feil ved lagring av notis. Ukjend brukar." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "For mange notisar for raskt; tek ei pause, og prøv igjen om eit par minutt." -#: classes/Notice.php:254 +#: classes/Notice.php:256 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " @@ -4570,20 +4653,20 @@ msgid "" msgstr "" "For mange notisar for raskt; tek ei pause, og prøv igjen om eit par minutt." -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "Du kan ikkje lengre legge inn notisar pÃ¥ denne sida." -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "Eit problem oppstod ved lagring av notis." -#: classes/Notice.php:911 +#: classes/Notice.php:927 #, fuzzy msgid "Problem saving group inbox." msgstr "Eit problem oppstod ved lagring av notis." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4611,7 +4694,12 @@ msgstr "Ikkje tinga." msgid "Couldn't delete self-subscription." msgstr "Kan ikkje sletta tinging." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Kan ikkje sletta tinging." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Kan ikkje sletta tinging." @@ -4620,20 +4708,20 @@ msgstr "Kan ikkje sletta tinging." msgid "Welcome to %1$s, @%2$s!" msgstr "Melding til %1$s pÃ¥ %2$s" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "Kunne ikkje laga gruppa." -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "Kunne ikkje bli med i gruppa." -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "Kunne ikkje bli med i gruppa." -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "Kunne ikkje lagra abonnement." @@ -4676,195 +4764,189 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Ingen tittel" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "Navigasjon for hovudsida" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 #, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Personleg profil og oversyn over vener" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Personleg" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Endra e-posten, avataren, passordet eller profilen" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "Konto" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Klarte ikkje Ã¥ omdirigera til tenaren: %s" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "Kopla til" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Navigasjon for hovudsida" -#: lib/action.php:460 +#: lib/action.php:449 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "Administrator" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Inviter vennar og kollega til Ã¥ bli med deg pÃ¥ %s" -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Invitér" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 #, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Logg ut or sida" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Logg ut" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "Opprett ny konto" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "Registrér" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Logg inn or sida" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "Logg inn" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Hjelp meg!" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "Hjelp" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 #, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Søk etter folk eller innhald" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "Søk" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "Statusmelding" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "Lokale syningar" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "Sidenotis" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "AndrenivÃ¥s side navigasjon" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Hjelp" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "Om" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "OSS" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "Personvern" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "Kjeldekode" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:782 +#: lib/action.php:771 #, fuzzy msgid "Badge" msgstr "Dult" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "StatusNets programvarelisens" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4873,12 +4955,12 @@ msgstr "" "**%%site.name%%** er ei mikrobloggingteneste av [%%site.broughtby%%](%%site." "broughtbyurl%%). " -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** er ei mikrobloggingteneste. " -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4889,54 +4971,54 @@ msgstr "" "%s, tilgjengeleg under [GNU Affero General Public License](http://www.fsf." "org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:832 +#: lib/action.php:821 #, fuzzy msgid "Site content license" msgstr "StatusNets programvarelisens" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "Alle" -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "lisens." -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "Paginering" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "« Etter" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "Før »" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4953,99 +5035,89 @@ msgid "Changes to that panel are not allowed." msgstr "Registrering ikkje tillatt." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 #, fuzzy msgid "showForm() not implemented." msgstr "Kommando ikkje implementert." #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 #, fuzzy msgid "saveSettings() not implemented." msgstr "Kommando ikkje implementert." #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 #, fuzzy msgid "Unable to delete design setting." msgstr "Klarte ikkje Ã¥ lagra Twitter-innstillingane dine!" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Basic site configuration" msgstr "Stadfesting av epostadresse" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "Invitér" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 #, fuzzy msgid "Design configuration" msgstr "SMS bekreftelse" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "Personleg" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 #, fuzzy msgid "User configuration" msgstr "SMS bekreftelse" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "Brukar" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 #, fuzzy msgid "Access configuration" msgstr "SMS bekreftelse" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "Godta" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 #, fuzzy msgid "Paths configuration" msgstr "SMS bekreftelse" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -msgctxt "MENU" -msgid "Paths" -msgstr "" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 #, fuzzy msgid "Sessions configuration" msgstr "SMS bekreftelse" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "Personleg" +msgid "Edit site notice" +msgstr "Statusmelding" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "SMS bekreftelse" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5548,6 +5620,11 @@ msgstr "Velg ein merkelapp for Ã¥ begrense lista" msgid "Go" msgstr "GÃ¥" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "URL til heimesida eller bloggen for gruppa eller emnet" @@ -6098,10 +6175,6 @@ msgstr "Svar" msgid "Favorites" msgstr "Favorittar" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "Brukar" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Innboks" @@ -6128,7 +6201,7 @@ msgstr "Merkelappar i %s sine notisar" msgid "Unknown" msgstr "Uventa handling." -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "Tingingar" @@ -6136,24 +6209,24 @@ msgstr "Tingingar" msgid "All subscriptions" msgstr "Alle tingingar" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "Tingarar" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "Tingarar" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 #, fuzzy msgid "User ID" msgstr "Brukar" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "Medlem sidan" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "Alle gruppar" @@ -6196,7 +6269,12 @@ msgstr "Svar pÃ¥ denne notisen" msgid "Repeat this notice" msgstr "Svar pÃ¥ denne notisen" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "Ei liste over brukarane i denne gruppa." + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -6360,47 +6438,63 @@ msgstr "Melding" msgid "Moderate" msgstr "" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "Brukarprofil" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "Administrator" + +#: lib/userprofile.php:355 +msgctxt "role" +msgid "Moderator" +msgstr "" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "eit par sekund sidan" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "omtrent eitt minutt sidan" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "~%d minutt sidan" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "omtrent ein time sidan" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "~%d timar sidan" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "omtrent ein dag sidan" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "~%d dagar sidan" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "omtrent ein mÃ¥nad sidan" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "~%d mÃ¥nadar sidan" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "omtrent eitt Ã¥r sidan" diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index a8cef8d36..402bd78af 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:03:35+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:57:02+0000\n" "Last-Translator: Piotr DrÄ…g \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -19,13 +19,14 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: out-statusnet\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "DostÄ™p" @@ -122,7 +123,7 @@ msgstr "%1$s i przyjaciele, strona %2$d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -186,7 +187,7 @@ msgstr "" "szturchniesz użytkownika %s lub wyÅ›lesz wpis wymagajÄ…cego jego uwagi." #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "Ty i przyjaciele" @@ -213,11 +214,11 @@ msgstr "Aktualizacje z %1$s i przyjaciół na %2$s." #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." msgstr "Nie odnaleziono metody API." @@ -579,7 +580,7 @@ msgstr "" "uzyskać możliwość %3$s danych konta %4$s. DostÄ™p do konta %4" "$s powinien być udostÄ™pniany tylko zaufanym osobom trzecim." -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "Konto" @@ -666,18 +667,6 @@ msgstr "%1$s/ulubione wpisy od %2$s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "Użytkownik %1$s aktualizuje ulubione wedÅ‚ug %2$s/%2$s." -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "OÅ› czasu użytkownika %s" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "Aktualizacje z %1$s na %2$s." - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -688,12 +677,12 @@ msgstr "%1$s/aktualizacje wspominajÄ…ce %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s aktualizuje tÄ™ odpowiedź na aktualizacje od %2$s/%3$s." -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "Publiczna oÅ› czasu użytkownika %s" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "Użytkownik %s aktualizuje od każdego." @@ -939,7 +928,7 @@ msgid "Conversation" msgstr "Rozmowa" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Wpisy" @@ -958,7 +947,7 @@ msgstr "Nie jesteÅ› wÅ‚aÅ›cicielem tej aplikacji." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "WystÄ…piÅ‚ problem z tokenem sesji." @@ -1151,8 +1140,9 @@ msgstr "Przywróć domyÅ›lne ustawienia" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1268,7 +1258,7 @@ msgstr "opis jest za dÅ‚ugi (maksymalnie %d znaków)." msgid "Could not update group." msgstr "Nie można zaktualizować grupy." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "Nie można utworzyć aliasów." @@ -1391,7 +1381,7 @@ msgid "Cannot normalize that email address" msgstr "Nie można znormalizować tego adresu e-mail" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "To nie jest prawidÅ‚owy adres e-mail." @@ -1584,6 +1574,25 @@ msgstr "Nie ma takiego pliku." msgid "Cannot read file." msgstr "Nie można odczytać pliku." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "NieprawidÅ‚owy token." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "Nie można ograniczać użytkowników na tej witrynie." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "Użytkownik jest już wyciszony." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1727,12 +1736,18 @@ msgstr "UczyÅ„ administratorem" msgid "Make this user an admin" msgstr "UczyÅ„ tego użytkownika administratorem" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "OÅ› czasu użytkownika %s" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Aktualizacje od czÅ‚onków %1$s na %2$s." -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "Grupy" @@ -2352,8 +2367,8 @@ msgstr "typ zawartoÅ›ci " msgid "Only " msgstr "Tylko " -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "To nie jest obsÅ‚ugiwany format danych." @@ -2492,7 +2507,8 @@ msgstr "Nie można zapisać nowego hasÅ‚a." msgid "Password saved." msgstr "Zapisano hasÅ‚o." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "Åšcieżki" @@ -2614,7 +2630,7 @@ msgstr "Katalog tÅ‚a" msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "Nigdy" @@ -2670,11 +2686,11 @@ msgstr "NieprawidÅ‚owy znacznik osób: %s" msgid "Users self-tagged with %1$s - page %2$d" msgstr "Użytkownicy używajÄ…cy znacznika %1$s - strona %2$d" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "NieprawidÅ‚owa zawartość wpisu" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "Licencja wpisu \"%1$s\" nie jest zgodna z licencjÄ… witryny \"%2$s\"." @@ -2754,7 +2770,7 @@ msgstr "" "Znaczniki dla siebie (litery, liczby, -, . i _), oddzielone przecinkami lub " "spacjami" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "JÄ™zyk" @@ -2781,7 +2797,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Wpis \"O mnie\" jest za dÅ‚ugi (maksymalnie %d znaków)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "Nie wybrano strefy czasowej." @@ -3100,7 +3116,7 @@ msgid "Same as password above. Required." msgstr "Takie samo jak powyższe hasÅ‚o. Wymagane." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "E-mail" @@ -3206,7 +3222,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "Adres URL profilu na innej, zgodnej usÅ‚udze mikroblogowania" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "Subskrybuj" @@ -3310,6 +3326,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "odpowiedzi dla użytkownika %1$s na %2$s." +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "Nie można wyciszać użytkowników na tej witrynie." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "Użytkownik bez odpowiadajÄ…cego profilu." + #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" msgstr "StatusNet" @@ -3322,7 +3348,9 @@ msgstr "Nie można ograniczać użytkowników na tej witrynie." msgid "User is already sandboxed." msgstr "Użytkownik jest już ograniczony." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "Sesje" @@ -3346,7 +3374,7 @@ msgstr "Debugowanie sesji" msgid "Turn on debugging output for sessions." msgstr "WÅ‚Ä…cza wyjÅ›cie debugowania dla sesji." -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Zapisz ustawienia witryny" @@ -3377,8 +3405,8 @@ msgstr "Organizacja" msgid "Description" msgstr "Opis" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "Statystyki" @@ -3520,45 +3548,45 @@ msgstr "Aliasy" msgid "Group actions" msgstr "DziaÅ‚ania grupy" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "KanaÅ‚ wpisów dla grupy %s (RSS 1.0)" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "KanaÅ‚ wpisów dla grupy %s (RSS 2.0)" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "KanaÅ‚ wpisów dla grupy %s (Atom)" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "FOAF dla grupy %s" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "CzÅ‚onkowie" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Brak)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "Wszyscy czÅ‚onkowie" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "Utworzono" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3574,7 +3602,7 @@ msgstr "" "action.register%%%%), aby stać siÄ™ częściÄ… tej grupy i wiele wiÄ™cej. " "([Przeczytaj wiÄ™cej](%%%%doc.help%%%%))" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3587,7 +3615,7 @@ msgstr "" "narzÄ™dziu [StatusNet](http://status.net/). Jej czÅ‚onkowie dzielÄ… siÄ™ " "krótkimi wiadomoÅ›ciami o swoim życiu i zainteresowaniach. " -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "Administratorzy" @@ -3710,148 +3738,139 @@ msgid "User is already silenced." msgstr "Użytkownik jest już wyciszony." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +#, fuzzy +msgid "Basic settings for this StatusNet site" msgstr "Podstawowe ustawienia tej witryny StatusNet." -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "Nazwa witryny nie może mieć zerowÄ… dÅ‚ugość." -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 msgid "You must have a valid contact email address." msgstr "Należy posiadać prawidÅ‚owy kontaktowy adres e-mail." -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "Nieznany jÄ™zyk \"%s\"." #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "NieprawidÅ‚owy adres URL zgÅ‚aszania migawek." - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "NieprawidÅ‚owa wartość wykonania migawki." - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "CzÄ™stotliwość migawek musi być liczbÄ…." - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "Maksymalne ograniczenie tekstu to 14 znaków." -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "Ograniczenie duplikatów musi wynosić jednÄ… lub wiÄ™cej sekund." -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "Ogólne" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "Nazwa witryny" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "Nazwa strony, taka jak \"Mikroblog firmy X\"" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "Dostarczane przez" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "Tekst używany do odnoÅ›nika do zasÅ‚ug w stopce każdej strony" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "Adres URL \"Dostarczane przez\"" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "Adres URL używany do odnoÅ›nika do zasÅ‚ug w stopce każdej strony" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 msgid "Contact email address for your site" msgstr "Kontaktowy adres e-mail witryny" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 msgid "Local" msgstr "Lokalne" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "DomyÅ›lna strefa czasowa" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "DomyÅ›la strefa czasowa witryny, zwykle UTC." -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +#, fuzzy +msgid "Default language" msgstr "DomyÅ›lny jÄ™zyk witryny" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "Migawki" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" -msgstr "Losowo podczas trafienia WWW" - -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" -msgstr "Jako zaplanowane zadanie" - -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" -msgstr "Migawki danych" - -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" -msgstr "Kiedy wysyÅ‚ać dane statystyczne na serwery status.net" - -#: actions/siteadminpanel.php:301 -msgid "Frequency" -msgstr "CzÄ™stotliwość" - -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" -msgstr "Migawki bÄ™dÄ… wysyÅ‚ane co N trafieÅ„ WWW" - -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "Adres URL zgÅ‚aszania" - -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "Migawki bÄ™dÄ… wysyÅ‚ane na ten adres URL" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" +msgstr "" -#: actions/siteadminpanel.php:315 +#: actions/siteadminpanel.php:271 msgid "Limits" msgstr "Ograniczenia" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Text limit" msgstr "Ograniczenie tekstu" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Maximum number of characters for notices." msgstr "Maksymalna liczba znaków wpisów." -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "Dupe limit" msgstr "Ograniczenie duplikatów" -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Ile czasu użytkownicy muszÄ… czekać (w sekundach), aby ponownie wysÅ‚ać to " "samo." +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Wpis witryny" + +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "Nowa wiadomość" + +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Nie można zapisać ustawieÅ„ wyglÄ…du." + +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" +msgstr "" + +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Wpis witryny" + +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" +msgstr "" + +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Wpis witryny" + #: actions/smssettings.php:58 msgid "SMS settings" msgstr "Ustawienia SMS" @@ -3951,6 +3970,66 @@ msgstr "" msgid "No code entered" msgstr "Nie podano kodu" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "Migawki" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "ZmieÅ„ konfiguracjÄ™ witryny" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "NieprawidÅ‚owa wartość wykonania migawki." + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "CzÄ™stotliwość migawek musi być liczbÄ…." + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "NieprawidÅ‚owy adres URL zgÅ‚aszania migawek." + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "Losowo podczas trafienia WWW" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "Jako zaplanowane zadanie" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "Migawki danych" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "Kiedy wysyÅ‚ać dane statystyczne na serwery status.net" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "CzÄ™stotliwość" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "Migawki bÄ™dÄ… wysyÅ‚ane co N trafieÅ„ WWW" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "Adres URL zgÅ‚aszania" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "Migawki bÄ™dÄ… wysyÅ‚ane na ten adres URL" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Zapisz ustawienia witryny" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "Nie jesteÅ› subskrybowany do tego profilu." @@ -4161,7 +4240,7 @@ msgstr "Brak identyfikatora profilu w żądaniu." msgid "Unsubscribed" msgstr "Zrezygnowano z subskrypcji" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4362,16 +4441,22 @@ msgstr "Grupy użytkownika %1$s, strona %2$d" msgid "Search for more groups" msgstr "Wyszukaj wiÄ™cej grup" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "Użytkownik %s nie jest czÅ‚onkiem żadnej grupy." -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "Spróbuj [wyszukać grupy](%%action.groupsearch%%) i doÅ‚Ä…czyć do nich." +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "Aktualizacje z %1$s na %2$s." + #: actions/version.php:73 #, php-format msgid "StatusNet %s" @@ -4429,7 +4514,7 @@ msgstr "" msgid "Plugins" msgstr "Wtyczki" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 msgid "Version" msgstr "Wersja" @@ -4497,22 +4582,22 @@ msgstr "Nie można zaktualizować wiadomoÅ›ci za pomocÄ… nowego adresu URL." msgid "DB error inserting hashtag: %s" msgstr "BÅ‚Ä…d bazy danych podczas wprowadzania znacznika mieszania: %s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 msgid "Problem saving notice. Too long." msgstr "Problem podczas zapisywania wpisu. Za dÅ‚ugi." -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "Problem podczas zapisywania wpisu. Nieznany użytkownik." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Za dużo wpisów w za krótkim czasie, weź gÅ‚Ä™boki oddech i wyÅ›lij ponownie za " "kilka minut." -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4520,19 +4605,19 @@ msgstr "" "Za dużo takich samych wiadomoÅ›ci w za krótkim czasie, weź gÅ‚Ä™boki oddech i " "wyÅ›lij ponownie za kilka minut." -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "Zabroniono ci wysyÅ‚ania wpisów na tej witrynie." -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "Problem podczas zapisywania wpisu." -#: classes/Notice.php:911 +#: classes/Notice.php:927 msgid "Problem saving group inbox." msgstr "Problem podczas zapisywania skrzynki odbiorczej grupy." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4557,7 +4642,12 @@ msgstr "Niesubskrybowane." msgid "Couldn't delete self-subscription." msgstr "Nie można usunąć autosubskrypcji." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Nie można usunąć subskrypcji." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Nie można usunąć subskrypcji." @@ -4566,19 +4656,19 @@ msgstr "Nie można usunąć subskrypcji." msgid "Welcome to %1$s, @%2$s!" msgstr "Witaj w %1$s, @%2$s." -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "Nie można utworzyć grupy." -#: classes/User_group.php:471 +#: classes/User_group.php:486 msgid "Could not set group URI." msgstr "Nie można ustawić adresu URI grupy." -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "Nie można ustawić czÅ‚onkostwa w grupie." -#: classes/User_group.php:506 +#: classes/User_group.php:521 msgid "Could not save local group info." msgstr "Nie można zapisać informacji o lokalnej grupie." @@ -4619,194 +4709,188 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Strona bez nazwy" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "Główna nawigacja witryny" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 #, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Profil osobisty i oÅ› czasu przyjaciół" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Osobiste" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "ZmieÅ„ adres e-mail, awatar, hasÅ‚o, profil" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "Konto" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "PoÅ‚Ä…cz z serwisami" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "PoÅ‚Ä…cz" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "ZmieÅ„ konfiguracjÄ™ witryny" -#: lib/action.php:460 +#: lib/action.php:449 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "Administrator" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "ZaproÅ› przyjaciół i kolegów do doÅ‚Ä…czenia do ciebie na %s" -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "ZaproÅ›" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 #, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Wyloguj siÄ™ z witryny" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Wyloguj siÄ™" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "Utwórz konto" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "Zarejestruj siÄ™" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Zaloguj siÄ™ na witrynie" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "Zaloguj siÄ™" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Pomóż mi." -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "Pomoc" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 #, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Wyszukaj osoby lub tekst" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "Wyszukaj" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "Wpis witryny" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "Lokalne widoki" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "Wpis strony" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "Druga nawigacja witryny" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Pomoc" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "O usÅ‚udze" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "TOS" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "Prywatność" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "Kod źródÅ‚owy" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "Odznaka" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "Licencja oprogramowania StatusNet" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4815,12 +4899,12 @@ msgstr "" "**%%site.name%%** jest usÅ‚ugÄ… mikroblogowania prowadzonÄ… przez [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** jest usÅ‚ugÄ… mikroblogowania. " -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4831,57 +4915,57 @@ msgstr "" "status.net/) w wersji %s, dostÄ™pnego na [Powszechnej Licencji Publicznej GNU " "Affero](http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "Licencja zawartoÅ›ci witryny" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Treść i dane %1$s sÄ… prywatne i poufne." -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "Prawa autorskie do treÅ›ci i danych sÄ… wÅ‚asnoÅ›ciÄ… %1$s. Wszystkie prawa " "zastrzeżone." -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Prawa autorskie do treÅ›ci i danych sÄ… wÅ‚asnoÅ›ciÄ… współtwórców. Wszystkie " "prawa zastrzeżone." -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "Wszystko " -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "licencja." -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "Paginacja" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "Później" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "WczeÅ›niej" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "Nie można jeszcze obsÅ‚ugiwać zdalnej treÅ›ci." -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "Nie można jeszcze obsÅ‚ugiwać zagnieżdżonej treÅ›ci XML." -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "Nie można jeszcze obsÅ‚ugiwać zagnieżdżonej treÅ›ci Base64." @@ -4896,91 +4980,80 @@ msgid "Changes to that panel are not allowed." msgstr "Zmiany w tym panelu nie sÄ… dozwolone." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "showForm() nie jest zaimplementowane." #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "saveSettings() nie jest zaimplementowane." #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "Nie można usunąć ustawienia wyglÄ…du." #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 msgid "Basic site configuration" msgstr "Podstawowa konfiguracja witryny" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "Witryny" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "Konfiguracja wyglÄ…du" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "WyglÄ…d" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 msgid "User configuration" msgstr "Konfiguracja użytkownika" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "Użytkownik" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 msgid "Access configuration" msgstr "Konfiguracja dostÄ™pu" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "DostÄ™p" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 msgid "Paths configuration" msgstr "Konfiguracja Å›cieżek" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -#, fuzzy -msgctxt "MENU" -msgid "Paths" -msgstr "Åšcieżki" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 msgid "Sessions configuration" msgstr "Konfiguracja sesji" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "Sesje" +msgid "Edit site notice" +msgstr "Wpis witryny" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "Konfiguracja Å›cieżek" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5514,6 +5587,11 @@ msgstr "Wybierz znacznik do ograniczonej listy" msgid "Go" msgstr "Przejdź" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "Adres URL strony domowej lub bloga grupy, albo temat" @@ -6131,10 +6209,6 @@ msgstr "Odpowiedzi" msgid "Favorites" msgstr "Ulubione" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "Użytkownik" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Odebrane" @@ -6160,7 +6234,7 @@ msgstr "Znaczniki we wpisach użytkownika %s" msgid "Unknown" msgstr "Nieznane" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "Subskrypcje" @@ -6168,23 +6242,23 @@ msgstr "Subskrypcje" msgid "All subscriptions" msgstr "Wszystkie subskrypcje" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "Subskrybenci" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "Wszyscy subskrybenci" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "Identyfikator użytkownika" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "CzÅ‚onek od" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "Wszystkie grupy" @@ -6224,7 +6298,12 @@ msgstr "Powtórzyć ten wpis?" msgid "Repeat this notice" msgstr "Powtórz ten wpis" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "Zablokuj tego użytkownika w tej grupie" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" "Nie okreÅ›lono pojedynczego użytkownika dla trybu pojedynczego użytkownika." @@ -6379,47 +6458,64 @@ msgstr "Wiadomość" msgid "Moderate" msgstr "Moderuj" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "Profil użytkownika" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "Administratorzy" + +#: lib/userprofile.php:355 +#, fuzzy +msgctxt "role" +msgid "Moderator" +msgstr "Moderuj" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "kilka sekund temu" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "okoÅ‚o minutÄ™ temu" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "okoÅ‚o %d minut temu" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "okoÅ‚o godzinÄ™ temu" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "okoÅ‚o %d godzin temu" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "blisko dzieÅ„ temu" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "okoÅ‚o %d dni temu" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "okoÅ‚o miesiÄ…c temu" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "okoÅ‚o %d miesiÄ™cy temu" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "okoÅ‚o rok temu" diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index 2598008d9..8dd23b162 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -9,19 +9,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:03:38+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:57:05+0000\n" "Language-Team: Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "Acesso" @@ -121,7 +122,7 @@ msgstr "Perfis bloqueados de %1$s, página %2$d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -183,7 +184,7 @@ msgstr "" "publicar uma nota à sua atenção." #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "Você e seus amigos" @@ -210,11 +211,11 @@ msgstr "Actualizações de %1$s e amigos no %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." msgstr "Método da API não encontrado." @@ -575,7 +576,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "Conta" @@ -664,18 +665,6 @@ msgstr "%1$s / Favoritas de %2$s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s actualizações preferidas por %2$s / %2$s." -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "Notas de %s" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "Actualizações de %1#s a %2$s!" - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -686,12 +675,12 @@ msgstr "%1$s / Actualizações que mencionam %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s actualizações em resposta a actualizações de %2$s / %3$s." -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "Notas públicas de %s" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s actualizações de todos!" @@ -938,7 +927,7 @@ msgid "Conversation" msgstr "Conversação" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Notas" @@ -960,7 +949,7 @@ msgstr "Não é membro deste grupo." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "Ocorreu um problema com a sua sessão." @@ -1159,8 +1148,9 @@ msgstr "Repor predefinição" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1288,7 +1278,7 @@ msgstr "descrição é demasiada extensa (máx. %d caracteres)." msgid "Could not update group." msgstr "Não foi possível actualizar o grupo." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "Não foi possível criar sinónimos." @@ -1415,7 +1405,7 @@ msgid "Cannot normalize that email address" msgstr "Não é possível normalizar esse endereço electrónico" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "Correio electrónico é inválido." @@ -1607,6 +1597,25 @@ msgstr "Ficheiro não foi encontrado." msgid "Cannot read file." msgstr "Não foi possível ler o ficheiro." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Tamanho inválido." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "Não pode impedir notas públicas neste site." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "O utilizador já está silenciado." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1754,12 +1763,18 @@ msgstr "Tornar Gestor" msgid "Make this user an admin" msgstr "Tornar este utilizador um gestor" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "Notas de %s" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Actualizações dos membros de %1$s em %2$s!" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "Grupos" @@ -2386,8 +2401,8 @@ msgstr "tipo de conteúdo " msgid "Only " msgstr "Apenas " -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "Formato de dados não suportado." @@ -2533,7 +2548,8 @@ msgstr "Não é possível guardar a nova senha." msgid "Password saved." msgstr "Senha gravada." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "Localizações" @@ -2653,7 +2669,7 @@ msgstr "Directório dos fundos" msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "Nunca" @@ -2709,11 +2725,11 @@ msgstr "Categoria de pessoas inválida: %s" msgid "Users self-tagged with %1$s - page %2$d" msgstr "Utilizadores auto-categorizados com %1$s - página %2$d" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "Conteúdo da nota é inválido" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2794,7 +2810,7 @@ msgstr "" "Categorias para si (letras, números, -, ., _), separadas por vírgulas ou " "espaços" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "Idioma" @@ -2820,7 +2836,7 @@ msgstr "Subscrever automaticamente quem me subscreva (óptimo para não-humanos) msgid "Bio is too long (max %d chars)." msgstr "Biografia demasiado extensa (máx. %d caracteres)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "Fuso horário não foi seleccionado." @@ -3142,7 +3158,7 @@ msgid "Same as password above. Required." msgstr "Repita a senha acima. Obrigatório." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Correio" @@ -3248,7 +3264,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL do seu perfil noutro serviço de microblogues compatível" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "Subscrever" @@ -3352,6 +3368,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Respostas a %1$s em %2$s!" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "Não pode silenciar utilizadores neste site." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "Utilizador sem perfil correspondente." + #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" msgstr "StatusNet" @@ -3364,7 +3390,9 @@ msgstr "Não pode impedir notas públicas neste site." msgid "User is already sandboxed." msgstr "Utilizador já está impedido de criar notas públicas." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "Sessões" @@ -3389,7 +3417,7 @@ msgstr "Depuração de sessões" msgid "Turn on debugging output for sessions." msgstr "Ligar a impressão de dados de depuração, para sessões." -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Gravar configurações do site" @@ -3423,8 +3451,8 @@ msgstr "Paginação" msgid "Description" msgstr "Descrição" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "Estatísticas" @@ -3566,45 +3594,45 @@ msgstr "Sinónimos" msgid "Group actions" msgstr "Acções do grupo" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Fonte de notas do grupo %s (RSS 1.0)" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Fonte de notas do grupo %s (RSS 2.0)" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Fonte de notas do grupo %s (Atom)" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "FOAF do grupo %s" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "Membros" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Nenhum)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "Todos os membros" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "Criado" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3620,7 +3648,7 @@ msgstr "" "[Registe-se agora](%%action.register%%) para se juntar a este grupo e a " "muitos mais! ([Saber mais](%%doc.help%%))" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3633,7 +3661,7 @@ msgstr "" "programa de Software Livre [StatusNet](http://status.net/). Os membros deste " "grupo partilham mensagens curtas acerca das suas vidas e interesses. " -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "Gestores" @@ -3755,148 +3783,139 @@ msgid "User is already silenced." msgstr "O utilizador já está silenciado." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +#, fuzzy +msgid "Basic settings for this StatusNet site" msgstr "Configurações básicas para este site StatusNet." -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "Nome do site não pode ter comprimento zero." -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 msgid "You must have a valid contact email address." msgstr "Tem de ter um endereço válido para o correio electrónico de contacto." -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "Língua desconhecida \"%s\"." #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "URL para onde enviar instantâneos é inválida" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "Valor de criação do instantâneo é inválido." - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "Frequência dos instantâneos estatísticos tem de ser um número." - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "O valor mínimo de limite para o texto é 140 caracteres." -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "O limite de duplicados tem de ser 1 ou mais segundos." -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "Geral" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "Nome do site" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "O nome do seu site, por exemplo \"Microblogue NomeDaEmpresa\"" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "Disponibilizado por" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "Texto usado para a ligação de atribuição no rodapé de cada página" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "URL da atribuição" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "URL usada para a ligação de atribuição no rodapé de cada página" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 msgid "Contact email address for your site" msgstr "Endereço de correio electrónico de contacto para o site" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 msgid "Local" msgstr "Local" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "Fuso horário, por omissão" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "Fuso horário por omissão, para o site; normalmente, UTC." -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +#, fuzzy +msgid "Default language" msgstr "Idioma do site, por omissão" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "Instantâneos" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" -msgstr "Aleatoriamente, durante o acesso pela internet" - -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" -msgstr "Num processo agendado" - -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" -msgstr "Instantâneos dos dados" - -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" -msgstr "Quando enviar dados estatísticos para os servidores do status.net" - -#: actions/siteadminpanel.php:301 -msgid "Frequency" -msgstr "Frequência" - -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" -msgstr "Instantâneos serão enviados uma vez a cada N acessos da internet" - -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "URL para relatórios" - -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "Instantâneos serão enviados para esta URL" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" +msgstr "" -#: actions/siteadminpanel.php:315 +#: actions/siteadminpanel.php:271 msgid "Limits" msgstr "Limites" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Text limit" msgstr "Limite de texto" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Maximum number of characters for notices." msgstr "Número máximo de caracteres nas notas." -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "Dupe limit" msgstr "Limite de duplicações" -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Quanto tempo os utilizadores terão de esperar (em segundos) para publicar a " "mesma coisa outra vez." +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Aviso do site" + +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "Mensagem nova" + +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Não foi possível gravar as configurações do estilo." + +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" +msgstr "" + +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Aviso do site" + +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" +msgstr "" + +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Aviso do site" + #: actions/smssettings.php:58 msgid "SMS settings" msgstr "Configurações de SMS" @@ -3997,6 +4016,66 @@ msgstr "" msgid "No code entered" msgstr "Nenhum código introduzido" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "Instantâneos" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "Alterar a configuração do site" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "Valor de criação do instantâneo é inválido." + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "Frequência dos instantâneos estatísticos tem de ser um número." + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "URL para onde enviar instantâneos é inválida" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "Aleatoriamente, durante o acesso pela internet" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "Num processo agendado" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "Instantâneos dos dados" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "Quando enviar dados estatísticos para os servidores do status.net" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "Frequência" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "Instantâneos serão enviados uma vez a cada N acessos da internet" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "URL para relatórios" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "Instantâneos serão enviados para esta URL" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Gravar configurações do site" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "Não subscreveu esse perfil." @@ -4206,7 +4285,7 @@ msgstr "O pedido não tem a identificação do perfil." msgid "Unsubscribed" msgstr "Subscrição cancelada" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4410,16 +4489,22 @@ msgstr "Membros do grupo %1$s, página %2$d" msgid "Search for more groups" msgstr "Procurar mais grupos" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "%s não é membro de nenhum grupo." -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "Tente [pesquisar grupos](%%action.groupsearch%%) e juntar-se a eles." +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "Actualizações de %1#s a %2$s!" + #: actions/version.php:73 #, php-format msgid "StatusNet %s" @@ -4474,7 +4559,7 @@ msgstr "" msgid "Plugins" msgstr "Plugins" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 msgid "Version" msgstr "Versão" @@ -4544,22 +4629,22 @@ msgstr "Não foi possível actualizar a mensagem com a nova URI." msgid "DB error inserting hashtag: %s" msgstr "Erro na base de dados ao inserir a marca: %s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 msgid "Problem saving notice. Too long." msgstr "Problema na gravação da nota. Demasiado longa." -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "Problema na gravação da nota. Utilizador desconhecido." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Demasiadas notas, demasiado rápido; descanse e volte a publicar daqui a " "alguns minutos." -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4567,20 +4652,20 @@ msgstr "" "Demasiadas mensagens duplicadas, demasiado rápido; descanse e volte a " "publicar daqui a alguns minutos." -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "Está proibido de publicar notas neste site." -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "Problema na gravação da nota." -#: classes/Notice.php:911 +#: classes/Notice.php:927 #, fuzzy msgid "Problem saving group inbox." msgstr "Problema na gravação da nota." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4605,7 +4690,12 @@ msgstr "Não subscrito!" msgid "Couldn't delete self-subscription." msgstr "Não foi possível apagar a auto-subscrição." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Não foi possível apagar a subscrição." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Não foi possível apagar a subscrição." @@ -4614,20 +4704,20 @@ msgstr "Não foi possível apagar a subscrição." msgid "Welcome to %1$s, @%2$s!" msgstr "%1$s dá-lhe as boas-vindas, @%2$s!" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "Não foi possível criar o grupo." -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "Não foi possível configurar membros do grupo." -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "Não foi possível configurar membros do grupo." -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "Não foi possível gravar a subscrição." @@ -4669,194 +4759,188 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "Página sem título" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "Navegação primária deste site" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 #, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Perfil pessoal e notas dos amigos" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Pessoal" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Altere o seu endereço electrónico, avatar, senha, perfil" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "Conta" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Ligar aos serviços" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "Ligar" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Alterar a configuração do site" -#: lib/action.php:460 +#: lib/action.php:449 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "Gestor" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Convidar amigos e colegas para se juntarem a si em %s" -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Convidar" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 #, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Terminar esta sessão" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Sair" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "Criar uma conta" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "Registar" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Iniciar uma sessão" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "Entrar" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Ajudem-me!" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "Ajuda" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 #, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Procurar pessoas ou pesquisar texto" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "Pesquisa" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "Aviso do site" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "Vistas locais" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "Aviso da página" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "Navegação secundária deste site" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Ajuda" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "Sobre" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "Termos" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "Privacidade" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "Código" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Contacto" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "Emblema" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "Licença de software do StatusNet" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4865,12 +4949,12 @@ msgstr "" "**%%site.name%%** é um serviço de microblogues disponibilizado por [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** é um serviço de microblogues. " -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4881,53 +4965,53 @@ msgstr "" "disponibilizado nos termos da [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "Licença de conteúdos do site" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "Tudo " -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "licença." -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "Paginação" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "Posteriores" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "Anteriores" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4942,94 +5026,83 @@ msgid "Changes to that panel are not allowed." msgstr "Não são permitidas alterações a esse painel." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "showForm() não implementado." #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "saveSettings() não implementado." #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "Não foi possível apagar a configuração do estilo." #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 msgid "Basic site configuration" msgstr "Configuração básica do site" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "Site" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "Configuração do estilo" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "Estilo" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 #, fuzzy msgid "User configuration" msgstr "Configuração das localizações" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "Utilizador" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 #, fuzzy msgid "Access configuration" msgstr "Configuração do estilo" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "Acesso" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 msgid "Paths configuration" msgstr "Configuração das localizações" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -#, fuzzy -msgctxt "MENU" -msgid "Paths" -msgstr "Localizações" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 #, fuzzy msgid "Sessions configuration" msgstr "Configuração do estilo" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "Sessões" +msgid "Edit site notice" +msgstr "Aviso do site" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "Configuração das localizações" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5562,6 +5635,11 @@ msgstr "Escolha uma categoria para reduzir a lista" msgid "Go" msgstr "Prosseguir" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "URL da página ou do blogue, deste grupo ou assunto" @@ -6178,10 +6256,6 @@ msgstr "Respostas" msgid "Favorites" msgstr "Favoritas" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "Utilizador" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Recebidas" @@ -6207,7 +6281,7 @@ msgstr "Categorias nas notas de %s" msgid "Unknown" msgstr "Desconhecida" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "Subscrições" @@ -6215,23 +6289,23 @@ msgstr "Subscrições" msgid "All subscriptions" msgstr "Todas as subscrições" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "Subscritores" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "Todos os subscritores" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "ID do utilizador" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "Membro desde" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "Todos os grupos" @@ -6271,7 +6345,12 @@ msgstr "Repetir esta nota?" msgid "Repeat this notice" msgstr "Repetir esta nota" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "Bloquear acesso deste utilizador a este grupo" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -6425,47 +6504,64 @@ msgstr "Mensagem" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "Perfil" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "Gestores" + +#: lib/userprofile.php:355 +#, fuzzy +msgctxt "role" +msgid "Moderator" +msgstr "Moderar" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "há alguns segundos" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "há cerca de um minuto" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "há cerca de %d minutos" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "há cerca de uma hora" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "há cerca de %d horas" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "há cerca de um dia" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "há cerca de %d dias" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "há cerca de um mês" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "há cerca de %d meses" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "há cerca de um ano" diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index 041a2d4a3..7ba00b717 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -11,19 +11,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:03:41+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:57:07+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "Acesso" @@ -120,7 +121,7 @@ msgstr "%1$s e amigos, pág. %2$d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -184,7 +185,7 @@ msgstr "" "atenção de %s ou publicar uma mensagem para sua atenção." #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "Você e amigos" @@ -211,11 +212,11 @@ msgstr "Atualizações de %1$s e amigos no %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." msgstr "O método da API não foi encontrado!" @@ -584,7 +585,7 @@ msgstr "" "fornecer acesso à sua conta %4$s somente para terceiros nos quais você " "confia." -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "Conta" @@ -671,18 +672,6 @@ msgstr "%1$s / Favoritas de %2$s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s marcadas como favoritas por %2$s / %2$s." -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "Mensagens de %s" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "Mensagens de %1$s no %2$s!" - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -693,12 +682,12 @@ msgstr "%1$s / Mensagens mencionando %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s mensagens em resposta a mensagens de %2$s / %3$s." -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "Mensagens públicas de %s" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s mensagens de todo mundo!" @@ -946,7 +935,7 @@ msgid "Conversation" msgstr "Conversa" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Mensagens" @@ -965,7 +954,7 @@ msgstr "Você não é o dono desta aplicação." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "Ocorreu um problema com o seu token de sessão." @@ -1161,8 +1150,9 @@ msgstr "Restaura de volta ao padrão" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1278,7 +1268,7 @@ msgstr "descrição muito extensa (máximo %d caracteres)." msgid "Could not update group." msgstr "Não foi possível atualizar o grupo." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "Não foi possível criar os apelidos." @@ -1404,7 +1394,7 @@ msgid "Cannot normalize that email address" msgstr "Não foi possível normalizar este endereço de e-mail" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "Não é um endereço de e-mail válido." @@ -1598,6 +1588,25 @@ msgstr "Esse arquivo não existe." msgid "Cannot read file." msgstr "Não foi possível ler o arquivo." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Token inválido." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "Você não pode colocar usuários deste site em isolamento." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "O usuário já está silenciado." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1746,12 +1755,18 @@ msgstr "Tornar administrador" msgid "Make this user an admin" msgstr "Torna este usuário um administrador" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "Mensagens de %s" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Atualizações dos membros de %1$s no %2$s!" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "Grupos" @@ -2381,8 +2396,8 @@ msgstr "tipo de conteúdo " msgid "Only " msgstr "Apenas " -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "Não é um formato de dados suportado." @@ -2523,7 +2538,8 @@ msgstr "Não é possível salvar a nova senha." msgid "Password saved." msgstr "A senha foi salva." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "Caminhos" @@ -2644,7 +2660,7 @@ msgstr "Diretório das imagens de fundo" msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "Nunca" @@ -2699,11 +2715,11 @@ msgstr "Não é uma etiqueta de pessoa válida: %s" msgid "Users self-tagged with %1$s - page %2$d" msgstr "Usuários auto-etiquetados com %1$s - pág. %2$d" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "O conteúdo da mensagem é inválido" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2784,7 +2800,7 @@ msgstr "" "Suas etiquetas (letras, números, -, ., e _), separadas por vírgulas ou " "espaços" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "Idioma" @@ -2811,7 +2827,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "A descrição é muito extensa (máximo %d caracteres)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "O fuso horário não foi selecionado." @@ -3134,7 +3150,7 @@ msgid "Same as password above. Required." msgstr "Igual à senha acima. Obrigatório." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "E-mail" @@ -3240,7 +3256,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL do seu perfil em outro serviço de microblog compatível" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "Assinar" @@ -3344,6 +3360,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Respostas para %1$s no %2$s" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "Você não pode silenciar os usuários neste site." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "Usuário sem um perfil correspondente" + #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" msgstr "StatusNet" @@ -3356,7 +3382,9 @@ msgstr "Você não pode colocar usuários deste site em isolamento." msgid "User is already sandboxed." msgstr "O usuário já está em isolamento." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "Sessões" @@ -3380,7 +3408,7 @@ msgstr "Depuração da sessão" msgid "Turn on debugging output for sessions." msgstr "Ativa a saída de depuração para as sessões." -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Salvar as configurações do site" @@ -3411,8 +3439,8 @@ msgstr "Organização" msgid "Description" msgstr "Descrição" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "Estatísticas" @@ -3554,45 +3582,45 @@ msgstr "Apelidos" msgid "Group actions" msgstr "Ações do grupo" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Fonte de mensagens do grupo %s (RSS 1.0)" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Fonte de mensagens do grupo %s (RSS 2.0)" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Fonte de mensagens do grupo %s (Atom)" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "FOAF para o grupo %s" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "Membros" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Nenhum)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "Todos os membros" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "Criado" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3608,7 +3636,7 @@ msgstr "" "para se tornar parte deste grupo e muito mais! ([Saiba mais](%%%%doc.help%%%" "%))" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3621,7 +3649,7 @@ msgstr "" "[StatusNet](http://status.net/). Seus membros compartilham mensagens curtas " "sobre suas vidas e interesses. " -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "Administradores" @@ -3745,148 +3773,139 @@ msgid "User is already silenced." msgstr "O usuário já está silenciado." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +#, fuzzy +msgid "Basic settings for this StatusNet site" msgstr "Configurações básicas para esta instância do StatusNet." -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "Você deve digitar alguma coisa para o nome do site." -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 msgid "You must have a valid contact email address." msgstr "Você deve ter um endereço de e-mail para contato válido." -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "Idioma \"%s\" desconhecido." #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "A URL para o envio das estatísticas é inválida." - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "O valor de execução da obtenção das estatísticas é inválido." - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "A frequência de geração de estatísticas deve ser um número." - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "O comprimento máximo do texto é de 140 caracteres." -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "O limite de duplicatas deve ser de um ou mais segundos." -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "Geral" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "Nome do site" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "O nome do seu site, por exemplo \"Microblog da Sua Empresa\"" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "Disponibilizado por" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "Texto utilizado para o link de créditos no rodapé de cada página" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "URL do disponibilizado por" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "URL utilizada para o link de créditos no rodapé de cada página" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 msgid "Contact email address for your site" msgstr "Endereço de e-mail para contatos do seu site" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 msgid "Local" msgstr "Local" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "Fuso horário padrão" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "Fuso horário padrão para o seu site; geralmente UTC." -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +#, fuzzy +msgid "Default language" msgstr "Idioma padrão do site" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "Estatísticas" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" -msgstr "Aleatoriamente durante o funcionamento" - -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" -msgstr "Em horários pré-definidos" - -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" -msgstr "Estatísticas dos dados" - -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" -msgstr "Quando enviar dados estatísticos para os servidores status.net" - -#: actions/siteadminpanel.php:301 -msgid "Frequency" -msgstr "Frequentemente" - -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" -msgstr "As estatísticas serão enviadas uma vez a cada N usos da web" - -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "URL para envio" - -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "As estatísticas serão enviadas para esta URL" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" +msgstr "" -#: actions/siteadminpanel.php:315 +#: actions/siteadminpanel.php:271 msgid "Limits" msgstr "Limites" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Text limit" msgstr "Limite do texto" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Maximum number of characters for notices." msgstr "Número máximo de caracteres para as mensagens." -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "Dupe limit" msgstr "Limite de duplicatas" -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Quanto tempo (em segundos) os usuários devem esperar para publicar a mesma " "coisa novamente." +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Mensagem do site" + +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "Nova mensagem" + +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Não foi possível salvar suas configurações de aparência." + +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" +msgstr "" + +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Mensagem do site" + +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" +msgstr "" + +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Mensagem do site" + #: actions/smssettings.php:58 msgid "SMS settings" msgstr "Configuração do SMS" @@ -3985,6 +4004,66 @@ msgstr "" msgid "No code entered" msgstr "Não foi digitado nenhum código" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "Estatísticas" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "Mude as configurações do site" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "O valor de execução da obtenção das estatísticas é inválido." + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "A frequência de geração de estatísticas deve ser um número." + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "A URL para o envio das estatísticas é inválida." + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "Aleatoriamente durante o funcionamento" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "Em horários pré-definidos" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "Estatísticas dos dados" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "Quando enviar dados estatísticos para os servidores status.net" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "Frequentemente" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "As estatísticas serão enviadas uma vez a cada N usos da web" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "URL para envio" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "As estatísticas serão enviadas para esta URL" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Salvar as configurações do site" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "Você não está assinando esse perfil." @@ -4194,7 +4273,7 @@ msgstr "Nenhuma ID de perfil na requisição." msgid "Unsubscribed" msgstr "Cancelado" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4399,18 +4478,24 @@ msgstr "Grupos de %1$s, pág. %2$d" msgid "Search for more groups" msgstr "Procurar por outros grupos" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "%s não é membro de nenhum grupo." -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" "Experimente [procurar por grupos](%%action.groupsearch%%) e associar-se à " "eles." +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "Mensagens de %1$s no %2$s!" + #: actions/version.php:73 #, php-format msgid "StatusNet %s" @@ -4466,7 +4551,7 @@ msgstr "" msgid "Plugins" msgstr "Plugins" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 msgid "Version" msgstr "Versão" @@ -4532,22 +4617,22 @@ msgstr "Não foi possível atualizar a mensagem com a nova URI." msgid "DB error inserting hashtag: %s" msgstr "Erro no banco de dados durante a inserção da hashtag: %s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 msgid "Problem saving notice. Too long." msgstr "Problema no salvamento da mensagem. Ela é muito extensa." -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "Problema no salvamento da mensagem. Usuário desconhecido." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Muitas mensagens em um período curto de tempo; dê uma respirada e publique " "novamente daqui a alguns minutos." -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4555,19 +4640,19 @@ msgstr "" "Muitas mensagens duplicadas em um período curto de tempo; dê uma respirada e " "publique novamente daqui a alguns minutos." -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "Você está proibido de publicar mensagens neste site." -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "Problema no salvamento da mensagem." -#: classes/Notice.php:911 +#: classes/Notice.php:927 msgid "Problem saving group inbox." msgstr "Problema no salvamento das mensagens recebidas do grupo." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4592,7 +4677,12 @@ msgstr "Não assinado!" msgid "Couldn't delete self-subscription." msgstr "Não foi possível excluir a auto-assinatura." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Não foi possível excluir a assinatura." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Não foi possível excluir a assinatura." @@ -4601,20 +4691,20 @@ msgstr "Não foi possível excluir a assinatura." msgid "Welcome to %1$s, @%2$s!" msgstr "Bem vindo(a) a %1$s, @%2$s!" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "Não foi possível criar o grupo." -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "Não foi possível configurar a associação ao grupo." -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "Não foi possível configurar a associação ao grupo." -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "Não foi possível salvar a assinatura." @@ -4656,194 +4746,188 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Página sem título" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "Navegação primária no site" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 #, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Perfil pessoal e fluxo de mensagens dos amigos" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Pessoal" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Mude seu e-mail, avatar, senha, perfil" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "Conta" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Conecte-se a outros serviços" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "Conectar" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Mude as configurações do site" -#: lib/action.php:460 +#: lib/action.php:449 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "Admin" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Convide seus amigos e colegas para unir-se a você no %s" -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Convidar" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 #, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Sai do site" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Sair" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "Cria uma conta" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "Registrar-se" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Autentique-se no site" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "Entrar" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Ajudem-me!" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "Ajuda" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 #, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Procura por pessoas ou textos" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "Procurar" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "Mensagem do site" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "Visualizações locais" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "Notícia da página" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "Navegação secundária no site" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Ajuda" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "Sobre" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "Termos de uso" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "Privacidade" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "Fonte" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Contato" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "Mini-aplicativo" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "Licença do software StatusNet" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4852,12 +4936,12 @@ msgstr "" "**%%site.name%%** é um serviço de microblog disponibilizado por [%%site." "broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** é um serviço de microblog. " -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4868,55 +4952,55 @@ msgstr "" "versão %s, disponível sob a [GNU Affero General Public License] (http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "Licença do conteúdo do site" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "O conteúdo e os dados de %1$s são privados e confidenciais." -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "Conteúdo e dados licenciados sob %1$s. Todos os direitos reservados." -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "Conteúdo e dados licenciados pelos colaboradores. Todos os direitos " "reservados." -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "Todas " -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "licença." -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "Paginação" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "Próximo" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "Anterior" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4931,91 +5015,80 @@ msgid "Changes to that panel are not allowed." msgstr "Não são permitidas alterações a esse painel." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "showForm() não implementado." #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "saveSettings() não implementado." #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "Não foi possível excluir as configurações da aparência." #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 msgid "Basic site configuration" msgstr "Configuração básica do site" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "Site" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "Configuração da aparência" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "Aparência" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 msgid "User configuration" msgstr "Configuração do usuário" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "Usuário" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 msgid "Access configuration" msgstr "Configuração do acesso" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "Acesso" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 msgid "Paths configuration" msgstr "Configuração dos caminhos" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -#, fuzzy -msgctxt "MENU" -msgid "Paths" -msgstr "Caminhos" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 msgid "Sessions configuration" msgstr "Configuração das sessões" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "Sessões" +msgid "Edit site notice" +msgstr "Mensagem do site" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "Configuração dos caminhos" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5548,6 +5621,11 @@ msgstr "Selecione uma etiqueta para reduzir a lista" msgid "Go" msgstr "Ir" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "URL para o site ou blog do grupo ou tópico" @@ -6168,10 +6246,6 @@ msgstr "Respostas" msgid "Favorites" msgstr "Favoritas" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "Usuário" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Recebidas" @@ -6197,7 +6271,7 @@ msgstr "Etiquetas nas mensagens de %s" msgid "Unknown" msgstr "Desconhecido" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "Assinaturas" @@ -6205,23 +6279,23 @@ msgstr "Assinaturas" msgid "All subscriptions" msgstr "Todas as assinaturas" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "Assinantes" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "Todos os assinantes" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "ID do usuário" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "Membro desde" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "Todos os grupos" @@ -6261,7 +6335,12 @@ msgstr "Repetir esta mensagem?" msgid "Repeat this notice" msgstr "Repetir esta mensagem" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "Bloquear este usuário neste grupo" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "Nenhum usuário definido para o modo de usuário único." @@ -6415,47 +6494,64 @@ msgstr "Mensagem" msgid "Moderate" msgstr "Moderar" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "Perfil do usuário" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "Administradores" + +#: lib/userprofile.php:355 +#, fuzzy +msgctxt "role" +msgid "Moderator" +msgstr "Moderar" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "alguns segundos atrás" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "cerca de 1 minuto atrás" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "cerca de %d minutos atrás" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "cerca de 1 hora atrás" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "cerca de %d horas atrás" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "cerca de 1 dia atrás" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "cerca de %d dias atrás" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "cerca de 1 mês atrás" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "cerca de %d meses atrás" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "cerca de 1 ano atrás" diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index 4db3b0684..c97bb5461 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:03:44+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:57:17+0000\n" "Language-Team: Russian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: out-statusnet\n" @@ -25,7 +25,8 @@ msgstr "" "10< =4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "ПринÑÑ‚ÑŒ" @@ -47,7 +48,6 @@ msgstr "" #. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -#, fuzzy msgctxt "LABEL" msgid "Private" msgstr "Личное" @@ -78,7 +78,6 @@ msgid "Save access settings" msgstr "Сохранить наÑтройки доÑтупа" #: actions/accessadminpanel.php:203 -#, fuzzy msgctxt "BUTTON" msgid "Save" msgstr "Сохранить" @@ -123,7 +122,7 @@ msgstr "%1$s и друзьÑ, Ñтраница %2$d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -185,7 +184,7 @@ msgstr "" "s или отправить запиÑÑŒ Ð´Ð»Ñ Ð¿Ñ€Ð¸Ð²Ð»ÐµÑ‡ÐµÐ½Ð¸Ñ ÐµÐ³Ð¾ или её вниманиÑ?" #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "Ð’Ñ‹ и друзьÑ" @@ -212,11 +211,11 @@ msgstr "Обновлено от %1$s и его друзей на %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." msgstr "Метод API не найден." @@ -582,7 +581,7 @@ msgstr "" "предоÑтавлÑÑ‚ÑŒ разрешение на доÑтуп к вашей учётной запиÑи %4$s только тем " "Ñторонним приложениÑм, которым вы доверÑете." -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "ÐаÑтройки" @@ -669,18 +668,6 @@ msgstr "%1$s / Любимое от %2$s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "ÐžÐ±Ð½Ð¾Ð²Ð»ÐµÐ½Ð¸Ñ %1$s, отмеченные как любимые %2$s / %2$s." -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "Лента %s" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "Обновлено от %1$s на %2$s!" - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -691,12 +678,12 @@ msgstr "%1$s / ОбновлениÑ, упоминающие %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s обновил Ñтот ответ на Ñообщение: %2$s / %3$s." -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "ÐžÐ±Ñ‰Ð°Ñ Ð»ÐµÐ½Ñ‚Ð° %s" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "ÐžÐ±Ð½Ð¾Ð²Ð»ÐµÐ½Ð¸Ñ %s от вÑех!" @@ -943,7 +930,7 @@ msgid "Conversation" msgstr "ДиÑкуÑÑиÑ" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "ЗапиÑи" @@ -962,7 +949,7 @@ msgstr "Ð’Ñ‹ не ÑвлÑетеÑÑŒ владельцем Ñтого прило #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "Проблема Ñ Ð’Ð°ÑˆÐµÐ¹ ÑеÑÑией. Попробуйте ещё раз, пожалуйÑта." @@ -1158,8 +1145,9 @@ msgstr "ВоÑÑтановить Ð·Ð½Ð°Ñ‡ÐµÐ½Ð¸Ñ Ð¿Ð¾ умолчанию" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1275,7 +1263,7 @@ msgstr "Слишком длинное опиÑание (макÑимум %d Ñи msgid "Could not update group." msgstr "Ðе удаётÑÑ Ð¾Ð±Ð½Ð¾Ð²Ð¸Ñ‚ÑŒ информацию о группе." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "Ðе удаётÑÑ Ñоздать алиаÑÑ‹." @@ -1407,7 +1395,7 @@ msgid "Cannot normalize that email address" msgstr "Ðе удаётÑÑ Ñтандартизировать Ñтот Ñлектронный адреÑ" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "Ðеверный Ñлектронный адреÑ." @@ -1600,6 +1588,26 @@ msgstr "Ðет такого файла." msgid "Cannot read file." msgstr "Ðе удалоÑÑŒ прочеÑÑ‚ÑŒ файл." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Ðеправильный токен" + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "" +"Ð’Ñ‹ не можете уÑтанавливать режим пеÑочницы Ð´Ð»Ñ Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»ÐµÐ¹ Ñтого Ñайта." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "Пользователь уже заглушён." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1747,12 +1755,18 @@ msgstr "Сделать админиÑтратором" msgid "Make this user an admin" msgstr "Сделать Ñтого Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð°Ð´Ð¼Ð¸Ð½Ð¸Ñтратором" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "Лента %s" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "ÐžÐ±Ð½Ð¾Ð²Ð»ÐµÐ½Ð¸Ñ ÑƒÑ‡Ð°Ñтников %1$s на %2$s!" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "Группы" @@ -2015,7 +2029,6 @@ msgstr "Можно добавить к приглашению личное Ñо #. TRANS: Send button for inviting friends #: actions/invite.php:198 -#, fuzzy msgctxt "BUTTON" msgid "Send" msgstr "Отправить" @@ -2372,8 +2385,8 @@ msgstr "тип Ñодержимого " msgid "Only " msgstr "Только " -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "Ðеподдерживаемый формат данных." @@ -2514,7 +2527,8 @@ msgstr "Ðе удаётÑÑ Ñохранить новый пароль." msgid "Password saved." msgstr "Пароль Ñохранён." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "Пути" @@ -2634,7 +2648,7 @@ msgstr "Ð”Ð¸Ñ€ÐµÐºÑ‚Ð¾Ñ€Ð¸Ñ Ñ„Ð¾Ð½Ð¾Ð²Ð¾Ð³Ð¾ изображениÑ" msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "Ðикогда" @@ -2689,11 +2703,11 @@ msgstr "Ðеверный тег человека: %s" msgid "Users self-tagged with %1$s - page %2$d" msgstr "Пользователи, уÑтановившие Ñебе тег %1$s — Ñтраница %2$d" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "Ðеверный контент запиÑи" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "Ð›Ð¸Ñ†ÐµÐ½Ð·Ð¸Ñ Ð·Ð°Ð¿Ð¸Ñи «%1$s» не ÑовмеÑтима Ñ Ð»Ð¸Ñ†ÐµÐ½Ð·Ð¸ÐµÐ¹ Ñайта «%2$s»." @@ -2773,7 +2787,7 @@ msgstr "" "Теги Ð´Ð»Ñ Ñамого ÑÐµÐ±Ñ (буквы, цифры, -, ., и _), разделенные запÑтой или " "пробелом" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "Язык" @@ -2799,7 +2813,7 @@ msgstr "ÐвтоматичеÑки подпиÑыватьÑÑ Ð½Ð° вÑех, к msgid "Bio is too long (max %d chars)." msgstr "Слишком Ð´Ð»Ð¸Ð½Ð½Ð°Ñ Ð±Ð¸Ð¾Ð³Ñ€Ð°Ñ„Ð¸Ñ (макÑимум %d Ñимволов)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "ЧаÑовой поÑÑ Ð½Ðµ выбран." @@ -3120,7 +3134,7 @@ msgid "Same as password above. Required." msgstr "Тот же пароль что и Ñверху. ОбÑзательное поле." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Email" @@ -3225,7 +3239,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "ÐÐ´Ñ€ÐµÑ URL твоего Ð¿Ñ€Ð¾Ñ„Ð¸Ð»Ñ Ð½Ð° другом подходÑщем ÑервиÑе микроблогинга" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "ПодпиÑатьÑÑ" @@ -3327,6 +3341,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Ответы на запиÑи %1$s на %2$s!" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "Ð’Ñ‹ не можете заглушать пользователей на Ñтом Ñайте." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "Пользователь без ÑоответÑтвующего профилÑ." + #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" msgstr "StatusNet" @@ -3340,7 +3364,9 @@ msgstr "" msgid "User is already sandboxed." msgstr "Пользователь уже в режиме пеÑочницы." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "СеÑÑии" @@ -3364,7 +3390,7 @@ msgstr "Отладка ÑеÑÑий" msgid "Turn on debugging output for sessions." msgstr "Включить отладочный вывод Ð´Ð»Ñ ÑеÑÑий." -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Сохранить наÑтройки Ñайта" @@ -3395,8 +3421,8 @@ msgstr "ОрганизациÑ" msgid "Description" msgstr "ОпиÑание" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "СтатиÑтика" @@ -3538,45 +3564,45 @@ msgstr "ÐлиаÑÑ‹" msgid "Group actions" msgstr "ДейÑÑ‚Ð²Ð¸Ñ Ð³Ñ€ÑƒÐ¿Ð¿Ñ‹" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Лента запиÑей группы %s (RSS 1.0)" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Лента запиÑей группы %s (RSS 2.0)" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Лента запиÑей группы %s (Atom)" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "FOAF Ð´Ð»Ñ Ð³Ñ€ÑƒÐ¿Ð¿Ñ‹ %s" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "УчаÑтники" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(пока ничего нет)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "Ð’Ñе учаÑтники" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "Создано" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3592,7 +3618,7 @@ msgstr "" "action.register%%%%), чтобы Ñтать учаÑтником группы и получить множеÑтво " "других возможноÑтей! ([Читать далее](%%%%doc.help%%%%))" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3605,7 +3631,7 @@ msgstr "" "обеÑпечении [StatusNet](http://status.net/). УчаÑтники обмениваютÑÑ " "короткими ÑообщениÑми о Ñвоей жизни и интереÑах. " -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "ÐдминиÑтраторы" @@ -3730,149 +3756,140 @@ msgid "User is already silenced." msgstr "Пользователь уже заглушён." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +#, fuzzy +msgid "Basic settings for this StatusNet site" msgstr "ОÑновные наÑтройки Ð´Ð»Ñ Ñтого Ñайта StatusNet." -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "Ð˜Ð¼Ñ Ñайта должно быть ненулевой длины." -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 msgid "You must have a valid contact email address." msgstr "У Ð²Ð°Ñ Ð´Ð¾Ð»Ð¶ÐµÐ½ быть дейÑтвительный контактный email-адреÑ." -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "ÐеизвеÑтный Ñзык «%s»." #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "Ðеверный URL отчёта Ñнимка." - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "Ðеверное значение запуÑка Ñнимка." - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "ЧаÑтота Ñнимков должна быть чиÑлом." - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "Минимальное ограничение текÑта ÑоÑтавлÑет 140 Ñимволов." -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "Ограничение Ð´ÑƒÐ±Ð»Ð¸Ñ€Ð¾Ð²Ð°Ð½Ð¸Ñ Ð´Ð¾Ð»Ð¶Ð½Ð¾ ÑоÑтавлÑÑ‚ÑŒ 1 или более Ñекунд." -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "Базовые" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "Ð˜Ð¼Ñ Ñайта" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "Ð˜Ð¼Ñ Ð²Ð°ÑˆÐµÐ³Ð¾ Ñайта, например, «Yourcompany Microblog»" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "ПредоÑтавлено" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" "ТекÑÑ‚, иÑпользуемый Ð´Ð»Ñ ÑƒÐºÐ°Ð·Ð°Ð½Ð¸Ñ Ð°Ð²Ñ‚Ð¾Ñ€Ð¾Ð² в нижнем колонтитуле каждой Ñтраницы" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "URL-Ð°Ð´Ñ€ÐµÑ Ð¿Ð¾Ñтавщика уÑлуг" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" "URL, иÑпользуемый Ð´Ð»Ñ ÑÑылки на авторов в нижнем колонтитуле каждой Ñтраницы" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 msgid "Contact email address for your site" msgstr "Контактный email-Ð°Ð´Ñ€ÐµÑ Ð´Ð»Ñ Ð²Ð°ÑˆÐµÐ³Ð¾ Ñайта" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 msgid "Local" msgstr "Внутренние наÑтройки" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "ЧаÑовой поÑÑ Ð¿Ð¾ умолчанию" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "ЧаÑовой поÑÑ Ð¿Ð¾ умолчанию Ð´Ð»Ñ Ñайта; обычно UTC." -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +#, fuzzy +msgid "Default language" msgstr "Язык Ñайта по умолчанию" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "Снимки" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" -msgstr "При Ñлучайном поÑещении" - -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" -msgstr "По заданному графику" - -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" -msgstr "Снимки данных" - -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" -msgstr "Когда отправлÑÑ‚ÑŒ ÑтатиÑтичеÑкие данные на Ñервера status.net" - -#: actions/siteadminpanel.php:301 -msgid "Frequency" -msgstr "ЧаÑтота" - -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" -msgstr "Снимки будут отправлÑÑ‚ÑŒÑÑ ÐºÐ°Ð¶Ð´Ñ‹Ðµ N поÑещений" - -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "URL отчёта" - -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "Снимки будут отправлÑÑ‚ÑŒÑÑ Ð¿Ð¾ Ñтому URL-адреÑу" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" +msgstr "" -#: actions/siteadminpanel.php:315 +#: actions/siteadminpanel.php:271 msgid "Limits" msgstr "Границы" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Text limit" msgstr "Границы текÑта" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Maximum number of characters for notices." msgstr "МакÑимальное чиÑло Ñимволов Ð´Ð»Ñ Ð·Ð°Ð¿Ð¸Ñей." -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "Dupe limit" msgstr "Предел дубликатов" -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Сколько нужно ждать пользователÑм (в Ñекундах) Ð´Ð»Ñ Ð¾Ñ‚Ð¿Ñ€Ð°Ð²ÐºÐ¸ того же ещё раз." +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "ÐÐ¾Ð²Ð°Ñ Ð·Ð°Ð¿Ð¸ÑÑŒ" + +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "Ðовое Ñообщение" + +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Ðе удаётÑÑ Ñохранить ваши наÑтройки оформлениÑ!" + +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" +msgstr "" + +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "ÐÐ¾Ð²Ð°Ñ Ð·Ð°Ð¿Ð¸ÑÑŒ" + +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" +msgstr "" + +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "ÐÐ¾Ð²Ð°Ñ Ð·Ð°Ð¿Ð¸ÑÑŒ" + #: actions/smssettings.php:58 msgid "SMS settings" msgstr "УÑтановки СМС" @@ -3974,6 +3991,66 @@ msgstr "" msgid "No code entered" msgstr "Код не введён" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "Снимки" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "Изменить конфигурацию Ñайта" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "Ðеверное значение запуÑка Ñнимка." + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "ЧаÑтота Ñнимков должна быть чиÑлом." + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "Ðеверный URL отчёта Ñнимка." + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "При Ñлучайном поÑещении" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "По заданному графику" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "Снимки данных" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "Когда отправлÑÑ‚ÑŒ ÑтатиÑтичеÑкие данные на Ñервера status.net" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "ЧаÑтота" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "Снимки будут отправлÑÑ‚ÑŒÑÑ ÐºÐ°Ð¶Ð´Ñ‹Ðµ N поÑещений" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "URL отчёта" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "Снимки будут отправлÑÑ‚ÑŒÑÑ Ð¿Ð¾ Ñтому URL-адреÑу" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Сохранить наÑтройки Ñайта" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "Ð’Ñ‹ не подпиÑаны на Ñтот профиль." @@ -4184,7 +4261,7 @@ msgstr "Ðет ID Ð¿Ñ€Ð¾Ñ„Ð¸Ð»Ñ Ð² запроÑе." msgid "Unsubscribed" msgstr "ОтпиÑано" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4193,7 +4270,6 @@ msgstr "" #. TRANS: User admin panel title #: actions/useradminpanel.php:59 -#, fuzzy msgctxt "TITLE" msgid "User" msgstr "Пользователь" @@ -4386,17 +4462,23 @@ msgstr "Группы %1$s, Ñтраница %2$d" msgid "Search for more groups" msgstr "ИÑкать другие группы" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "%s не ÑоÑтоит ни в одной группе." -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" "Попробуйте [найти группы](%%action.groupsearch%%) и приÑоединитьÑÑ Ðº ним." +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "Обновлено от %1$s на %2$s!" + #: actions/version.php:73 #, php-format msgid "StatusNet %s" @@ -4452,7 +4534,7 @@ msgstr "" msgid "Plugins" msgstr "Плагины" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 msgid "Version" msgstr "ВерÑиÑ" @@ -4517,22 +4599,22 @@ msgstr "Ðе удаётÑÑ Ð¾Ð±Ð½Ð¾Ð²Ð¸Ñ‚ÑŒ Ñообщение Ñ Ð½Ð¾Ð²Ñ‹Ð¼ UR msgid "DB error inserting hashtag: %s" msgstr "Ошибка баз данных при вÑтавке хеш-тегов Ð´Ð»Ñ %s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 msgid "Problem saving notice. Too long." msgstr "Проблемы Ñ Ñохранением запиÑи. Слишком длинно." -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "Проблема при Ñохранении запиÑи. ÐеизвеÑтный пользователь." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Слишком много запиÑей за Ñтоль короткий Ñрок; передохните немного и " "попробуйте вновь через пару минут." -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4540,19 +4622,19 @@ msgstr "" "Слишком много одинаковых запиÑей за Ñтоль короткий Ñрок; передохните немного " "и попробуйте вновь через пару минут." -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "Вам запрещено поÑтитьÑÑ Ð½Ð° Ñтом Ñайте (бан)" -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "Проблемы Ñ Ñохранением запиÑи." -#: classes/Notice.php:911 +#: classes/Notice.php:927 msgid "Problem saving group inbox." msgstr "Проблемы Ñ Ñохранением входÑщих Ñообщений группы." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4577,7 +4659,12 @@ msgstr "Ðе подпиÑаны!" msgid "Couldn't delete self-subscription." msgstr "Ðевозможно удалить ÑамоподпиÑку." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Ðе удаётÑÑ ÑƒÐ´Ð°Ð»Ð¸Ñ‚ÑŒ подпиÑку." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Ðе удаётÑÑ ÑƒÐ´Ð°Ð»Ð¸Ñ‚ÑŒ подпиÑку." @@ -4586,19 +4673,19 @@ msgstr "Ðе удаётÑÑ ÑƒÐ´Ð°Ð»Ð¸Ñ‚ÑŒ подпиÑку." msgid "Welcome to %1$s, @%2$s!" msgstr "Добро пожаловать на %1$s, @%2$s!" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "Ðе удаётÑÑ Ñоздать группу." -#: classes/User_group.php:471 +#: classes/User_group.php:486 msgid "Could not set group URI." msgstr "Ðе удаётÑÑ Ð½Ð°Ð·Ð½Ð°Ñ‡Ð¸Ñ‚ÑŒ URI группы." -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "Ðе удаётÑÑ Ð½Ð°Ð·Ð½Ð°Ñ‡Ð¸Ñ‚ÑŒ членÑтво в группе." -#: classes/User_group.php:506 +#: classes/User_group.php:521 msgid "Could not save local group info." msgstr "Ðе удаётÑÑ Ñохранить информацию о локальной группе." @@ -4639,194 +4726,171 @@ msgstr "%1$s — %2$s" msgid "Untitled page" msgstr "Страница без названиÑ" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "Ð“Ð»Ð°Ð²Ð½Ð°Ñ Ð½Ð°Ð²Ð¸Ð³Ð°Ñ†Ð¸Ñ" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 -#, fuzzy +#: lib/action.php:430 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Личный профиль и лента друзей" -#: lib/action.php:442 -#, fuzzy +#: lib/action.php:433 msgctxt "MENU" msgid "Personal" msgstr "Личное" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 -#, fuzzy +#: lib/action.php:435 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" -msgstr "Изменить ваш email, аватару, пароль, профиль" - -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "ÐаÑтройки" +msgstr "Изменить ваш email, аватар, пароль, профиль" #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 -#, fuzzy +#: lib/action.php:440 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Соединить Ñ ÑервиÑами" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "Соединить" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 -#, fuzzy +#: lib/action.php:446 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Изменить конфигурацию Ñайта" -#: lib/action.php:460 -#, fuzzy +#: lib/action.php:449 msgctxt "MENU" msgid "Admin" msgstr "ÐаÑтройки" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 -#, fuzzy, php-format +#: lib/action.php:453 +#, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" -msgstr "ПриглаÑите друзей и коллег Ñтать такими же как вы учаÑтниками %s" +msgstr "ПриглаÑите друзей и коллег Ñтать такими же как Ð’Ñ‹ учаÑтниками %s" -#: lib/action.php:467 -#, fuzzy +#: lib/action.php:456 msgctxt "MENU" msgid "Invite" msgstr "ПриглаÑить" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 -#, fuzzy +#: lib/action.php:462 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Выйти" -#: lib/action.php:476 -#, fuzzy +#: lib/action.php:465 msgctxt "MENU" msgid "Logout" msgstr "Выход" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 -#, fuzzy +#: lib/action.php:470 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Создать новый аккаунт" -#: lib/action.php:484 -#, fuzzy +#: lib/action.php:473 msgctxt "MENU" msgid "Register" msgstr "РегиÑтрациÑ" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 -#, fuzzy +#: lib/action.php:476 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Войти" -#: lib/action.php:490 -#, fuzzy +#: lib/action.php:479 msgctxt "MENU" msgid "Login" msgstr "Вход" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 -#, fuzzy +#: lib/action.php:482 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Помощь" -#: lib/action.php:496 -#, fuzzy +#: lib/action.php:485 msgctxt "MENU" msgid "Help" msgstr "Помощь" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 -#, fuzzy +#: lib/action.php:488 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "ИÑкать людей или текÑÑ‚" -#: lib/action.php:502 -#, fuzzy +#: lib/action.php:491 msgctxt "MENU" msgid "Search" msgstr "ПоиÑк" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "ÐÐ¾Ð²Ð°Ñ Ð·Ð°Ð¿Ð¸ÑÑŒ" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "Локальные виды" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "ÐÐ¾Ð²Ð°Ñ Ð·Ð°Ð¿Ð¸ÑÑŒ" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "ÐÐ°Ð²Ð¸Ð³Ð°Ñ†Ð¸Ñ Ð¿Ð¾ подпиÑкам" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Помощь" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "О проекте" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "ЧаВо" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "TOS" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "ПользовательÑкое Ñоглашение" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "ИÑходный код" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "ÐšÐ¾Ð½Ñ‚Ð°ÐºÑ‚Ð½Ð°Ñ Ð¸Ð½Ñ„Ð¾Ñ€Ð¼Ð°Ñ†Ð¸Ñ" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "Бедж" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "StatusNet лицензиÑ" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4835,12 +4899,12 @@ msgstr "" "**%%site.name%%** — Ñто ÑÐµÑ€Ð²Ð¸Ñ Ð¼Ð¸ÐºÑ€Ð¾Ð±Ð»Ð¾Ð³Ð¸Ð½Ð³Ð°, Ñозданный Ð´Ð»Ñ Ð²Ð°Ñ Ð¿Ñ€Ð¸ помощи [%" "%site.broughtby%%](%%site.broughtbyurl%%). " -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** — ÑÐµÑ€Ð²Ð¸Ñ Ð¼Ð¸ÐºÑ€Ð¾Ð±Ð»Ð¾Ð³Ð¸Ð½Ð³Ð°. " -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4852,56 +4916,56 @@ msgstr "" "лицензией [GNU Affero General Public License](http://www.fsf.org/licensing/" "licenses/agpl-3.0.html)." -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "Ð›Ð¸Ñ†ÐµÐ½Ð·Ð¸Ñ Ñодержимого Ñайта" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "Содержание и данные %1$s ÑвлÑÑŽÑ‚ÑÑ Ð»Ð¸Ñ‡Ð½Ñ‹Ð¼Ð¸ и конфиденциальными." -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" "ÐвторÑкие права на Ñодержание и данные принадлежат %1$s. Ð’Ñе права защищены." -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "ÐвторÑкие права на Ñодержание и данные принадлежат разработчикам. Ð’Ñе права " "защищены." -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "All " -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "license." -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "Разбиение на Ñтраницы" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "Сюда" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "Туда" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "Пока ещё Ð½ÐµÐ»ÑŒÐ·Ñ Ð¾Ð±Ñ€Ð°Ð±Ð°Ñ‚Ñ‹Ð²Ð°Ñ‚ÑŒ удалённое Ñодержимое." -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "Пока ещё Ð½ÐµÐ»ÑŒÐ·Ñ Ð¾Ð±Ñ€Ð°Ð±Ð°Ñ‚Ñ‹Ð²Ð°Ñ‚ÑŒ вÑтроенный XML." -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "Пока ещё Ð½ÐµÐ»ÑŒÐ·Ñ Ð¾Ð±Ñ€Ð°Ð±Ð°Ñ‚Ñ‹Ð²Ð°Ñ‚ÑŒ вÑтроенное Ñодержание Base64." @@ -4916,91 +4980,78 @@ msgid "Changes to that panel are not allowed." msgstr "Ð˜Ð·Ð¼ÐµÐ½ÐµÐ½Ð¸Ñ Ð´Ð»Ñ Ñтой панели недопуÑтимы." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "showForm() не реализована." #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "saveSettings() не реализована." #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "Ðе удаётÑÑ ÑƒÐ´Ð°Ð»Ð¸Ñ‚ÑŒ наÑтройки оформлениÑ." #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 msgid "Basic site configuration" msgstr "ОÑÐ½Ð¾Ð²Ð½Ð°Ñ ÐºÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ñайта" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 -#, fuzzy +#: lib/adminpanelaction.php:350 msgctxt "MENU" msgid "Site" msgstr "Сайт" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¾Ñ„Ð¾Ñ€Ð¼Ð»ÐµÐ½Ð¸Ñ" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 -#, fuzzy +#: lib/adminpanelaction.php:358 msgctxt "MENU" msgid "Design" msgstr "Оформление" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 msgid "User configuration" msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "Пользователь" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 msgid "Access configuration" msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð´Ð¾Ñтупа" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "ПринÑÑ‚ÑŒ" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 msgid "Paths configuration" msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¿ÑƒÑ‚ÐµÐ¹" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -#, fuzzy -msgctxt "MENU" -msgid "Paths" -msgstr "Пути" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 msgid "Sessions configuration" msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ ÑеÑÑий" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "СеÑÑии" +msgid "Edit site notice" +msgstr "ÐÐ¾Ð²Ð°Ñ Ð·Ð°Ð¿Ð¸ÑÑŒ" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¿ÑƒÑ‚ÐµÐ¹" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5532,6 +5583,11 @@ msgstr "Выберите тег из выпадающего ÑпиÑка" msgid "Go" msgstr "Перейти" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "ÐÐ´Ñ€ÐµÑ Ñтраницы, дневника или Ð¿Ñ€Ð¾Ñ„Ð¸Ð»Ñ Ð³Ñ€ÑƒÐ¿Ð¿Ñ‹ на другом портале" @@ -6148,10 +6204,6 @@ msgstr "Ответы" msgid "Favorites" msgstr "Любимое" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "Пользователь" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "ВходÑщие" @@ -6177,7 +6229,7 @@ msgstr "Теги запиÑей Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ %s" msgid "Unknown" msgstr "ÐеизвеÑтно" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "ПодпиÑки" @@ -6185,23 +6237,23 @@ msgstr "ПодпиÑки" msgid "All subscriptions" msgstr "Ð’Ñе подпиÑки." -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "ПодпиÑчики" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "Ð’Ñе подпиÑчики" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "ID пользователÑ" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "РегиÑтрациÑ" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "Ð’Ñе группы" @@ -6241,7 +6293,12 @@ msgstr "Повторить Ñту запиÑÑŒ?" msgid "Repeat this notice" msgstr "Повторить Ñту запиÑÑŒ" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "Заблокировать Ñтого Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð¸Ð· Ñтой группы" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "Ðи задан пользователь Ð´Ð»Ñ Ð¾Ð´Ð½Ð¾Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»ÑŒÑкого режима." @@ -6395,47 +6452,64 @@ msgstr "Сообщение" msgid "Moderate" msgstr "Модерировать" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "Профиль пользователÑ" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "ÐдминиÑтраторы" + +#: lib/userprofile.php:355 +#, fuzzy +msgctxt "role" +msgid "Moderator" +msgstr "Модерировать" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "пару Ñекунд назад" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "около минуты назад" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "около %d минут(Ñ‹) назад" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "около чаÑа назад" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "около %d чаÑа(ов) назад" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "около Ð´Ð½Ñ Ð½Ð°Ð·Ð°Ð´" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "около %d днÑ(ей) назад" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "около меÑÑца назад" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "около %d меÑÑца(ев) назад" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "около года назад" diff --git a/locale/statusnet.po b/locale/statusnet.po index 3f4ad499f..b7a421fd4 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -18,7 +18,8 @@ msgstr "" "Plural-Forms: nplurals=INTEGER; plural=EXPRESSION;\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "" @@ -113,7 +114,7 @@ msgstr "" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -168,7 +169,7 @@ msgid "" msgstr "" #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "" @@ -195,11 +196,11 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." msgstr "" @@ -551,7 +552,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "" @@ -638,18 +639,6 @@ msgstr "" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "" -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "" - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -660,12 +649,12 @@ msgstr "" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "" @@ -908,7 +897,7 @@ msgid "Conversation" msgstr "" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "" @@ -927,7 +916,7 @@ msgstr "" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "" @@ -1114,8 +1103,9 @@ msgstr "" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1231,7 +1221,7 @@ msgstr "" msgid "Could not update group." msgstr "" -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "" @@ -1351,7 +1341,7 @@ msgid "Cannot normalize that email address" msgstr "" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "" @@ -1535,6 +1525,22 @@ msgstr "" msgid "Cannot read file." msgstr "" +#: actions/grantrole.php:62 actions/revokerole.php:62 +msgid "Invalid role." +msgstr "" + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +msgid "You cannot grant user roles on this site." +msgstr "" + +#: actions/grantrole.php:82 +msgid "User already has this role." +msgstr "" + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1675,12 +1681,18 @@ msgstr "" msgid "Make this user an admin" msgstr "" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "" @@ -2230,8 +2242,8 @@ msgstr "" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "" @@ -2370,7 +2382,8 @@ msgstr "" msgid "Password saved." msgstr "" -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "" @@ -2490,7 +2503,7 @@ msgstr "" msgid "SSL" msgstr "" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "" @@ -2543,11 +2556,11 @@ msgstr "" msgid "Users self-tagged with %1$s - page %2$d" msgstr "" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2623,7 +2636,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "" @@ -2649,7 +2662,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "" @@ -2947,7 +2960,7 @@ msgid "Same as password above. Required." msgstr "" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "" @@ -3031,7 +3044,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "" @@ -3127,6 +3140,14 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "" +#: actions/revokerole.php:75 +msgid "You cannot revoke user roles on this site." +msgstr "" + +#: actions/revokerole.php:82 +msgid "User doesn't have this role." +msgstr "" + #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" msgstr "" @@ -3139,7 +3160,9 @@ msgstr "" msgid "User is already sandboxed." msgstr "" +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "" @@ -3163,7 +3186,7 @@ msgstr "" msgid "Turn on debugging output for sessions." msgstr "" -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "" @@ -3194,8 +3217,8 @@ msgstr "" msgid "Description" msgstr "" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "" @@ -3327,45 +3350,45 @@ msgstr "" msgid "Group actions" msgstr "" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3375,7 +3398,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3384,7 +3407,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "" @@ -3494,144 +3517,128 @@ msgid "User is already silenced." msgstr "" #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +msgid "Basic settings for this StatusNet site" msgstr "" -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 msgid "You must have a valid contact email address." msgstr "" -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "" #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 msgid "Contact email address for your site" msgstr "" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 msgid "Local" msgstr "" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:281 -msgid "Default site language" -msgstr "" - -#: actions/siteadminpanel.php:289 -msgid "Snapshots" +#: actions/siteadminpanel.php:262 +msgid "Default language" msgstr "" -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" +#: actions/siteadminpanel.php:271 +msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" +#: actions/siteadminpanel.php:274 +msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" +#: actions/siteadminpanel.php:274 +msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:301 -msgid "Frequency" +#: actions/siteadminpanel.php:278 +msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" +#: actions/siteadminpanel.php:278 +msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:307 -msgid "Report URL" +#: actions/sitenoticeadminpanel.php:56 +msgid "Site Notice" msgstr "" -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" +#: actions/sitenoticeadminpanel.php:67 +msgid "Edit site-wide message" msgstr "" -#: actions/siteadminpanel.php:315 -msgid "Limits" +#: actions/sitenoticeadminpanel.php:103 +msgid "Unable to save site notice." msgstr "" -#: actions/siteadminpanel.php:318 -msgid "Text limit" +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" msgstr "" -#: actions/siteadminpanel.php:318 -msgid "Maximum number of characters for notices." +#: actions/sitenoticeadminpanel.php:176 +msgid "Site notice text" msgstr "" -#: actions/siteadminpanel.php:322 -msgid "Dupe limit" +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" msgstr "" -#: actions/siteadminpanel.php:322 -msgid "How long users must wait (in seconds) to post the same thing again." +#: actions/sitenoticeadminpanel.php:198 +msgid "Save site notice" msgstr "" #: actions/smssettings.php:58 @@ -3726,6 +3733,64 @@ msgstr "" msgid "No code entered" msgstr "" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:65 +msgid "Manage snapshot configuration" +msgstr "" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "" + +#: actions/snapshotadminpanel.php:248 +msgid "Save snapshot settings" +msgstr "" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "" @@ -3919,7 +3984,7 @@ msgstr "" msgid "Unsubscribed" msgstr "" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4109,16 +4174,22 @@ msgstr "" msgid "Search for more groups" msgstr "" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "" -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "" + #: actions/version.php:73 #, php-format msgid "StatusNet %s" @@ -4162,7 +4233,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 msgid "Version" msgstr "" @@ -4225,38 +4296,38 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:239 +#: classes/Notice.php:241 msgid "Problem saving notice. Too long." msgstr "" -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "" -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:911 +#: classes/Notice.php:927 msgid "Problem saving group inbox." msgstr "" -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4281,7 +4352,11 @@ msgstr "" msgid "Couldn't delete self-subscription." msgstr "" -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +msgid "Couldn't delete subscription OMB token." +msgstr "" + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "" @@ -4290,19 +4365,19 @@ msgstr "" msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "" -#: classes/User_group.php:471 +#: classes/User_group.php:486 msgid "Could not set group URI." msgstr "" -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "" -#: classes/User_group.php:506 +#: classes/User_group.php:521 msgid "Could not save local group info." msgstr "" @@ -4343,187 +4418,182 @@ msgstr "" msgid "Untitled page" msgstr "" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:433 msgctxt "MENU" msgid "Personal" msgstr "" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "" -#: lib/action.php:447 -msgctxt "MENU" -msgid "Account" -msgstr "" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "" -#: lib/action.php:453 -msgctxt "MENU" +#: lib/action.php:443 msgid "Connect" msgstr "" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "" -#: lib/action.php:460 +#: lib/action.php:449 msgctxt "MENU" msgid "Admin" msgstr "" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:467 +#: lib/action.php:456 msgctxt "MENU" msgid "Invite" msgstr "" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "" -#: lib/action.php:476 +#: lib/action.php:465 msgctxt "MENU" msgid "Logout" msgstr "" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 msgctxt "TOOLTIP" msgid "Create an account" msgstr "" -#: lib/action.php:484 +#: lib/action.php:473 msgctxt "MENU" msgid "Register" msgstr "" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "" -#: lib/action.php:490 +#: lib/action.php:479 msgctxt "MENU" msgid "Login" msgstr "" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 msgctxt "TOOLTIP" msgid "Help me!" msgstr "" -#: lib/action.php:496 +#: lib/action.php:485 msgctxt "MENU" msgid "Help" msgstr "" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "" -#: lib/action.php:502 +#: lib/action.php:491 msgctxt "MENU" msgid "Search" msgstr "" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." "broughtby%%](%%site.broughtbyurl%%). " msgstr "" -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "" -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4531,53 +4601,53 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "" -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "" -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4592,84 +4662,75 @@ msgid "Changes to that panel are not allowed." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 msgid "Basic site configuration" msgstr "" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 msgctxt "MENU" msgid "Site" msgstr "" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 msgctxt "MENU" msgid "Design" msgstr "" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 msgid "User configuration" msgstr "" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 msgid "Access configuration" msgstr "" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -msgctxt "MENU" -msgid "Access" -msgstr "" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 msgid "Paths configuration" msgstr "" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -msgctxt "MENU" -msgid "Paths" +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:388 +msgid "Sessions configuration" msgstr "" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 -msgid "Sessions configuration" +#: lib/adminpanelaction.php:396 +msgid "Edit site notice" msgstr "" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 -msgctxt "MENU" -msgid "Sessions" +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +msgid "Snapshots configuration" msgstr "" #: lib/apiauth.php:94 @@ -5151,6 +5212,11 @@ msgstr "" msgid "Go" msgstr "" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "" @@ -5674,10 +5740,6 @@ msgstr "" msgid "Favorites" msgstr "" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" @@ -5703,7 +5765,7 @@ msgstr "" msgid "Unknown" msgstr "" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "" @@ -5711,23 +5773,23 @@ msgstr "" msgid "All subscriptions" msgstr "" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "" @@ -5767,7 +5829,12 @@ msgstr "" msgid "Repeat this notice" msgstr "" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -5921,47 +5988,61 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:1013 -msgid "a few seconds ago" +#: lib/userprofile.php:352 +msgid "User role" +msgstr "" + +#: lib/userprofile.php:354 +msgctxt "role" +msgid "Administrator" +msgstr "" + +#: lib/userprofile.php:355 +msgctxt "role" +msgid "Moderator" msgstr "" #: lib/util.php:1015 -msgid "about a minute ago" +msgid "a few seconds ago" msgstr "" #: lib/util.php:1017 +msgid "about a minute ago" +msgstr "" + +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index b1ac66f65..b9f921c7f 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -9,19 +9,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:03:47+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:57:20+0000\n" "Language-Team: Swedish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "Ã…tkomst" @@ -43,7 +44,6 @@ msgstr "" #. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -#, fuzzy msgctxt "LABEL" msgid "Private" msgstr "Privat" @@ -74,7 +74,6 @@ msgid "Save access settings" msgstr "Spara inställningar för Ã¥tkomst" #: actions/accessadminpanel.php:203 -#, fuzzy msgctxt "BUTTON" msgid "Save" msgstr "Spara" @@ -119,7 +118,7 @@ msgstr "%1$s och vänner, sida %2$d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -181,7 +180,7 @@ msgstr "" "%s eller skriva en notis för hans eller hennes uppmärksamhet." #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "Du och vänner" @@ -208,11 +207,11 @@ msgstr "Uppdateringar frÃ¥n %1$s och vänner pÃ¥ %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." msgstr "API-metod hittades inte." @@ -570,7 +569,7 @@ msgstr "" "möjligheten att %3$s din %4$s kontoinformation. Du bör bara " "ge tillgÃ¥ng till ditt %4$s-konto till tredje-parter du litar pÃ¥." -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "Konto" @@ -657,18 +656,6 @@ msgstr "%1$s / Favoriter frÃ¥n %2$s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s uppdateringar markerade som favorit av %2$s / %2$s." -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "%s tidslinje" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "Uppdateringar frÃ¥n %1$s pÃ¥ %2$s!" - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -679,12 +666,12 @@ msgstr "%1$s / Uppdateringar som nämner %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s uppdateringar med svar pÃ¥ uppdatering frÃ¥n %2$s / %3$s." -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s publika tidslinje" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s uppdateringar frÃ¥n alla!" @@ -932,7 +919,7 @@ msgid "Conversation" msgstr "Konversationer" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Notiser" @@ -951,7 +938,7 @@ msgstr "Du är inte ägaren av denna applikation." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "Det var ett problem med din sessions-token." @@ -1147,8 +1134,9 @@ msgstr "Ã…terställ till standardvärde" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1264,7 +1252,7 @@ msgstr "beskrivning är för lÃ¥ng (max %d tecken)." msgid "Could not update group." msgstr "Kunde inte uppdatera grupp." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "Kunde inte skapa alias." @@ -1387,7 +1375,7 @@ msgid "Cannot normalize that email address" msgstr "Kan inte normalisera den e-postadressen" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "Inte en giltig e-postadress." @@ -1580,6 +1568,25 @@ msgstr "Ingen sÃ¥dan fil." msgid "Cannot read file." msgstr "Kan inte läsa fil." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Ogiltig token." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "Du kan inte flytta användare till sandlÃ¥dan pÃ¥ denna webbplats." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "Användaren är redan nedtystad." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1726,12 +1733,18 @@ msgstr "Gör till administratör" msgid "Make this user an admin" msgstr "Gör denna användare till administratör" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "%s tidslinje" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Uppdateringar frÃ¥n medlemmar i %1$s pÃ¥ %2$s!" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "Grupper" @@ -1993,7 +2006,6 @@ msgstr "Om du vill, skriv ett personligt meddelande till inbjudan." #. TRANS: Send button for inviting friends #: actions/invite.php:198 -#, fuzzy msgctxt "BUTTON" msgid "Send" msgstr "Skicka" @@ -2352,8 +2364,8 @@ msgstr "innehÃ¥llstyp " msgid "Only " msgstr "Bara " -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "Ett dataformat som inte stödjs" @@ -2492,7 +2504,8 @@ msgstr "Kan inte spara nytt lösenord." msgid "Password saved." msgstr "Lösenord sparat." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "Sökvägar" @@ -2613,7 +2626,7 @@ msgstr "Katalog med bakgrunder" msgid "SSL" msgstr "SSL" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "Aldrig" @@ -2668,11 +2681,11 @@ msgstr "Inte en giltig persontagg: %s" msgid "Users self-tagged with %1$s - page %2$d" msgstr "Användare som taggat sig själv med %1$s - sida %2$d" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "Ogiltigt notisinnehÃ¥ll" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "Licensen för notiser ‘%1$s’ är inte förenlig webbplatslicensen ‘%2$s’." @@ -2752,7 +2765,7 @@ msgstr "" "Taggar för dig själv (bokstäver, nummer, -, ., och _), separerade med " "kommatecken eller mellanslag" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "SprÃ¥k" @@ -2780,7 +2793,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Biografin är för lÃ¥ng (max %d tecken)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "Tidszon inte valt." @@ -3100,7 +3113,7 @@ msgid "Same as password above. Required." msgstr "Samma som lösenordet ovan. MÃ¥ste fyllas i." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "E-post" @@ -3208,7 +3221,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL till din profil pÃ¥ en annan kompatibel mikrobloggtjänst" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "Prenumerera" @@ -3312,6 +3325,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Svar till %1$s pÃ¥ %2$s" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "Du kan inte tysta ned användare pÃ¥ denna webbplats." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "Användare utan matchande profil." + #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" msgstr "StatusNet" @@ -3324,7 +3347,9 @@ msgstr "Du kan inte flytta användare till sandlÃ¥dan pÃ¥ denna webbplats." msgid "User is already sandboxed." msgstr "Användare är redan flyttad till sandlÃ¥dan." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "Sessioner" @@ -3348,7 +3373,7 @@ msgstr "Sessionsfelsökning" msgid "Turn on debugging output for sessions." msgstr "Sätt pÃ¥ felsökningsutdata för sessioner." -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Spara webbplatsinställningar" @@ -3379,8 +3404,8 @@ msgstr "Organisation" msgid "Description" msgstr "Beskrivning" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "Statistik" @@ -3523,45 +3548,45 @@ msgstr "Alias" msgid "Group actions" msgstr "Ã…tgärder för grupp" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Flöde av notiser för %s grupp (RSS 1.0)" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Flöde av notiser för %s grupp (RSS 2.0)" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Flöde av notiser för %s grupp (Atom)" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "FOAF för %s grupp" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "Medlemmar" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(Ingen)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "Alla medlemmar" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "Skapad" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3576,7 +3601,7 @@ msgstr "" "sina liv och intressen. [GÃ¥ med nu](%%%%action.register%%%%) för att bli en " "del av denna grupp och mÃ¥nga fler! ([Läs mer](%%%%doc.help%%%%))" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3589,7 +3614,7 @@ msgstr "" "[StatusNet](http://status.net/). Dess medlemmar delar korta meddelande om " "sina liv och intressen. " -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "Administratörer" @@ -3710,147 +3735,138 @@ msgid "User is already silenced." msgstr "Användaren är redan nedtystad." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +#, fuzzy +msgid "Basic settings for this StatusNet site" msgstr "Grundinställningar för din StatusNet-webbplats" -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "Webbplatsnamnet mÃ¥ste vara minst ett tecken lÃ¥ngt." -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 msgid "You must have a valid contact email address." msgstr "Du mÃ¥ste ha en giltig e-postadress." -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "Okänt sprÃ¥k \"%s\"." #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "Ogiltig rapport-URL för ögonblicksbild" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "Ogiltigt körvärde för ögonblicksbild." - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "Frekvens för ögonblicksbilder mÃ¥ste vara ett nummer." - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "Minsta textbegränsning är 140 tecken." -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "Begränsning av duplikat mÃ¥ste vara en eller fler sekuner." -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "Allmänt" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "Webbplatsnamn" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "Namnet pÃ¥ din webbplats, t.ex. \"Företagsnamn mikroblogg\"" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "TillhandahÃ¥llen av" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "Text som används för tillskrivningslänkar i sidfoten pÃ¥ varje sida." -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "TillhandahÃ¥llen av URL" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "URL som används för tillskrivningslänkar i sidfoten pÃ¥ varje sida" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 msgid "Contact email address for your site" msgstr "Kontakte-postadress för din webbplats" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 msgid "Local" msgstr "Lokal" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "Standardtidszon" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "Standardtidzon för denna webbplats; vanligtvis UTC." -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +#, fuzzy +msgid "Default language" msgstr "Webbplatsens standardsprÃ¥k" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "Ögonblicksbild" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" -msgstr "Slumpmässigt vid webbförfrÃ¥gningar" - -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" -msgstr "I ett schemalagt jobb" - -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" -msgstr "Ögonblicksbild av data" - -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" -msgstr "När statistikdata skall skickas till status.net-servrar" - -#: actions/siteadminpanel.php:301 -msgid "Frequency" -msgstr "Frekvens" - -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" -msgstr "Ögonblicksbild kommer skickas var N:te webbträff" - -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "URL för rapport" - -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "Ögonblicksbild kommer skickat till denna URL" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" +msgstr "" -#: actions/siteadminpanel.php:315 +#: actions/siteadminpanel.php:271 msgid "Limits" msgstr "Begränsningar" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Text limit" msgstr "Textbegränsning" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Maximum number of characters for notices." msgstr "Maximala antalet tecken för notiser." -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "Dupe limit" msgstr "Duplikatbegränsning" -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Hur länge användare mÃ¥ste vänta (i sekunder) för att posta samma sak igen." +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Webbplatsnotis" + +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "Nytt meddelande" + +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Kunde inte spara dina utseendeinställningar." + +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" +msgstr "" + +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Webbplatsnotis" + +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" +msgstr "" + +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Webbplatsnotis" + #: actions/smssettings.php:58 msgid "SMS settings" msgstr "Inställningar för SMS" @@ -3950,6 +3966,66 @@ msgstr "" msgid "No code entered" msgstr "Ingen kod ifylld" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "Ögonblicksbild" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "Ändra webbplatskonfiguration" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "Ogiltigt körvärde för ögonblicksbild." + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "Frekvens för ögonblicksbilder mÃ¥ste vara ett nummer." + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "Ogiltig rapport-URL för ögonblicksbild" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "Slumpmässigt vid webbförfrÃ¥gningar" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "I ett schemalagt jobb" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "Ögonblicksbild av data" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "När statistikdata skall skickas till status.net-servrar" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "Frekvens" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "Ögonblicksbild kommer skickas var N:te webbträff" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "URL för rapport" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "Ögonblicksbild kommer skickat till denna URL" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Spara webbplatsinställningar" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "Du är inte prenumerat hos den profilen." @@ -4158,7 +4234,7 @@ msgstr "Ingen profil-ID i begäran." msgid "Unsubscribed" msgstr "Prenumeration avslutad" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4168,7 +4244,6 @@ msgstr "" #. TRANS: User admin panel title #: actions/useradminpanel.php:59 -#, fuzzy msgctxt "TITLE" msgid "User" msgstr "Användare" @@ -4363,17 +4438,23 @@ msgstr "%1$s grupper, sida %2$d" msgid "Search for more groups" msgstr "Sök efter fler grupper" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "%s är inte en medlem i nÃ¥gon grupp." -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" "Prova att [söka efter grupper](%%action.groupsearch%%) och gÃ¥ med i dem." +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "Uppdateringar frÃ¥n %1$s pÃ¥ %2$s!" + #: actions/version.php:73 #, php-format msgid "StatusNet %s" @@ -4429,7 +4510,7 @@ msgstr "" msgid "Plugins" msgstr "Insticksmoduler" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 msgid "Version" msgstr "Version" @@ -4494,22 +4575,22 @@ msgstr "Kunde inte uppdatera meddelande med ny URI." msgid "DB error inserting hashtag: %s" msgstr "Databasfel vid infogning av hashtag: %s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 msgid "Problem saving notice. Too long." msgstr "Problem vid sparande av notis. För lÃ¥ngt." -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "Problem vid sparande av notis. Okänd användare." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "För mÃ¥nga notiser för snabbt; ta en vilopaus och posta igen om ett par " "minuter." -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4517,19 +4598,19 @@ msgstr "" "För mÃ¥nga duplicerade meddelanden för snabbt; ta en vilopaus och posta igen " "om ett par minuter." -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "Du är utestängd frÃ¥n att posta notiser pÃ¥ denna webbplats." -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "Problem med att spara notis." -#: classes/Notice.php:911 +#: classes/Notice.php:927 msgid "Problem saving group inbox." msgstr "Problem med att spara gruppinkorg." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4554,7 +4635,12 @@ msgstr "Inte prenumerant!" msgid "Couldn't delete self-subscription." msgstr "Kunde inte ta bort själv-prenumeration." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Kunde inte ta bort prenumeration." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Kunde inte ta bort prenumeration." @@ -4563,19 +4649,19 @@ msgstr "Kunde inte ta bort prenumeration." msgid "Welcome to %1$s, @%2$s!" msgstr "Välkommen till %1$s, @%2$s!" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "Kunde inte skapa grupp." -#: classes/User_group.php:471 +#: classes/User_group.php:486 msgid "Could not set group URI." msgstr "Kunde inte ställa in grupp-URI." -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "Kunde inte ställa in gruppmedlemskap." -#: classes/User_group.php:506 +#: classes/User_group.php:521 msgid "Could not save local group info." msgstr "Kunde inte spara lokal gruppinformation." @@ -4616,194 +4702,171 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "Namnlös sida" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "Primär webbplatsnavigation" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 -#, fuzzy +#: lib/action.php:430 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Personlig profil och vänners tidslinje" -#: lib/action.php:442 -#, fuzzy +#: lib/action.php:433 msgctxt "MENU" msgid "Personal" msgstr "Personligt" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 -#, fuzzy +#: lib/action.php:435 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Ändra din e-post, avatar, lösenord, profil" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "Konto" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 -#, fuzzy +#: lib/action.php:440 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Anslut till tjänster" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "Anslut" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 -#, fuzzy +#: lib/action.php:446 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Ändra webbplatskonfiguration" -#: lib/action.php:460 -#, fuzzy +#: lib/action.php:449 msgctxt "MENU" msgid "Admin" msgstr "Administratör" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 -#, fuzzy, php-format +#: lib/action.php:453 +#, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Bjud in vänner och kollegor att gÃ¥ med dig pÃ¥ %s" -#: lib/action.php:467 -#, fuzzy +#: lib/action.php:456 msgctxt "MENU" msgid "Invite" msgstr "Bjud in" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 -#, fuzzy +#: lib/action.php:462 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Logga ut frÃ¥n webbplatsen" -#: lib/action.php:476 -#, fuzzy +#: lib/action.php:465 msgctxt "MENU" msgid "Logout" msgstr "Logga ut" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 -#, fuzzy +#: lib/action.php:470 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Skapa ett konto" -#: lib/action.php:484 -#, fuzzy +#: lib/action.php:473 msgctxt "MENU" msgid "Register" msgstr "Registrera" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 -#, fuzzy +#: lib/action.php:476 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Logga in pÃ¥ webbplatsen" -#: lib/action.php:490 -#, fuzzy +#: lib/action.php:479 msgctxt "MENU" msgid "Login" msgstr "Logga in" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 -#, fuzzy +#: lib/action.php:482 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Hjälp mig!" -#: lib/action.php:496 -#, fuzzy +#: lib/action.php:485 msgctxt "MENU" msgid "Help" msgstr "Hjälp" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 -#, fuzzy +#: lib/action.php:488 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Sök efter personer eller text" -#: lib/action.php:502 -#, fuzzy +#: lib/action.php:491 msgctxt "MENU" msgid "Search" msgstr "Sök" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "Webbplatsnotis" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "Lokala vyer" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "Sidnotis" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "Sekundär webbplatsnavigation" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Hjälp" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "Om" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "FrÃ¥gor & svar" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "Användarvillkor" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "Sekretess" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "Källa" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Kontakt" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "Emblem" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "Programvarulicens för StatusNet" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4812,12 +4875,12 @@ msgstr "" "**%%site.name%%** är en mikrobloggtjänst tillhandahÃ¥llen av [%%site.broughtby" "%%](%%site.broughtbyurl%%). " -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** är en mikrobloggtjänst. " -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4828,54 +4891,54 @@ msgstr "" "version %s, tillgänglig under [GNU Affero General Public License](http://www." "fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "Licens för webbplatsinnehÃ¥ll" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "InnehÃ¥ll och data av %1$s är privat och konfidensiell." -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "InnehÃ¥ll och data copyright av %1$s. Alla rättigheter reserverade." -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "InnehÃ¥ll och data copyright av medarbetare. Alla rättigheter reserverade." -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "Alla " -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "licens." -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "Numrering av sidor" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "Senare" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "Tidigare" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "Kan inte hantera fjärrinnehÃ¥ll ännu." -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "Kan inte hantera inbäddat XML-innehÃ¥ll ännu." -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "Kan inte hantera inbäddat Base64-innehÃ¥ll ännu." @@ -4890,91 +4953,78 @@ msgid "Changes to that panel are not allowed." msgstr "Ändringar av den panelen tillÃ¥ts inte." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "showForm() är inte implementerat." #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "saveSetting() är inte implementerat." #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "Kunde inte ta bort utseendeinställning." #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 msgid "Basic site configuration" msgstr "Grundläggande webbplatskonfiguration" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 -#, fuzzy +#: lib/adminpanelaction.php:350 msgctxt "MENU" msgid "Site" msgstr "Webbplats" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "Konfiguration av utseende" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 -#, fuzzy +#: lib/adminpanelaction.php:358 msgctxt "MENU" msgid "Design" msgstr "Utseende" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 msgid "User configuration" msgstr "Konfiguration av användare" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "Användare" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 msgid "Access configuration" msgstr "Konfiguration av Ã¥tkomst" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "Ã…tkomst" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 msgid "Paths configuration" msgstr "Konfiguration av sökvägar" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -#, fuzzy -msgctxt "MENU" -msgid "Paths" -msgstr "Sökvägar" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 msgid "Sessions configuration" msgstr "Konfiguration av sessioner" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "Sessioner" +msgid "Edit site notice" +msgstr "Webbplatsnotis" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "Konfiguration av sökvägar" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5503,6 +5553,11 @@ msgstr "Välj en tagg för att begränsa lista" msgid "Go" msgstr "GÃ¥" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "URL till gruppen eller ämnets hemsida eller blogg" @@ -6117,10 +6172,6 @@ msgstr "Svar" msgid "Favorites" msgstr "Favoriter" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "Användare" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Inkorg" @@ -6146,7 +6197,7 @@ msgstr "Taggar i %ss notiser" msgid "Unknown" msgstr "Okänd" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "Prenumerationer" @@ -6154,23 +6205,23 @@ msgstr "Prenumerationer" msgid "All subscriptions" msgstr "Alla prenumerationer" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "Prenumeranter" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "Alla prenumeranter" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "Användar-ID" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "Medlem sedan" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "Alla grupper" @@ -6210,7 +6261,12 @@ msgstr "Upprepa denna notis?" msgid "Repeat this notice" msgstr "Upprepa denna notis" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "Blockera denna användare frÃ¥n denna grupp" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "Ingen enskild användare definierad för enanvändarläge." @@ -6364,47 +6420,64 @@ msgstr "Meddelande" msgid "Moderate" msgstr "Moderera" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "Användarprofil" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "Administratörer" + +#: lib/userprofile.php:355 +#, fuzzy +msgctxt "role" +msgid "Moderator" +msgstr "Moderera" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "ett par sekunder sedan" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "för nÃ¥n minut sedan" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "för %d minuter sedan" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "för en timma sedan" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "för %d timmar sedan" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "för en dag sedan" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "för %d dagar sedan" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "för en mÃ¥nad sedan" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "för %d mÃ¥nader sedan" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "för ett Ã¥r sedan" diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index f0527f3fa..f2e49f934 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -9,19 +9,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:03:50+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:57:23+0000\n" "Language-Team: Telugu\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=2; plural=(n != 1);\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 #, fuzzy msgid "Access" msgstr "అంగీకరించà±" @@ -121,7 +122,7 @@ msgstr "%1$s మరియౠమితà±à°°à±à°²à±, పేజీ %2$d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -176,7 +177,7 @@ msgid "" msgstr "" #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "మీరౠమరియౠమీ à°¸à±à°¨à±‡à°¹à°¿à°¤à±à°²à±" @@ -203,11 +204,11 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "నిరà±à°§à°¾à°°à°£ సంకేతం కనబడలేదà±." @@ -569,7 +570,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "ఖాతా" @@ -656,18 +657,6 @@ msgstr "" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s యొకà±à°• మైకà±à°°à±‹à°¬à±à°²à°¾à°—à±" -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "%s కాలరేఖ" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "" - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -678,12 +667,12 @@ msgstr "" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s బహిరంగ కాలరేఖ" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "అందరి à°¨à±à°‚à°¡à°¿ %s తాజాకరణలà±!" @@ -929,7 +918,7 @@ msgid "Conversation" msgstr "సంభాషణ" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "సందేశాలà±" @@ -948,7 +937,7 @@ msgstr "మీరౠఈ ఉపకరణం యొకà±à°• యజమాని #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "" @@ -1139,8 +1128,9 @@ msgstr "" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1260,7 +1250,7 @@ msgstr "వివరణ చాలా పెదà±à°¦à°¦à°¿à°—à°¾ ఉంది (1 msgid "Could not update group." msgstr "à°—à±à°‚à°ªà±à°¨à°¿ తాజాకరించలేకà±à°¨à±à°¨à°¾à°‚." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "మారà±à°ªà±‡à°°à±à°²à°¨à°¿ సృషà±à°Ÿà°¿à°‚చలేకపోయాం." @@ -1380,7 +1370,7 @@ msgid "Cannot normalize that email address" msgstr "" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "సరైన ఈమెయిలౠచిరà±à°¨à°¾à°®à°¾ కాదà±:" @@ -1565,6 +1555,25 @@ msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ ఫైలౠలేదà±." msgid "Cannot read file." msgstr "ఫైలà±à°¨à°¿ చదవలేకపోతà±à°¨à±à°¨à°¾à°‚." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "తపà±à°ªà±à°¡à± పరిమాణం." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "మీరౠఇపà±à°ªà°Ÿà°¿à°•à±‡ లోనికి à°ªà±à°°à°µà±‡à°¶à°¿à°‚చారà±!" + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "వాడà±à°•à°°à°¿à°¨à°¿ ఇపà±à°ªà°Ÿà°¿à°•à±‡ à°—à±à°‚à°ªà±à°¨à±à°‚à°¡à°¿ నిరోధించారà±." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1710,12 +1719,18 @@ msgstr "నిరà±à°µà°¾à°¹à°•à±à°¨à±à°¨à°¿ చేయి" msgid "Make this user an admin" msgstr "à°ˆ వాడà±à°•à°°à°¿à°¨à°¿ నిరà±à°µà°¾à°¹à°•à±à°¨à±à°¨à°¿ చేయి" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "%s కాలరేఖ" + #: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "%s యొకà±à°• మైకà±à°°à±‹à°¬à±à°²à°¾à°—à±" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "à°—à±à°‚à°ªà±à°²à±" @@ -2285,8 +2300,8 @@ msgstr "విషయ à°°à°•à°‚ " msgid "Only " msgstr "మాతà±à°°à°®à±‡ " -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "" @@ -2430,7 +2445,8 @@ msgstr "కొతà±à°¤ సంకేతపదానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°° msgid "Password saved." msgstr "సంకేతపదం à°­à°¦à±à°°à°®à°¯à±à°¯à°¿à°‚ది." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "" @@ -2553,7 +2569,7 @@ msgstr "నేపథà±à°¯à°¾à°² సంచయం" msgid "SSL" msgstr "" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 #, fuzzy msgid "Never" msgstr "వైదొలగà±" @@ -2611,11 +2627,11 @@ msgstr "సరైన ఈమెయిలౠచిరà±à°¨à°¾à°®à°¾ కాదౠmsgid "Users self-tagged with %1$s - page %2$d" msgstr "%s యొకà±à°• మైకà±à°°à±‹à°¬à±à°²à°¾à°—à±" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "సందేశపౠవిషయం సరైనది కాదà±" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2693,7 +2709,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "భాష" @@ -2719,7 +2735,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "à°¸à±à°µà°ªà°°à°¿à°šà°¯à°‚ చాలా పెదà±à°¦à°—à°¾ ఉంది (%d à°…à°•à±à°·à°°à°¾à°²à± à°—à°°à°¿à°·à±à° à°‚)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "కాలమండలానà±à°¨à°¿ à°Žà°‚à°šà±à°•à±‹à°²à±‡à°¦à±." @@ -3025,7 +3041,7 @@ msgid "Same as password above. Required." msgstr "పై సంకేతపదం మరోసారి. తపà±à°ªà°¨à°¿à°¸à°°à°¿." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "ఈమెయిలà±" @@ -3122,7 +3138,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "చందాచేరà±" @@ -3225,6 +3241,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "%sà°•à°¿ à°¸à±à°ªà°‚దనలà±" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "మీరౠఇపà±à°ªà°Ÿà°¿à°•à±‡ లోనికి à°ªà±à°°à°µà±‡à°¶à°¿à°‚చారà±!" + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "వాడà±à°•à°°à°¿à°•à°¿ à°ªà±à°°à±Šà°«à±ˆà°²à± లేదà±." + #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" msgstr "à°¸à±à°Ÿà±‡à°Ÿà°¸à±â€Œà°¨à±†à°Ÿà±" @@ -3239,7 +3265,9 @@ msgstr "మీరౠఇపà±à°ªà°Ÿà°¿à°•à±‡ లోనికి à°ªà±à°°à°µà±‡ msgid "User is already sandboxed." msgstr "వాడà±à°•à°°à°¿à°¨à°¿ ఇపà±à°ªà°Ÿà°¿à°•à±‡ à°—à±à°‚à°ªà±à°¨à±à°‚à°¡à°¿ నిరోధించారà±." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "" @@ -3264,7 +3292,7 @@ msgstr "" msgid "Turn on debugging output for sessions." msgstr "" -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "సైటౠఅమరికలనౠభదà±à°°à°ªà°°à°šà±" @@ -3296,8 +3324,8 @@ msgstr "సంసà±à°§" msgid "Description" msgstr "వివరణ" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "గణాంకాలà±" @@ -3431,45 +3459,45 @@ msgstr "మారà±à°ªà±‡à°°à±à°²à±" msgid "Group actions" msgstr "à°—à±à°‚పౠచరà±à°¯à°²à±" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "%s యొకà±à°• సందేశమà±à°² ఫీడà±" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "%s యొకà±à°• సందేశమà±à°² ఫీడà±" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "%s యొకà±à°• సందేశమà±à°² ఫీడà±" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "%s à°—à±à°‚à°ªà±" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "సభà±à°¯à±à°²à±" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(à°à°®à±€à°²à±‡à°¦à±)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "అందరౠసభà±à°¯à±à°²à±‚" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "సృషà±à°Ÿà°¿à°¤à°‚" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3479,7 +3507,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3488,7 +3516,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "నిరà±à°µà°¾à°¹à°•à±à°²à±" @@ -3600,147 +3628,138 @@ msgid "User is already silenced." msgstr "వాడà±à°•à°°à°¿à°¨à°¿ ఇపà±à°ªà°Ÿà°¿à°•à±‡ à°—à±à°‚à°ªà±à°¨à±à°‚à°¡à°¿ నిరోధించారà±." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +#, fuzzy +msgid "Basic settings for this StatusNet site" msgstr "à°ˆ à°¸à±à°Ÿà±‡à°Ÿà°¸à±‌నెటౠసైటà±à°•à°¿ à°ªà±à°°à°¾à°§à°®à°¿à°• అమరికలà±." -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "సైటౠపేరౠతపà±à°ªà°¨à°¿à°¸à°°à°¿à°—à°¾ à°¸à±à°¨à±à°¨à°¾ కంటే à°Žà°•à±à°•à±à°µ పొడవà±à°‚డాలి." -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 msgid "You must have a valid contact email address." msgstr "మీకౠసరైన సంపà±à°°à°¦à°¿à°‚పౠఈమెయిలౠచిరà±à°¨à°¾à°®à°¾ ఉండాలి." -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "à°—à±à°°à±à°¤à± తెలియని భాష \"%s\"." #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "కనిషà±à°  పాఠà±à°¯ పరిమితి 140 à°…à°•à±à°·à°°à°¾à°²à±." -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "సాధారణ" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "సైటౠపేరà±" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "మీ సైటౠయొకà±à°• పేరà±, ఇలా \"మీకంపెనీ మైకà±à°°à±‹à°¬à±à°²à°¾à°—à±\"" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 #, fuzzy msgid "Contact email address for your site" msgstr "à°ˆ వాడà±à°•à°°à°¿à°•à±ˆ నమోదైన ఈమెయిలౠచిరà±à°¨à°¾à°®à°¾à°²à± à°à°®à±€ లేవà±." -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 msgid "Local" msgstr "à°¸à±à°¥à°¾à°¨à°¿à°•" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "à°…à°ªà±à°°à°®à±‡à°¯ కాలమండలం" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +#, fuzzy +msgid "Default language" msgstr "à°…à°ªà±à°°à°®à±‡à°¯ సైటౠభాష" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" -msgstr "" - -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" -msgstr "" - -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" -msgstr "" - -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" -msgstr "" - -#: actions/siteadminpanel.php:301 -msgid "Frequency" -msgstr "తరచà±à°¦à°¨à°‚" - -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" -msgstr "" - -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "" - -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:315 +#: actions/siteadminpanel.php:271 msgid "Limits" msgstr "పరిమితà±à°²à±" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Text limit" msgstr "పాఠà±à°¯à°ªà± పరిమితి" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Maximum number of characters for notices." msgstr "సందేశాలలోని à°…à°•à±à°·à°°à°¾à°² à°—à°°à°¿à°·à±à°  సంఖà±à°¯." -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "సైటౠగమనిక" + +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "కొతà±à°¤ సందేశం" + +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." + +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" +msgstr "" + +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "సైటౠగమనిక" + +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" +msgstr "" + +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "సైటౠగమనిక" + #: actions/smssettings.php:58 msgid "SMS settings" msgstr "SMS అమరికలà±" @@ -3835,6 +3854,66 @@ msgstr "" msgid "No code entered" msgstr "" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "చందాలà±" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "తరచà±à°¦à°¨à°‚" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "సైటౠఅమరికలనౠభదà±à°°à°ªà°°à°šà±" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "" @@ -4036,7 +4115,7 @@ msgstr "" msgid "Unsubscribed" msgstr "చందాదారà±à°²à±" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4228,16 +4307,22 @@ msgstr "%1$s à°—à±à°‚పౠసభà±à°¯à±à°²à±, పేజీ %2$d" msgid "Search for more groups" msgstr "మరినà±à°¨à°¿ à°—à±à°‚à°ªà±à°²à°•à±ˆ వెతà±à°•à±" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "%s à° à°—à±à°‚పౠలోనూ సభà±à°¯à±à°²à± కాదà±." -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "[à°—à±à°‚à°ªà±à°²à°¨à°¿ వెతికి](%%action.groupsearch%%) వాటిలో చేరడానికి à°ªà±à°°à°¯à°¤à±à°¨à°¿à°‚à°šà°‚à°¡à°¿." +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "" + #: actions/version.php:73 #, php-format msgid "StatusNet %s" @@ -4281,7 +4366,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 msgid "Version" msgstr "సంచిక" @@ -4345,41 +4430,41 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:239 +#: classes/Notice.php:241 #, fuzzy msgid "Problem saving notice. Too long." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:243 +#: classes/Notice.php:245 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "à°ˆ సైటà±à°²à±‹ నోటీసà±à°²à± రాయడం à°¨à±à°‚à°¡à°¿ మిమà±à°®à°²à±à°¨à°¿ నిషేధించారà±." -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:911 +#: classes/Notice.php:927 #, fuzzy msgid "Problem saving group inbox." msgstr "సందేశానà±à°¨à°¿ à°­à°¦à±à°°à°ªà°°à°šà°¡à°‚లో పొరపాటà±." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4406,7 +4491,12 @@ msgstr "చందాదారà±à°²à±" msgid "Couldn't delete self-subscription." msgstr "చందాని తొలగించలేకపోయాం." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "చందాని తొలగించలేకపోయాం." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "చందాని తొలగించలేకపోయాం." @@ -4415,20 +4505,20 @@ msgstr "చందాని తొలగించలేకపోయాం." msgid "Welcome to %1$s, @%2$s!" msgstr "@%2$s, %1$sà°•à°¿ à°¸à±à°µà°¾à°—తం!" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "à°—à±à°‚à°ªà±à°¨à°¿ సృషà±à°Ÿà°¿à°‚చలేకపోయాం." -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "à°—à±à°‚పౠసభà±à°¯à°¤à±à°µà°¾à°¨à±à°¨à°¿ అమరà±à°šà°²à±‡à°•à°ªà±‹à°¯à°¾à°‚." -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "à°—à±à°‚పౠసభà±à°¯à°¤à±à°µà°¾à°¨à±à°¨à°¿ అమరà±à°šà°²à±‡à°•à°ªà±‹à°¯à°¾à°‚." -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "చందాని సృషà±à°Ÿà°¿à°‚చలేకపోయాం." @@ -4471,194 +4561,188 @@ msgstr "%1$s - %2$s" msgid "Untitled page" msgstr "" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "à°µà±à°¯à°•à±à°¤à°¿à°—à°¤" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "మీ ఈమెయిలà±, అవతారం, సంకేతపదం మరియౠపà±à°°à±Œà°«à±ˆà°³à±à°³à°¨à± మారà±à°šà±à°•à±‹à°‚à°¡à°¿" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "ఖాతా" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "à°…à°¨à±à°¸à°‚ధానాలà±" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "à°…à°¨à±à°¸à°‚ధానించà±" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "చందాలà±" -#: lib/action.php:460 +#: lib/action.php:449 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "నిరà±à°µà°¾à°¹à°•à±à°²à±" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "à°ˆ ఫారానà±à°¨à°¿ ఉపయోగించి మీ à°¸à±à°¨à±‡à°¹à°¿à°¤à±à°²à°¨à± మరియౠసహోదà±à°¯à±‹à°—à±à°²à°¨à± à°ˆ సేవనౠవినియోగించà±à°•à±‹à°®à°¨à°¿ ఆహà±à°µà°¾à°¨à°¿à°‚à°šà°‚à°¡à°¿." -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "ఆహà±à°µà°¾à°¨à°¿à°‚à°šà±" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 #, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "సైటౠనà±à°‚à°¡à°¿ నిషà±à°•à±à°°à°®à°¿à°‚à°šà±" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "నిషà±à°•à±à°°à°®à°¿à°‚à°šà±" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "కొతà±à°¤ ఖాతా సృషà±à°Ÿà°¿à°‚à°šà±" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "నమోదà±" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "సైటà±à°²à±‹à°¨à°¿ à°ªà±à°°à°µà±‡à°¶à°¿à°‚à°šà±" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "à°ªà±à°°à°µà±‡à°¶à°¿à°‚à°šà°‚à°¡à°¿" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "సహాయం కావాలి!" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "సహాయం" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 #, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "మరినà±à°¨à°¿ à°—à±à°‚à°ªà±à°²à°•à±ˆ వెతà±à°•à±" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "వెతà±à°•à±" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "సైటౠగమనిక" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "à°¸à±à°¥à°¾à°¨à°¿à°• వీకà±à°·à°£à°²à±" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "పేజీ గమనిక" -#: lib/action.php:758 +#: lib/action.php:747 #, fuzzy msgid "Secondary site navigation" msgstr "చందాలà±" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "సహాయం" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "à°—à±à°°à°¿à°‚à°šà°¿" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "à°ªà±à°°à°¶à±à°¨à°²à±" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "సేవా నియమాలà±" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "అంతరంగికత" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "మూలమà±" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "సంపà±à°°à°¦à°¿à°‚à°šà±" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "బాడà±à°œà°¿" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "à°¸à±à°Ÿà±‡à°Ÿà°¸à±â€Œà°¨à±†à°Ÿà± మృదూపకరణ లైసెనà±à°¸à±" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4667,12 +4751,12 @@ msgstr "" "**%%site.name%%** అనేది [%%site.broughtby%%](%%site.broughtbyurl%%) వారౠ" "అందిసà±à°¤à±à°¨à±à°¨ మైకà±à°°à±‹ à°¬à±à°²à°¾à°—ింగౠసదà±à°ªà°¾à°¯à°‚. " -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** అనేది మైకà±à°°à±‹ à°¬à±à°²à°¾à°—ింగౠసదà±à°ªà°¾à°¯à°‚." -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4683,54 +4767,54 @@ msgstr "" "html) à°•à°¿à°‚à°¦ లభà±à°¯à°®à°¯à±à°¯à±‡ [à°¸à±à°Ÿà±‡à°Ÿà°¸à±‌నెటà±](http://status.net/) మైకà±à°°à±‹à°¬à±à°²à°¾à°—ింగౠఉపకరణం సంచిక %s " "పై నడà±à°¸à±à°¤à±à°‚ది." -#: lib/action.php:832 +#: lib/action.php:821 #, fuzzy msgid "Site content license" msgstr "కొతà±à°¤ సందేశం" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "à°…à°¨à±à°¨à±€ " -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "" -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "పేజీకరణ" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "తరà±à°µà°¾à°¤" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "ఇంతకà±à°°à°¿à°¤à°‚" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4745,93 +4829,83 @@ msgid "Changes to that panel are not allowed." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 msgid "Basic site configuration" msgstr "à°ªà±à°°à°¾à°¥à°®à°¿à°• సైటౠసà±à°µà°°à±‚పణం" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "సైటà±" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "రూపకలà±à°ªà°¨ à°¸à±à°µà°°à±‚పణం" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "రూపà±à°°à±‡à°–à°²à±" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 msgid "User configuration" msgstr "వాడà±à°•à°°à°¿ à°¸à±à°µà°°à±‚పణం" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "వాడà±à°•à°°à°¿" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 #, fuzzy msgid "Access configuration" msgstr "SMS నిరà±à°§à°¾à°°à°£" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "అంగీకరించà±" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 #, fuzzy msgid "Paths configuration" msgstr "SMS నిరà±à°§à°¾à°°à°£" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -msgctxt "MENU" -msgid "Paths" -msgstr "" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 #, fuzzy msgid "Sessions configuration" msgstr "రూపకలà±à°ªà°¨ à°¸à±à°µà°°à±‚పణం" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "సంచిక" +msgid "Edit site notice" +msgstr "సైటౠగమనిక" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "SMS నిరà±à°§à°¾à°°à°£" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5327,6 +5401,11 @@ msgstr "" msgid "Go" msgstr "వెళà±à°³à±" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 #, fuzzy msgid "URL of the homepage or blog of the group or topic" @@ -5884,10 +5963,6 @@ msgstr "à°¸à±à°ªà°‚దనలà±" msgid "Favorites" msgstr "ఇషà±à°Ÿà°¾à°‚శాలà±" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "వాడà±à°•à°°à°¿" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "వచà±à°šà°¿à°¨à°µà°¿" @@ -5913,7 +5988,7 @@ msgstr "" msgid "Unknown" msgstr "" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "చందాలà±" @@ -5921,23 +5996,23 @@ msgstr "చందాలà±" msgid "All subscriptions" msgstr "à°…à°¨à±à°¨à°¿ చందాలà±" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "చందాదారà±à°²à±" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "అందరౠచందాదారà±à°²à±" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "వాడà±à°•à°°à°¿ ID" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "సభà±à°¯à±à°²à±ˆà°¨ తేదీ" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "à°…à°¨à±à°¨à°¿ à°—à±à°‚à°ªà±à°²à±" @@ -5978,7 +6053,12 @@ msgstr "à°ˆ నోటీసà±à°¨à°¿ à°ªà±à°¨à°°à°¾à°µà±ƒà°¤à°¿à°‚చాలా? msgid "Repeat this notice" msgstr "à°ˆ నోటీసà±à°¨à°¿ à°ªà±à°¨à°°à°¾à°µà±ƒà°¤à°¿à°‚à°šà±" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "à°ˆ à°—à±à°‚à°ªà±à°¨à±à°‚à°¡à°¿ à°ˆ వాడà±à°•à°°à°¿à°¨à°¿ నిరోధించà±" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -6138,47 +6218,63 @@ msgstr "సందేశం" msgid "Moderate" msgstr "" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "వాడà±à°•à°°à°¿ à°ªà±à°°à±Šà°«à±ˆà°²à±" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "నిరà±à°µà°¾à°¹à°•à±à°²à±" + +#: lib/userprofile.php:355 +msgctxt "role" +msgid "Moderator" +msgstr "" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "కొనà±à°¨à°¿ à°•à±à°·à°£à°¾à°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "à°“ నిమిషం à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "%d నిమిషాల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "à°’à°• à°—à°‚à°Ÿ à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "%d à°—à°‚à°Ÿà°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "à°“ రోజౠకà±à°°à°¿à°¤à°‚" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "%d రోజà±à°² à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "à°“ నెల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "%d నెలల à°•à±à°°à°¿à°¤à°‚" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "à°’à°• సంవతà±à°¸à°°à°‚ à°•à±à°°à°¿à°¤à°‚" diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index 71aaa6813..8051f448b 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -9,19 +9,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:03:53+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:57:26+0000\n" "Language-Team: Turkish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 #, fuzzy msgid "Access" msgstr "Kabul et" @@ -124,7 +125,7 @@ msgstr "%s ve arkadaÅŸları" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -179,7 +180,7 @@ msgid "" msgstr "" #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 #, fuzzy msgid "You and friends" msgstr "%s ve arkadaÅŸları" @@ -207,11 +208,11 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "Onay kodu bulunamadı." @@ -583,7 +584,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 #, fuzzy msgid "Account" msgstr "Hakkında" @@ -676,18 +677,6 @@ msgstr "%1$s'in %2$s'deki durum mesajları " msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s adli kullanicinin durum mesajlari" -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "" - #: actions/apitimelinementions.php:117 #, fuzzy, php-format msgid "%1$s / Updates mentioning %2$s" @@ -698,12 +687,12 @@ msgstr "%1$s'in %2$s'deki durum mesajları " msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "" @@ -959,7 +948,7 @@ msgid "Conversation" msgstr "Yer" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Durum mesajları" @@ -981,7 +970,7 @@ msgstr "Bize o profili yollamadınız" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "" @@ -1185,8 +1174,9 @@ msgstr "" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1311,7 +1301,7 @@ msgstr "Hakkında bölümü çok uzun (azm 140 karakter)." msgid "Could not update group." msgstr "Kullanıcı güncellenemedi." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 #, fuzzy msgid "Could not create aliases." msgstr "Avatar bilgisi kaydedilemedi" @@ -1435,7 +1425,7 @@ msgid "Cannot normalize that email address" msgstr "" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "Geçersiz bir eposta adresi." @@ -1628,6 +1618,25 @@ msgstr "Böyle bir durum mesajı yok." msgid "Cannot read file." msgstr "Böyle bir durum mesajı yok." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Geçersiz büyüklük." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "Bize o profili yollamadınız" + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "Kullanıcının profili yok." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1779,12 +1788,18 @@ msgstr "" msgid "Make this user an admin" msgstr "" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "" + #: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "%s adli kullanicinin durum mesajlari" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "" @@ -2371,8 +2386,8 @@ msgstr "BaÄŸlan" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "" @@ -2520,7 +2535,8 @@ msgstr "Yeni parola kaydedilemedi." msgid "Password saved." msgstr "Parola kaydedildi." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "" @@ -2645,7 +2661,7 @@ msgstr "" msgid "SSL" msgstr "" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 #, fuzzy msgid "Never" msgstr "Geri al" @@ -2705,11 +2721,11 @@ msgstr "Geçersiz bir eposta adresi." msgid "Users self-tagged with %1$s - page %2$d" msgstr "%s adli kullanicinin durum mesajlari" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "Geçersiz durum mesajı" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2792,7 +2808,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "" @@ -2818,7 +2834,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Hakkında bölümü çok uzun (azm 140 karakter)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "" @@ -3125,7 +3141,7 @@ msgid "Same as password above. Required." msgstr "" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Eposta" @@ -3214,7 +3230,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "Abone ol" @@ -3316,6 +3332,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "%s için cevaplar" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "Bize o profili yollamadınız" + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "Kullanıcının profili yok." + #: actions/rsd.php:146 actions/version.php:157 #, fuzzy msgid "StatusNet" @@ -3331,7 +3357,9 @@ msgstr "Bize o profili yollamadınız" msgid "User is already sandboxed." msgstr "Kullanıcının profili yok." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "" @@ -3355,7 +3383,7 @@ msgstr "" msgid "Turn on debugging output for sessions." msgstr "" -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" @@ -3391,8 +3419,8 @@ msgstr "Yer" msgid "Description" msgstr "Abonelikler" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "Ä°statistikler" @@ -3526,47 +3554,47 @@ msgstr "" msgid "Group actions" msgstr "" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "%s için durum RSS beslemesi" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "%s için durum RSS beslemesi" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "%s için durum RSS beslemesi" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "%s için durum RSS beslemesi" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 #, fuzzy msgid "Members" msgstr "Ãœyelik baÅŸlangıcı" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 #, fuzzy msgid "Created" msgstr "Yarat" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3576,7 +3604,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3585,7 +3613,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "" @@ -3697,149 +3725,137 @@ msgid "User is already silenced." msgstr "Kullanıcının profili yok." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +msgid "Basic settings for this StatusNet site" msgstr "" -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 #, fuzzy msgid "You must have a valid contact email address." msgstr "Geçersiz bir eposta adresi." -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "" #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 #, fuzzy msgid "Site name" msgstr "Yeni durum mesajı" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 #, fuzzy msgid "Contact email address for your site" msgstr "Kullanıcı için kaydedilmiÅŸ eposta adresi yok." -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 #, fuzzy msgid "Local" msgstr "Yer" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:281 -msgid "Default site language" -msgstr "" - -#: actions/siteadminpanel.php:289 -msgid "Snapshots" +#: actions/siteadminpanel.php:262 +msgid "Default language" msgstr "" -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" +#: actions/siteadminpanel.php:271 +msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" +#: actions/siteadminpanel.php:274 +msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" +#: actions/siteadminpanel.php:274 +msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:301 -msgid "Frequency" +#: actions/siteadminpanel.php:278 +msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" +#: actions/siteadminpanel.php:278 +msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Yeni durum mesajı" -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" +#: actions/sitenoticeadminpanel.php:67 +msgid "Edit site-wide message" msgstr "" -#: actions/siteadminpanel.php:315 -msgid "Limits" -msgstr "" +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: actions/siteadminpanel.php:318 -msgid "Text limit" +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" msgstr "" -#: actions/siteadminpanel.php:318 -msgid "Maximum number of characters for notices." -msgstr "" +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Yeni durum mesajı" -#: actions/siteadminpanel.php:322 -msgid "Dupe limit" +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" msgstr "" -#: actions/siteadminpanel.php:322 -msgid "How long users must wait (in seconds) to post the same thing again." -msgstr "" +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Yeni durum mesajı" #: actions/smssettings.php:58 #, fuzzy @@ -3936,6 +3952,66 @@ msgstr "" msgid "No code entered" msgstr "" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "Abonelikler" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Ayarlar" + #: actions/subedit.php:70 #, fuzzy msgid "You are not subscribed to that profile." @@ -4144,7 +4220,7 @@ msgstr "Yetkilendirme isteÄŸi yok!" msgid "Unsubscribed" msgstr "AboneliÄŸi sonlandır" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4344,16 +4420,22 @@ msgstr "Bütün abonelikler" msgid "Search for more groups" msgstr "" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, fuzzy, php-format msgid "%s is not a member of any group." msgstr "Bize o profili yollamadınız" -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "" + #: actions/version.php:73 #, fuzzy, php-format msgid "StatusNet %s" @@ -4397,7 +4479,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 #, fuzzy msgid "Version" msgstr "KiÅŸisel" @@ -4465,41 +4547,41 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:239 +#: classes/Notice.php:241 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:243 +#: classes/Notice.php:245 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:911 +#: classes/Notice.php:927 #, fuzzy msgid "Problem saving group inbox." msgstr "Durum mesajını kaydederken hata oluÅŸtu." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4527,7 +4609,12 @@ msgstr "Bu kullanıcıyı zaten takip etmiyorsunuz!" msgid "Couldn't delete self-subscription." msgstr "Abonelik silinemedi." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Abonelik silinemedi." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Abonelik silinemedi." @@ -4536,22 +4623,22 @@ msgstr "Abonelik silinemedi." msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:462 +#: classes/User_group.php:477 #, fuzzy msgid "Could not create group." msgstr "Avatar bilgisi kaydedilemedi" -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "Abonelik oluÅŸturulamadı." -#: classes/User_group.php:492 +#: classes/User_group.php:507 #, fuzzy msgid "Could not set group membership." msgstr "Abonelik oluÅŸturulamadı." -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "Abonelik oluÅŸturulamadı." @@ -4595,192 +4682,186 @@ msgstr "%1$s'in %2$s'deki durum mesajları " msgid "Untitled page" msgstr "" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "KiÅŸisel" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Parolayı deÄŸiÅŸtir" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "Hakkında" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Sunucuya yönlendirme yapılamadı: %s" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "BaÄŸlan" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Abonelikler" -#: lib/action.php:460 +#: lib/action.php:449 msgctxt "MENU" msgid "Admin" msgstr "" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Geçersiz büyüklük." #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Çıkış" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "Yeni hesap oluÅŸtur" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "Kayıt" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "GiriÅŸ" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Yardım" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "Yardım" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "Ara" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 #, fuzzy msgid "Site notice" msgstr "Yeni durum mesajı" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "" -#: lib/action.php:656 +#: lib/action.php:645 #, fuzzy msgid "Page notice" msgstr "Yeni durum mesajı" -#: lib/action.php:758 +#: lib/action.php:747 #, fuzzy msgid "Secondary site navigation" msgstr "Abonelikler" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Yardım" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "Hakkında" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "SSS" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "Gizlilik" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "Kaynak" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Ä°letiÅŸim" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4789,12 +4870,12 @@ msgstr "" "**%%site.name%%** [%%site.broughtby%%](%%site.broughtbyurl%%)\" tarafından " "hazırlanan anında mesajlaÅŸma ağıdır. " -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** bir aninda mesajlaÅŸma sosyal ağıdır." -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4805,56 +4886,56 @@ msgstr "" "licenses/agpl-3.0.html) lisansı ile korunan [StatusNet](http://status.net/) " "microbloglama yazılımının %s. versiyonunu kullanmaktadır." -#: lib/action.php:832 +#: lib/action.php:821 #, fuzzy msgid "Site content license" msgstr "Yeni durum mesajı" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "" -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "" -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "" -#: lib/action.php:1172 +#: lib/action.php:1161 #, fuzzy msgid "After" msgstr "« Sonra" -#: lib/action.php:1180 +#: lib/action.php:1169 #, fuzzy msgid "Before" msgstr "Önce »" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4869,95 +4950,86 @@ msgid "Changes to that panel are not allowed." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Basic site configuration" msgstr "Eposta adresi onayı" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "Yeni durum mesajı" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 #, fuzzy msgid "Design configuration" msgstr "Eposta adresi onayı" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "KiÅŸisel" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 #, fuzzy msgid "User configuration" msgstr "Eposta adresi onayı" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 #, fuzzy msgid "Access configuration" msgstr "Eposta adresi onayı" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "Kabul et" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 #, fuzzy msgid "Paths configuration" msgstr "Eposta adresi onayı" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -msgctxt "MENU" -msgid "Paths" -msgstr "" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 #, fuzzy msgid "Sessions configuration" msgstr "Eposta adresi onayı" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "KiÅŸisel" +msgid "Edit site notice" +msgstr "Yeni durum mesajı" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "Eposta adresi onayı" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5461,6 +5533,11 @@ msgstr "" msgid "Go" msgstr "" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 #, fuzzy msgid "URL of the homepage or blog of the group or topic" @@ -6013,10 +6090,6 @@ msgstr "Cevaplar" msgid "Favorites" msgstr "" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" @@ -6042,7 +6115,7 @@ msgstr "" msgid "Unknown" msgstr "" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "Abonelikler" @@ -6050,24 +6123,24 @@ msgstr "Abonelikler" msgid "All subscriptions" msgstr "Bütün abonelikler" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "Abone olanlar" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 #, fuzzy msgid "All subscribers" msgstr "Abone olanlar" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "Ãœyelik baÅŸlangıcı" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "" @@ -6111,7 +6184,12 @@ msgstr "Böyle bir durum mesajı yok." msgid "Repeat this notice" msgstr "Böyle bir durum mesajı yok." -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "Böyle bir kullanıcı yok." + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -6274,47 +6352,62 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "Kullanıcının profili yok." + +#: lib/userprofile.php:354 +msgctxt "role" +msgid "Administrator" +msgstr "" + +#: lib/userprofile.php:355 +msgctxt "role" +msgid "Moderator" +msgstr "" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "birkaç saniye önce" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "yaklaşık bir dakika önce" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "yaklaşık %d dakika önce" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "yaklaşık bir saat önce" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "yaklaşık %d saat önce" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "yaklaşık bir gün önce" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "yaklaşık %d gün önce" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "yaklaşık bir ay önce" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "yaklaşık %d ay önce" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "yaklaşık bir yıl önce" diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index fd168ba50..08f93f255 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:03:56+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:57:28+0000\n" "Language-Team: Ukrainian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: out-statusnet\n" @@ -23,7 +23,8 @@ msgstr "" "10< =4 && (n%100<10 or n%100>=20) ? 1 : 2);\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 msgid "Access" msgstr "ПогодитиÑÑŒ" @@ -46,7 +47,6 @@ msgstr "" #. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -#, fuzzy msgctxt "LABEL" msgid "Private" msgstr "Приватно" @@ -77,7 +77,6 @@ msgid "Save access settings" msgstr "Зберегти параметри доÑтупу" #: actions/accessadminpanel.php:203 -#, fuzzy msgctxt "BUTTON" msgid "Save" msgstr "Зберегти" @@ -122,7 +121,7 @@ msgstr "%1$s та друзі, Ñторінка %2$d" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -183,7 +182,7 @@ msgstr "" "«розштовхати» %s або щоÑÑŒ йому напиÑати." #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 msgid "You and friends" msgstr "Ви з друзÑми" @@ -210,11 +209,11 @@ msgstr "ÐžÐ½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð²Ñ–Ð´ %1$s та друзів на %2$s!" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 msgid "API method not found." msgstr "API метод не знайдено." @@ -579,7 +578,7 @@ msgstr "" "на доÑтуп до Вашого акаунту %4$s лише тим Ñтороннім додаткам, Ñким Ви " "довірÑєте." -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "Ðкаунт" @@ -668,18 +667,6 @@ msgstr "%1$s / Обрані від %2$s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%1$s Ð¾Ð½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð¾Ð±Ñ€Ð°Ð½Ð¸Ñ… від %2$s / %2$s." -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "%s Ñтрічка" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "ÐžÐ½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð²Ñ–Ð´ %1$s на %2$s!" - #: actions/apitimelinementions.php:117 #, php-format msgid "%1$s / Updates mentioning %2$s" @@ -690,12 +677,12 @@ msgstr "%1$s / Оновленні відповіді %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "%1$s оновив цю відповідь на Ð´Ð¾Ð¿Ð¸Ñ Ð²Ñ–Ð´ %2$s / %3$s." -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s загальна Ñтрічка" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s Ð¾Ð½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð²Ñ–Ð´ уÑÑ–Ñ…!" @@ -941,7 +928,7 @@ msgid "Conversation" msgstr "Розмова" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "ДопиÑи" @@ -960,7 +947,7 @@ msgstr "Ви не Ñ” влаÑником цього додатку." #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "Виникли певні проблеми з токеном поточної ÑеÑÑ–Ñ—." @@ -1154,8 +1141,9 @@ msgstr "ПовернутиÑÑŒ до початкових налаштувань" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1271,7 +1259,7 @@ msgstr "Ð¾Ð¿Ð¸Ñ Ð½Ð°Ð´Ñ‚Ð¾ довгий (%d знаків макÑимум)." msgid "Could not update group." msgstr "Ðе вдалоÑÑ Ð¾Ð½Ð¾Ð²Ð¸Ñ‚Ð¸ групу." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 msgid "Could not create aliases." msgstr "Ðеможна призначити додаткові імена." @@ -1393,7 +1381,7 @@ msgid "Cannot normalize that email address" msgstr "Ðе можна полагодити цю поштову адреÑу" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "Це недійÑна електронна адреÑа." @@ -1584,6 +1572,25 @@ msgstr "Такого файлу немає." msgid "Cannot read file." msgstr "Ðе можу прочитати файл." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Ðевірний токен." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "Ви не можете нікого ізолювати на цьому Ñайті." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "КориÑтувачу наразі заклеїли рота Ñкотчем." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1731,12 +1738,18 @@ msgstr "Зробити адміном" msgid "Make this user an admin" msgstr "Ðадати цьому кориÑтувачеві права адмініÑтратора" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "%s Ñтрічка" + #: actions/grouprss.php:140 #, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "ÐžÐ½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ñ‡Ð»ÐµÐ½Ñ–Ð² %1$s на %2$s!" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "Групи" @@ -1999,7 +2012,6 @@ msgstr "Можна додати перÑональне Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ #. TRANS: Send button for inviting friends #: actions/invite.php:198 -#, fuzzy msgctxt "BUTTON" msgid "Send" msgstr "ÐадіÑлати" @@ -2361,8 +2373,8 @@ msgstr "тип зміÑту " msgid "Only " msgstr "Лише " -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "Такий формат даних не підтримуєтьÑÑ." @@ -2503,7 +2515,8 @@ msgstr "Ðеможна зберегти новий пароль." msgid "Password saved." msgstr "Пароль збережено." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "ШлÑÑ…" @@ -2623,7 +2636,7 @@ msgstr "Ð”Ð¸Ñ€ÐµÐºÑ‚Ð¾Ñ€Ñ–Ñ Ñ„Ð¾Ð½Ñ–Ð²" msgid "SSL" msgstr "SSL-шифруваннÑ" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "Ðіколи" @@ -2679,11 +2692,11 @@ msgstr "Це недійÑний оÑобиÑтий теґ: %s" msgid "Users self-tagged with %1$s - page %2$d" msgstr "КориÑтувачі з оÑобиÑтим теґом %1$s — Ñторінка %2$d" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "ÐедійÑний зміÑÑ‚ допиÑу" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "Ð›Ñ–Ñ†ÐµÐ½Ð·Ñ–Ñ Ð´Ð¾Ð¿Ð¸Ñу «%1$s» Ñ” неÑуміÑною з ліцензією Ñайту «%2$s»." @@ -2763,7 +2776,7 @@ msgstr "" "Позначте Ñебе теґами (літери, цифри, -, . та _), відокремлюючи кожен комою " "або пробілом" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "Мова" @@ -2790,7 +2803,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "Ви перевищили ліміт (%d знаків макÑимум)." -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "ЧаÑовий поÑÑ Ð½Ðµ обрано." @@ -3111,7 +3124,7 @@ msgid "Same as password above. Required." msgstr "Такий Ñамо, Ñк Ñ– пароль вище. Ðеодмінно." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Пошта" @@ -3216,7 +3229,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL-адреÑа Вашого профілю на іншому ÑуміÑному ÑервіÑÑ–" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "ПідпиÑатиÑÑŒ" @@ -3319,6 +3332,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "Відповіді до %1$s на %2$s!" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "Ви не можете позбавлÑти кориÑтувачів права голоÑу на цьому Ñайті." + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "КориÑтувач без відповідного профілю." + #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" msgstr "StatusNet" @@ -3331,7 +3354,9 @@ msgstr "Ви не можете нікого ізолювати на цьому msgid "User is already sandboxed." msgstr "КориÑтувача ізольовано доки наберетьÑÑ ÑƒÐ¼Ñƒ-розуму." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "СеÑÑ–Ñ—" @@ -3355,7 +3380,7 @@ msgstr "СеÑÑ–Ñ Ð½Ð°Ð»Ð°Ð´ÐºÐ¸" msgid "Turn on debugging output for sessions." msgstr "Виводити дані ÑеÑÑ–Ñ— наладки." -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 msgid "Save site settings" msgstr "Зберегти Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ñайту" @@ -3386,8 +3411,8 @@ msgstr "ОрганізаціÑ" msgid "Description" msgstr "ОпиÑ" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "СтатиÑтика" @@ -3529,45 +3554,45 @@ msgstr "Додаткові імена" msgid "Group actions" msgstr "ДіÑльніÑÑ‚ÑŒ групи" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Стрічка допиÑів групи %s (RSS 1.0)" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Стрічка допиÑів групи %s (RSS 2.0)" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "Стрічка допиÑів групи %s (Atom)" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "FOAF Ð´Ð»Ñ Ð³Ñ€ÑƒÐ¿Ð¸ %s" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "УчаÑники" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(ПуÑто)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "Ð’ÑÑ– учаÑники" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 msgid "Created" msgstr "Створено" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3582,7 +3607,7 @@ msgstr "" "короткі допиÑи про Ñвоє Ð¶Ð¸Ñ‚Ñ‚Ñ Ñ‚Ð° інтереÑи. [ПриєднуйтеÑÑŒ](%%action.register%" "%) зараз Ñ– долучітьÑÑ Ð´Ð¾ ÑпілкуваннÑ! ([ДізнатиÑÑ Ð±Ñ–Ð»ÑŒÑˆÐµ](%%doc.help%%))" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3595,7 +3620,7 @@ msgstr "" "забезпеченні [StatusNet](http://status.net/). Члени цієї групи роблÑÑ‚ÑŒ " "короткі допиÑи про Ñвоє Ð¶Ð¸Ñ‚Ñ‚Ñ Ñ‚Ð° інтереÑи. " -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "Ðдміни" @@ -3717,150 +3742,141 @@ msgid "User is already silenced." msgstr "КориÑтувачу наразі заклеїли рота Ñкотчем." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +#, fuzzy +msgid "Basic settings for this StatusNet site" msgstr "Загальні Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ñ†ÑŒÐ¾Ð³Ð¾ Ñайту StatusNet." -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "Ð†Ð¼â€™Ñ Ñайту не може бути порожнім." -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 msgid "You must have a valid contact email address." msgstr "Електронна адреÑа має бути чинною." -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "Ðевідома мова «%s»." #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "Помилковий Ñнепшот URL." - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "Помилкове Ð·Ð½Ð°Ñ‡ÐµÐ½Ð½Ñ Ñнепшоту." - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "ЧаÑтота Ð¿Ð¾Ð²Ñ‚Ð¾Ñ€ÐµÐ½Ð½Ñ Ñнепшотів має міÑтити цифру." - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "Ліміт текÑтових повідомлень Ñтановить 140 знаків." -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" "ЧаÑове Ð¾Ð±Ð¼ÐµÐ¶ÐµÐ½Ð½Ñ Ð¿Ñ€Ð¸ надÑиланні дублікату Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ð¼Ð°Ñ” Ñтановити від 1 Ñ– " "більше Ñекунд." -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "ОÑновні" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 msgid "Site name" msgstr "Ðазва Ñайту" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "Ðазва Вашого Ñайту, штибу \"Мікроблоґи компанії ...\"" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "Ðадано" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "ТекÑÑ‚ викориÑтаний Ð´Ð»Ñ Ð¿Ð¾Ñілань кредитів унизу кожної Ñторінки" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "Ðаданий URL" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "URL викориÑтаний Ð´Ð»Ñ Ð¿Ð¾Ñілань кредитів унизу кожної Ñторінки" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 msgid "Contact email address for your site" msgstr "Контактна електронна адреÑа Ð´Ð»Ñ Ð’Ð°ÑˆÐ¾Ð³Ð¾ Ñайту" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 msgid "Local" msgstr "Локаль" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "ЧаÑовий поÑÑ Ð·Ð° замовчуваннÑм" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "ЧаÑовий поÑÑ Ð·Ð° замовчуваннÑм Ð´Ð»Ñ Ñайту; зазвичай UTC." -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +#, fuzzy +msgid "Default language" msgstr "Мова Ñайту за замовчуваннÑм" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "Снепшоти" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" -msgstr "Випадково під Ñ‡Ð°Ñ Ð²ÐµÐ±-хіта" - -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" -msgstr "Згідно плану робіт" - -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" -msgstr "Снепшоти даних" - -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" -msgstr "Коли надÑилати ÑтатиÑтичні дані до Ñерверів status.net" - -#: actions/siteadminpanel.php:301 -msgid "Frequency" -msgstr "ЧаÑтота" - -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" -msgstr "Снепшоти надÑилатимутьÑÑ Ñ€Ð°Ð· на N веб-хітів" - -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "Ð—Ð²Ñ–Ñ‚Ð½Ñ URL-адреÑа" - -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "Снепшоти надÑилатимутьÑÑ Ð½Ð° цю URL-адреÑу" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" +msgstr "" -#: actions/siteadminpanel.php:315 +#: actions/siteadminpanel.php:271 msgid "Limits" msgstr "ОбмеженнÑ" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Text limit" msgstr "ТекÑтові обмеженнÑ" -#: actions/siteadminpanel.php:318 +#: actions/siteadminpanel.php:274 msgid "Maximum number of characters for notices." msgstr "МакÑимальна кількіÑÑ‚ÑŒ знаків у допиÑÑ–." -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "Dupe limit" msgstr "ЧаÑове обмеженнÑ" -#: actions/siteadminpanel.php:322 +#: actions/siteadminpanel.php:278 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" "Як довго кориÑтувачі мають зачекати (в Ñекундах) аби надіÑлати той Ñамий " "Ð´Ð¾Ð¿Ð¸Ñ Ñ‰Ðµ раз." +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Ð—Ð°ÑƒÐ²Ð°Ð¶ÐµÐ½Ð½Ñ Ñайту" + +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "Ðове повідомленнÑ" + +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Ðе маю можливоÑÑ‚Ñ– зберегти Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ð´Ð¸Ð·Ð°Ð¹Ð½Ñƒ." + +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" +msgstr "" + +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Ð—Ð°ÑƒÐ²Ð°Ð¶ÐµÐ½Ð½Ñ Ñайту" + +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" +msgstr "" + +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Ð—Ð°ÑƒÐ²Ð°Ð¶ÐµÐ½Ð½Ñ Ñайту" + #: actions/smssettings.php:58 msgid "SMS settings" msgstr "ÐÐ°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ð¡ÐœÐ¡" @@ -3960,6 +3976,66 @@ msgstr "" msgid "No code entered" msgstr "Код не введено" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "Снепшоти" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "Змінити конфігурацію Ñайту" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "Помилкове Ð·Ð½Ð°Ñ‡ÐµÐ½Ð½Ñ Ñнепшоту." + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "ЧаÑтота Ð¿Ð¾Ð²Ñ‚Ð¾Ñ€ÐµÐ½Ð½Ñ Ñнепшотів має міÑтити цифру." + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "Помилковий Ñнепшот URL." + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "Випадково під Ñ‡Ð°Ñ Ð²ÐµÐ±-хіта" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "Згідно плану робіт" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "Снепшоти даних" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "Коли надÑилати ÑтатиÑтичні дані до Ñерверів status.net" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "ЧаÑтота" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "Снепшоти надÑилатимутьÑÑ Ñ€Ð°Ð· на N веб-хітів" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "Ð—Ð²Ñ–Ñ‚Ð½Ñ URL-адреÑа" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "Снепшоти надÑилатимутьÑÑ Ð½Ð° цю URL-адреÑу" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Зберегти Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ñайту" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "Ви не підпиÑані до цього профілю." @@ -4167,7 +4243,7 @@ msgstr "У запиті відÑутній ID профілю." msgid "Unsubscribed" msgstr "ВідпиÑано" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4175,7 +4251,6 @@ msgstr "Ð›Ñ–Ñ†ÐµÐ½Ð·Ñ–Ñ Â«%1$s» не відповідає ліцензії Ñ #. TRANS: User admin panel title #: actions/useradminpanel.php:59 -#, fuzzy msgctxt "TITLE" msgid "User" msgstr "КориÑтувач" @@ -4370,17 +4445,23 @@ msgstr "Групи %1$s, Ñторінка %2$d" msgid "Search for more groups" msgstr "Шукати групи ще" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "%s не Ñ” учаÑником жодної групи." -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" "Спробуйте [знайти ÑкіÑÑŒ групи](%%action.groupsearch%%) Ñ– приєднайтеÑÑ Ð´Ð¾ них." +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "ÐžÐ½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð²Ñ–Ð´ %1$s на %2$s!" + #: actions/version.php:73 #, php-format msgid "StatusNet %s" @@ -4436,7 +4517,7 @@ msgstr "" msgid "Plugins" msgstr "Додатки" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 msgid "Version" msgstr "ВерÑÑ–Ñ" @@ -4501,22 +4582,22 @@ msgstr "Ðе можна оновити Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ð· новим UR msgid "DB error inserting hashtag: %s" msgstr "Помилка бази даних при додаванні теґу: %s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 msgid "Problem saving notice. Too long." msgstr "Проблема при збереженні допиÑу. Ðадто довге." -#: classes/Notice.php:243 +#: classes/Notice.php:245 msgid "Problem saving notice. Unknown user." msgstr "Проблема при збереженні допиÑу. Ðевідомий кориÑтувач." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" "Дуже багато допиÑів за короткий термін; ходіть подихайте повітрÑм Ñ– " "повертайтеÑÑŒ за кілька хвилин." -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4524,19 +4605,19 @@ msgstr "" "Дуже багато повідомлень за короткий термін; ходіть подихайте повітрÑм Ñ– " "повертайтеÑÑŒ за кілька хвилин." -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "Вам заборонено надÑилати допиÑи до цього Ñайту." -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "Проблема при збереженні допиÑу." -#: classes/Notice.php:911 +#: classes/Notice.php:927 msgid "Problem saving group inbox." msgstr "Проблема при збереженні вхідних допиÑів Ð´Ð»Ñ Ð³Ñ€ÑƒÐ¿Ð¸." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "RT @%1$s %2$s" @@ -4561,7 +4642,12 @@ msgstr "Ðе підпиÑано!" msgid "Couldn't delete self-subscription." msgstr "Ðе можу видалити ÑамопідпиÑку." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Ðе вдалоÑÑ Ð²Ð¸Ð´Ð°Ð»Ð¸Ñ‚Ð¸ підпиÑку." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Ðе вдалоÑÑ Ð²Ð¸Ð´Ð°Ð»Ð¸Ñ‚Ð¸ підпиÑку." @@ -4570,19 +4656,19 @@ msgstr "Ðе вдалоÑÑ Ð²Ð¸Ð´Ð°Ð»Ð¸Ñ‚Ð¸ підпиÑку." msgid "Welcome to %1$s, @%2$s!" msgstr "Вітаємо на %1$s, @%2$s!" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "Ðе вдалоÑÑ Ñтворити нову групу." -#: classes/User_group.php:471 +#: classes/User_group.php:486 msgid "Could not set group URI." msgstr "Ðе вдалоÑÑ Ð²Ñтановити URI групи." -#: classes/User_group.php:492 +#: classes/User_group.php:507 msgid "Could not set group membership." msgstr "Ðе вдалоÑÑ Ð²Ñтановити членÑтво." -#: classes/User_group.php:506 +#: classes/User_group.php:521 msgid "Could not save local group info." msgstr "Ðе вдалоÑÑ Ð·Ð±ÐµÑ€ÐµÐ³Ñ‚Ð¸ інформацію про локальну групу." @@ -4623,194 +4709,171 @@ msgstr "%1$s — %2$s" msgid "Untitled page" msgstr "Сторінка без заголовку" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "Відправна Ð½Ð°Ð²Ñ–Ð³Ð°Ñ†Ñ–Ñ Ð¿Ð¾ Ñайту" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 -#, fuzzy +#: lib/action.php:430 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "ПерÑональний профіль Ñ– Ñтрічка друзів" -#: lib/action.php:442 -#, fuzzy +#: lib/action.php:433 msgctxt "MENU" msgid "Personal" msgstr "ОÑобиÑте" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 -#, fuzzy +#: lib/action.php:435 msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Змінити електронну адреÑу, аватару, пароль, профіль" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "Ðкаунт" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 -#, fuzzy +#: lib/action.php:440 msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Ð—â€™Ñ”Ð´Ð½Ð°Ð½Ð½Ñ Ð· ÑервіÑами" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "З’єднаннÑ" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 -#, fuzzy +#: lib/action.php:446 msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Змінити конфігурацію Ñайту" -#: lib/action.php:460 -#, fuzzy +#: lib/action.php:449 msgctxt "MENU" msgid "Admin" msgstr "Ðдмін" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 -#, fuzzy, php-format +#: lib/action.php:453 +#, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "ЗапроÑÑ–Ñ‚ÑŒ друзів та колег приєднатиÑÑŒ до Ð’Ð°Ñ Ð½Ð° %s" -#: lib/action.php:467 -#, fuzzy +#: lib/action.php:456 msgctxt "MENU" msgid "Invite" msgstr "ЗапроÑити" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 -#, fuzzy +#: lib/action.php:462 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Вийти з Ñайту" -#: lib/action.php:476 -#, fuzzy +#: lib/action.php:465 msgctxt "MENU" msgid "Logout" msgstr "Вийти" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 -#, fuzzy +#: lib/action.php:470 msgctxt "TOOLTIP" msgid "Create an account" msgstr "Створити новий акаунт" -#: lib/action.php:484 -#, fuzzy +#: lib/action.php:473 msgctxt "MENU" msgid "Register" msgstr "РеєÑтраціÑ" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 -#, fuzzy +#: lib/action.php:476 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Увійти на Ñайт" -#: lib/action.php:490 -#, fuzzy +#: lib/action.php:479 msgctxt "MENU" msgid "Login" msgstr "Увійти" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 -#, fuzzy +#: lib/action.php:482 msgctxt "TOOLTIP" msgid "Help me!" msgstr "Допоможіть!" -#: lib/action.php:496 -#, fuzzy +#: lib/action.php:485 msgctxt "MENU" msgid "Help" -msgstr "Допомога" +msgstr "Довідка" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 -#, fuzzy +#: lib/action.php:488 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Пошук людей або текÑтів" -#: lib/action.php:502 -#, fuzzy +#: lib/action.php:491 msgctxt "MENU" msgid "Search" msgstr "Пошук" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 msgid "Site notice" msgstr "Ð—Ð°ÑƒÐ²Ð°Ð¶ÐµÐ½Ð½Ñ Ñайту" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "ОглÑд" -#: lib/action.php:656 +#: lib/action.php:645 msgid "Page notice" msgstr "Ð—Ð°ÑƒÐ²Ð°Ð¶ÐµÐ½Ð½Ñ Ñторінки" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "ДругорÑдна Ð½Ð°Ð²Ñ–Ð³Ð°Ñ†Ñ–Ñ Ð¿Ð¾ Ñайту" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "Допомога" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "Про" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "ЧаПи" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "Умови" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "КонфіденційніÑÑ‚ÑŒ" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "Джерело" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Контакт" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "Бедж" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "Ð›Ñ–Ñ†ÐµÐ½Ð·Ñ–Ñ Ð¿Ñ€Ð¾Ð³Ñ€Ð°Ð¼Ð½Ð¾Ð³Ð¾ Ð·Ð°Ð±ÐµÐ·Ð¿ÐµÑ‡ÐµÐ½Ð½Ñ StatusNet" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4819,12 +4882,12 @@ msgstr "" "**%%site.name%%** — це ÑÐµÑ€Ð²Ñ–Ñ Ð¼Ñ–ÐºÑ€Ð¾Ð±Ð»Ð¾Ò‘Ñ–Ð² наданий вам [%%site.broughtby%%](%%" "site.broughtbyurl%%). " -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** — це ÑÐµÑ€Ð²Ñ–Ñ Ð¼Ñ–ÐºÑ€Ð¾Ð±Ð»Ð¾Ò‘Ñ–Ð². " -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4835,54 +4898,54 @@ msgstr "" "Ð´Ð»Ñ Ð¼Ñ–ÐºÑ€Ð¾Ð±Ð»Ð¾Ò‘Ñ–Ð², верÑÑ–Ñ %s, доÑтупному під [GNU Affero General Public " "License](http://www.fsf.org/licensing/licenses/agpl-3.0.html)." -#: lib/action.php:832 +#: lib/action.php:821 msgid "Site content license" msgstr "Ð›Ñ–Ñ†ÐµÐ½Ð·Ñ–Ñ Ð·Ð¼Ñ–Ñту Ñайту" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "ЗміÑÑ‚ Ñ– дані %1$s Ñ” приватними Ñ– конфіденційними." -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "ÐвторÑькі права на зміÑÑ‚ Ñ– дані належать %1$s. Ð’ÑÑ– права захищено." -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" "ÐвторÑькі права на зміÑÑ‚ Ñ– дані належать розробникам. Ð’ÑÑ– права захищено." -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "Ð’ÑÑ– " -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "ліцензіÑ." -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "ÐÑƒÐ¼ÐµÑ€Ð°Ñ†Ñ–Ñ Ñторінок" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "Вперед" -#: lib/action.php:1180 +#: lib/action.php:1169 msgid "Before" msgstr "Ðазад" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "Поки що не можу обробити віддалений контент." -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "Поки що не можу обробити вбудований XML контент." -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "Поки що не можу обробити вбудований контент Base64." @@ -4897,91 +4960,78 @@ msgid "Changes to that panel are not allowed." msgstr "Ð”Ð»Ñ Ñ†Ñ–Ñ”Ñ— панелі зміни не припуÑтимі." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "showForm() не виконано." #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "saveSettings() не виконано." #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "Ðемає можливоÑÑ‚Ñ– видалити Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ð´Ð¸Ð·Ð°Ð¹Ð½Ñƒ." #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 msgid "Basic site configuration" msgstr "ОÑновна ÐºÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ Ñайту" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 -#, fuzzy +#: lib/adminpanelaction.php:350 msgctxt "MENU" msgid "Site" msgstr "Сайт" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 msgid "Design configuration" msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ Ð´Ð¸Ð·Ð°Ð¹Ð½Ñƒ" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 -#, fuzzy +#: lib/adminpanelaction.php:358 msgctxt "MENU" msgid "Design" msgstr "Дизайн" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 msgid "User configuration" msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÐºÐ¾Ñ€Ð¸Ñтувача" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "КориÑтувач" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 msgid "Access configuration" msgstr "ПрийнÑти конфігурацію" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "ПогодитиÑÑŒ" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 msgid "Paths configuration" msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÑˆÐ»Ñху" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -#, fuzzy -msgctxt "MENU" -msgid "Paths" -msgstr "ШлÑÑ…" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 msgid "Sessions configuration" msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÑеÑій" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "СеÑÑ–Ñ—" +msgid "Edit site notice" +msgstr "Ð—Ð°ÑƒÐ²Ð°Ð¶ÐµÐ½Ð½Ñ Ñайту" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÑˆÐ»Ñху" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5510,6 +5560,11 @@ msgstr "Оберіть теґ до звуженого ÑпиÑку" msgid "Go" msgstr "Вперед" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "URL-адреÑа веб-Ñторінки, блоґу групи, або тематичного блоґу" @@ -6125,10 +6180,6 @@ msgstr "Відповіді" msgid "Favorites" msgstr "Обрані" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "КориÑтувач" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Вхідні" @@ -6154,7 +6205,7 @@ msgstr "Теґи у допиÑах %s" msgid "Unknown" msgstr "Ðевідомо" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "ПідпиÑки" @@ -6162,23 +6213,23 @@ msgstr "ПідпиÑки" msgid "All subscriptions" msgstr "Ð’ÑÑ– підпиÑки" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "ПідпиÑчики" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 msgid "All subscribers" msgstr "Ð’ÑÑ– підпиÑчики" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "ІД" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "З нами від" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "Ð’ÑÑ– групи" @@ -6218,7 +6269,12 @@ msgstr "Повторити цей допиÑ?" msgid "Repeat this notice" msgstr "Вторувати цьому допиÑу" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "Блокувати кориÑтувача цієї групи" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "КориÑтувача Ð´Ð»Ñ Ð¾Ð´Ð½Ð¾ÐºÐ¾Ñ€Ð¸Ñтувацького режиму не визначено." @@ -6372,47 +6428,64 @@ msgstr "ПовідомленнÑ" msgid "Moderate" msgstr "Модерувати" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "Профіль кориÑтувача." + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "Ðдміни" + +#: lib/userprofile.php:355 +#, fuzzy +msgctxt "role" +msgid "Moderator" +msgstr "Модерувати" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "мить тому" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "хвилину тому" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "близько %d хвилин тому" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "годину тому" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "близько %d годин тому" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "день тому" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "близько %d днів тому" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "міÑÑць тому" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "близько %d міÑÑців тому" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "рік тому" diff --git a/locale/vi/LC_MESSAGES/statusnet.po b/locale/vi/LC_MESSAGES/statusnet.po index d64fae91d..2a3c0ceeb 100644 --- a/locale/vi/LC_MESSAGES/statusnet.po +++ b/locale/vi/LC_MESSAGES/statusnet.po @@ -7,19 +7,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:03:59+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:57:31+0000\n" "Language-Team: Vietnamese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: vi\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 #, fuzzy msgid "Access" msgstr "Chấp nhận" @@ -123,7 +124,7 @@ msgstr "%s và bạn bè" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -178,7 +179,7 @@ msgid "" msgstr "" #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 #, fuzzy msgid "You and friends" msgstr "%s và bạn bè" @@ -206,11 +207,11 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "PhÆ°Æ¡ng thức API không tìm thấy!" @@ -585,7 +586,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 #, fuzzy msgid "Account" msgstr "Giá»›i thiệu" @@ -677,18 +678,6 @@ msgstr "Tìm kiếm các tin nhắn Æ°a thích của %s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "Tất cả các cập nhật của %s" -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, fuzzy, php-format -msgid "%s timeline" -msgstr "Dòng tin nhắn của %s" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "" - #: actions/apitimelinementions.php:117 #, fuzzy, php-format msgid "%1$s / Updates mentioning %2$s" @@ -699,12 +688,12 @@ msgstr "%1$s / Các cập nhật Ä‘ang trả lá»i tá»›i %2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, fuzzy, php-format msgid "%s public timeline" msgstr "Dòng tin công cá»™ng" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "%s cập nhật từ tất cả má»i ngÆ°á»i!" @@ -963,7 +952,7 @@ msgid "Conversation" msgstr "Không có mã số xác nhận." #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "Tin nhắn" @@ -985,7 +974,7 @@ msgstr "Bạn chÆ°a cập nhật thông tin riêng" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 #, fuzzy msgid "There was a problem with your session token." msgstr "Có lá»—i xảy ra khi thao tác. Hãy thá»­ lại lần nữa." @@ -1197,8 +1186,9 @@ msgstr "" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1330,7 +1320,7 @@ msgstr "Lý lịch quá dài (không quá 140 ký tá»±)" msgid "Could not update group." msgstr "Không thể cập nhật thành viên." -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 #, fuzzy msgid "Could not create aliases." msgstr "Không thể tạo favorite." @@ -1461,7 +1451,7 @@ msgid "Cannot normalize that email address" msgstr "Không thể bình thÆ°á»ng hóa địa chỉ GTalk này" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "Äịa chỉ email không hợp lệ." @@ -1667,6 +1657,25 @@ msgstr "Không có tin nhắn nào." msgid "Cannot read file." msgstr "Không có tin nhắn nào." +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Kích thÆ°á»›c không hợp lệ." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "Bạn đã theo những ngÆ°á»i này:" + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "NgÆ°á»i dùng không có thông tin." + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1824,12 +1833,18 @@ msgstr "" msgid "Make this user an admin" msgstr "Kênh mà bạn tham gia" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, fuzzy, php-format +msgid "%s timeline" +msgstr "Dòng tin nhắn của %s" + #: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "Dòng tin nhắn cho %s" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 #, fuzzy msgid "Groups" @@ -2460,8 +2475,8 @@ msgstr "Kết nối" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "Không há»— trợ định dạng dữ liệu này." @@ -2613,7 +2628,8 @@ msgstr "Không thể lÆ°u mật khẩu má»›i" msgid "Password saved." msgstr "Äã lÆ°u mật khẩu." -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "" @@ -2745,7 +2761,7 @@ msgstr "Background Theme:" msgid "SSL" msgstr "SMS" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 #, fuzzy msgid "Never" msgstr "Khôi phục" @@ -2804,11 +2820,11 @@ msgstr "Äịa chỉ email không hợp lệ." msgid "Users self-tagged with %1$s - page %2$d" msgstr "Dòng tin nhắn cho %s" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "Ná»™i dung tin nhắn không hợp lệ" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2888,7 +2904,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "Ngôn ngữ" @@ -2914,7 +2930,7 @@ msgstr "Tá»± Ä‘á»™ng theo những ngÆ°á»i nào đăng ký theo tôi" msgid "Bio is too long (max %d chars)." msgstr "Lý lịch quá dài (không quá 140 ký tá»±)" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "" @@ -3228,7 +3244,7 @@ msgid "Same as password above. Required." msgstr "Cùng mật khẩu ở trên. Bắt buá»™c." #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "Email" @@ -3332,7 +3348,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "URL trong hồ sÆ¡ cá nhân của bạn ở trên các trang microblogging khác" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "Theo bạn này" @@ -3435,6 +3451,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "%s chào mừng bạn " +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "Bạn đã theo những ngÆ°á»i này:" + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "Hồ sÆ¡ ở nÆ¡i khác không khá»›p vá»›i hồ sÆ¡ này của bạn" + #: actions/rsd.php:146 actions/version.php:157 #, fuzzy msgid "StatusNet" @@ -3450,7 +3476,9 @@ msgstr "Bạn đã theo những ngÆ°á»i này:" msgid "User is already sandboxed." msgstr "NgÆ°á»i dùng không có thông tin." +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "" @@ -3474,7 +3502,7 @@ msgstr "" msgid "Turn on debugging output for sessions." msgstr "" -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" @@ -3510,8 +3538,8 @@ msgstr "ThÆ° má»i đã gá»­i" msgid "Description" msgstr "Mô tả" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "Số liệu thống kê" @@ -3647,47 +3675,47 @@ msgstr "" msgid "Group actions" msgstr "Mã nhóm" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "Dòng tin nhắn cho %s" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "Dòng tin nhắn cho %s" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "Dòng tin nhắn cho %s" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "Há»™p thÆ° Ä‘i của %s" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 msgid "Members" msgstr "Thành viên" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 #, fuzzy msgid "All members" msgstr "Thành viên" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 #, fuzzy msgid "Created" msgstr "Tạo" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3697,7 +3725,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3706,7 +3734,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "" @@ -3820,150 +3848,139 @@ msgid "User is already silenced." msgstr "NgÆ°á»i dùng không có thông tin." #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +msgid "Basic settings for this StatusNet site" msgstr "" -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 #, fuzzy msgid "You must have a valid contact email address." msgstr "Äịa chỉ email không hợp lệ." -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "" #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 #, fuzzy msgid "Site name" msgstr "Thông báo má»›i" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 #, fuzzy msgid "Contact email address for your site" msgstr "Dia chi email moi de gui tin nhan den %s" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 #, fuzzy msgid "Local" msgstr "Thành phố" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:281 +#: actions/siteadminpanel.php:262 #, fuzzy -msgid "Default site language" +msgid "Default language" msgstr "Ngôn ngữ bạn thích" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" +#: actions/siteadminpanel.php:271 +msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" +#: actions/siteadminpanel.php:274 +msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" +#: actions/siteadminpanel.php:274 +msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:301 -msgid "Frequency" +#: actions/siteadminpanel.php:278 +msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" +#: actions/siteadminpanel.php:278 +msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Thông báo má»›i" -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "Tin má»›i nhất" -#: actions/siteadminpanel.php:315 -msgid "Limits" -msgstr "" +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Không thể lÆ°u thông tin Twitter của bạn!" -#: actions/siteadminpanel.php:318 -msgid "Text limit" +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" msgstr "" -#: actions/siteadminpanel.php:318 -msgid "Maximum number of characters for notices." -msgstr "" +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Thông báo má»›i" -#: actions/siteadminpanel.php:322 -msgid "Dupe limit" +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" msgstr "" -#: actions/siteadminpanel.php:322 -msgid "How long users must wait (in seconds) to post the same thing again." -msgstr "" +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Thông báo má»›i" #: actions/smssettings.php:58 #, fuzzy @@ -4075,6 +4092,66 @@ msgstr "" msgid "No code entered" msgstr "Không có mã nào được nhập" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "Tôi theo" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Thay đổi hình đại diện" + #: actions/subedit.php:70 #, fuzzy msgid "You are not subscribed to that profile." @@ -4284,7 +4361,7 @@ msgstr "Không có URL cho hồ sÆ¡ để quay vá»." msgid "Unsubscribed" msgstr "Hết theo" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4493,16 +4570,22 @@ msgstr "Thành viên" msgid "Search for more groups" msgstr "" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, fuzzy, php-format msgid "%s is not a member of any group." msgstr "Bạn chÆ°a cập nhật thông tin riêng" -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "" + #: actions/version.php:73 #, fuzzy, php-format msgid "StatusNet %s" @@ -4546,7 +4629,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 #, fuzzy msgid "Version" msgstr "Cá nhân" @@ -4617,41 +4700,41 @@ msgstr "Không thể cập nhật thông tin user vá»›i địa chỉ email đã msgid "DB error inserting hashtag: %s" msgstr "Lá»—i cÆ¡ sở dữ liệu khi chèn trả lá»i: %s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 #, fuzzy msgid "Problem saving notice. Too long." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:243 +#: classes/Notice.php:245 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:911 +#: classes/Notice.php:927 #, fuzzy msgid "Problem saving group inbox." msgstr "Có lá»—i xảy ra khi lÆ°u tin nhắn." -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%s (%s)" @@ -4679,7 +4762,12 @@ msgstr "ChÆ°a đăng nhận!" msgid "Couldn't delete self-subscription." msgstr "Không thể xóa đăng nhận." -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Không thể xóa đăng nhận." + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "Không thể xóa đăng nhận." @@ -4688,22 +4776,22 @@ msgstr "Không thể xóa đăng nhận." msgid "Welcome to %1$s, @%2$s!" msgstr "%s chào mừng bạn " -#: classes/User_group.php:462 +#: classes/User_group.php:477 #, fuzzy msgid "Could not create group." msgstr "Không thể tạo favorite." -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "Không thể tạo đăng nhận." -#: classes/User_group.php:492 +#: classes/User_group.php:507 #, fuzzy msgid "Could not set group membership." msgstr "Không thể tạo đăng nhận." -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "Không thể tạo đăng nhận." @@ -4748,62 +4836,55 @@ msgstr "%s (%s)" msgid "Untitled page" msgstr "" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Cá nhân" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Thay đổi mật khẩu của bạn" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "Giá»›i thiệu" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Không thể chuyển đến máy chủ: %s" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "Kết nối" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Tôi theo" -#: lib/action.php:460 +#: lib/action.php:449 msgctxt "MENU" msgid "Admin" msgstr "" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" @@ -4811,132 +4892,133 @@ msgstr "" "Äiá»n địa chỉ email và ná»™i dung tin nhắn để gá»­i thÆ° má»i bạn bè và đồng nghiệp " "của bạn tham gia vào dịch vụ này." -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "ThÆ° má»i" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Thoát" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "Tạo tài khoản má»›i" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "Äăng ký" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "Äăng nhập" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "HÆ°á»›ng dẫn" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "HÆ°á»›ng dẫn" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "Tìm kiếm" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 #, fuzzy msgid "Site notice" msgstr "Thông báo má»›i" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "" -#: lib/action.php:656 +#: lib/action.php:645 #, fuzzy msgid "Page notice" msgstr "Thông báo má»›i" -#: lib/action.php:758 +#: lib/action.php:747 #, fuzzy msgid "Secondary site navigation" msgstr "Tôi theo" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "HÆ°á»›ng dẫn" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "Giá»›i thiệu" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "FAQ" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "Riêng tÆ°" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "Nguồn" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "Liên hệ" -#: lib/action.php:782 +#: lib/action.php:771 #, fuzzy msgid "Badge" msgstr "Tin đã gá»­i" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4945,12 +5027,12 @@ msgstr "" "**%%site.name%%** là dịch vụ gá»­i tin nhắn được cung cấp từ [%%site.broughtby%" "%](%%site.broughtbyurl%%). " -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** là dịch vụ gá»­i tin nhắn. " -#: lib/action.php:817 +#: lib/action.php:806 #, fuzzy, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4961,56 +5043,56 @@ msgstr "" "quyá»n [GNU Affero General Public License](http://www.fsf.org/licensing/" "licenses/agpl-3.0.html)." -#: lib/action.php:832 +#: lib/action.php:821 #, fuzzy msgid "Site content license" msgstr "Tìm theo ná»™i dung của tin nhắn" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "" -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "" -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "" -#: lib/action.php:1172 +#: lib/action.php:1161 #, fuzzy msgid "After" msgstr "Sau" -#: lib/action.php:1180 +#: lib/action.php:1169 #, fuzzy msgid "Before" msgstr "TrÆ°á»›c" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -5027,96 +5109,87 @@ msgid "Changes to that panel are not allowed." msgstr "Biệt hiệu không được cho phép." #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 #, fuzzy msgid "Unable to delete design setting." msgstr "Không thể lÆ°u thông tin Twitter của bạn!" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Basic site configuration" msgstr "Xac nhan dia chi email" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "ThÆ° má»i" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 #, fuzzy msgid "Design configuration" msgstr "Xác nhận SMS" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "Cá nhân" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 #, fuzzy msgid "User configuration" msgstr "Xác nhận SMS" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 #, fuzzy msgid "Access configuration" msgstr "Xác nhận SMS" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "Chấp nhận" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 #, fuzzy msgid "Paths configuration" msgstr "Xác nhận SMS" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -msgctxt "MENU" -msgid "Paths" -msgstr "" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 #, fuzzy msgid "Sessions configuration" msgstr "Xác nhận SMS" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "Cá nhân" +msgid "Edit site notice" +msgstr "Thông báo má»›i" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "Xác nhận SMS" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5630,6 +5703,11 @@ msgstr "" msgid "Go" msgstr "" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 #, fuzzy msgid "URL of the homepage or blog of the group or topic" @@ -6241,10 +6319,6 @@ msgstr "Trả lá»i" msgid "Favorites" msgstr "Ưa thích" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "Há»™p thÆ° đến" @@ -6271,7 +6345,7 @@ msgstr "cảnh báo tin nhắn" msgid "Unknown" msgstr "Không tìm thấy action" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "Tôi theo bạn này" @@ -6279,24 +6353,24 @@ msgstr "Tôi theo bạn này" msgid "All subscriptions" msgstr "Tất cả đăng nhận" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "Bạn này theo tôi" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 #, fuzzy msgid "All subscribers" msgstr "Bạn này theo tôi" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "Gia nhập từ" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 #, fuzzy msgid "All groups" msgstr "Nhóm" @@ -6343,7 +6417,12 @@ msgstr "Trả lá»i tin nhắn này" msgid "Repeat this notice" msgstr "Trả lá»i tin nhắn này" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "Ban user" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -6515,47 +6594,62 @@ msgstr "Tin má»›i nhất" msgid "Moderate" msgstr "" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "Hồ sÆ¡" + +#: lib/userprofile.php:354 +msgctxt "role" +msgid "Administrator" +msgstr "" + +#: lib/userprofile.php:355 +msgctxt "role" +msgid "Moderator" +msgstr "" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "vài giây trÆ°á»›c" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "1 phút trÆ°á»›c" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "%d phút trÆ°á»›c" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "1 giá» trÆ°á»›c" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "%d giá» trÆ°á»›c" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "1 ngày trÆ°á»›c" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "%d ngày trÆ°á»›c" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "1 tháng trÆ°á»›c" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "%d tháng trÆ°á»›c" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "1 năm trÆ°á»›c" diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index 45fdfe6dc..5b2dae110 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -10,19 +10,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:04:02+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:57:34+0000\n" "Language-Team: Simplified Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 #, fuzzy msgid "Access" msgstr "接å—" @@ -125,7 +126,7 @@ msgstr "%s åŠå¥½å‹" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -180,7 +181,7 @@ msgid "" msgstr "" #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 #, fuzzy msgid "You and friends" msgstr "%s åŠå¥½å‹" @@ -208,11 +209,11 @@ msgstr "æ¥è‡ª%2$s 上 %1$s 和好å‹çš„æ›´æ–°ï¼" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "API 方法未实现ï¼" @@ -583,7 +584,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 msgid "Account" msgstr "å¸å·" @@ -675,18 +676,6 @@ msgstr "%s çš„æ”¶è— / %s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "%s 收è—了 %s çš„ %s 通告。" -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "%s 时间表" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "%2$s 上 %1$s çš„æ›´æ–°ï¼" - #: actions/apitimelinementions.php:117 #, fuzzy, php-format msgid "%1$s / Updates mentioning %2$s" @@ -697,12 +686,12 @@ msgstr "%1$s / å›žå¤ %2$s 的消æ¯" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "å›žå¤ %2$s / %3$s çš„ %1$s 更新。" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "%s 公众时间表" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "æ¥è‡ªæ‰€æœ‰äººçš„ %s 消æ¯ï¼" @@ -959,7 +948,7 @@ msgid "Conversation" msgstr "确认ç " #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "通告" @@ -981,7 +970,7 @@ msgstr "您未告知此个人信æ¯" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 #, fuzzy msgid "There was a problem with your session token." msgstr "会è¯æ ‡è¯†æœ‰é—®é¢˜ï¼Œè¯·é‡è¯•ã€‚" @@ -1189,8 +1178,9 @@ msgstr "" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1318,7 +1308,7 @@ msgstr "æ述过长(ä¸èƒ½è¶…过140字符)。" msgid "Could not update group." msgstr "无法更新组" -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 #, fuzzy msgid "Could not create aliases." msgstr "无法创建收è—。" @@ -1444,7 +1434,7 @@ msgid "Cannot normalize that email address" msgstr "无法识别此电å­é‚®ä»¶" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "ä¸æ˜¯æœ‰æ•ˆçš„电å­é‚®ä»¶ã€‚" @@ -1643,6 +1633,25 @@ msgstr "没有这份通告。" msgid "Cannot read file." msgstr "没有这份通告。" +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "大å°ä¸æ­£ç¡®ã€‚" + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "无法å‘此用户å‘é€æ¶ˆæ¯ã€‚" + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "用户没有个人信æ¯ã€‚" + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1801,12 +1810,18 @@ msgstr "admin管ç†å‘˜" msgid "Make this user an admin" msgstr "" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "%s 时间表" + #: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "%2$s 上 %1$s çš„æ›´æ–°ï¼" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "组" @@ -2410,8 +2425,8 @@ msgstr "连接" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "ä¸æ”¯æŒçš„æ•°æ®æ ¼å¼ã€‚" @@ -2560,7 +2575,8 @@ msgstr "无法ä¿å­˜æ–°å¯†ç ã€‚" msgid "Password saved." msgstr "密ç å·²ä¿å­˜ã€‚" -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "" @@ -2688,7 +2704,7 @@ msgstr "" msgid "SSL" msgstr "SMS短信" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 #, fuzzy msgid "Never" msgstr "æ¢å¤" @@ -2747,11 +2763,11 @@ msgstr "ä¸æ˜¯æœ‰æ•ˆçš„电å­é‚®ä»¶" msgid "Users self-tagged with %1$s - page %2$d" msgstr "用户自加标签 %s - 第 %d 页" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "通告内容ä¸æ­£ç¡®" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2829,7 +2845,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "你的标签 (å­—æ¯letters, æ•°å­—numbers, -, ., å’Œ _), 以逗å·æˆ–空格分隔" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "语言" @@ -2855,7 +2871,7 @@ msgstr "自动订阅任何订阅我的更新的人(这个选项最适åˆæœºå™¨ msgid "Bio is too long (max %d chars)." msgstr "自述过长(ä¸èƒ½è¶…过140字符)。" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "未选择时区。" @@ -3163,7 +3179,7 @@ msgid "Same as password above. Required." msgstr "相åŒçš„密ç ã€‚此项必填。" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "电å­é‚®ä»¶" @@ -3264,7 +3280,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "您在其他兼容的微åšå®¢æœåŠ¡çš„个人信æ¯URL" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "订阅" @@ -3369,6 +3385,16 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "å‘é€ç»™ %1$s çš„ %2$s 消æ¯" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "无法å‘此用户å‘é€æ¶ˆæ¯ã€‚" + +#: actions/revokerole.php:82 +#, fuzzy +msgid "User doesn't have this role." +msgstr "找ä¸åˆ°åŒ¹é…的用户。" + #: actions/rsd.php:146 actions/version.php:157 #, fuzzy msgid "StatusNet" @@ -3384,7 +3410,9 @@ msgstr "无法å‘此用户å‘é€æ¶ˆæ¯ã€‚" msgid "User is already sandboxed." msgstr "用户没有个人信æ¯ã€‚" +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "" @@ -3408,7 +3436,7 @@ msgstr "" msgid "Turn on debugging output for sessions." msgstr "" -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" @@ -3445,8 +3473,8 @@ msgstr "分页" msgid "Description" msgstr "æè¿°" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "统计" @@ -3581,47 +3609,47 @@ msgstr "" msgid "Group actions" msgstr "组动作" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "%s 的通告èšåˆ" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, fuzzy, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "%s 的通告èšåˆ" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, fuzzy, php-format msgid "Notice feed for %s group (Atom)" msgstr "%s 的通告èšåˆ" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, php-format msgid "FOAF for %s group" msgstr "%s çš„å‘件箱" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 #, fuzzy msgid "Members" msgstr "注册于" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "(没有)" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "所有æˆå‘˜" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 #, fuzzy msgid "Created" msgstr "创建" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3631,7 +3659,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, fuzzy, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3642,7 +3670,7 @@ msgstr "" "**%s** 是一个 %%%%site.name%%%% 的用户组,一个微åšå®¢æœåŠ¡ [micro-blogging]" "(http://en.wikipedia.org/wiki/Micro-blogging)" -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 #, fuzzy msgid "Admins" msgstr "admin管ç†å‘˜" @@ -3758,150 +3786,139 @@ msgid "User is already silenced." msgstr "用户没有个人信æ¯ã€‚" #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +msgid "Basic settings for this StatusNet site" msgstr "" -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 #, fuzzy msgid "You must have a valid contact email address." msgstr "ä¸æ˜¯æœ‰æ•ˆçš„电å­é‚®ä»¶" -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "" #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 #, fuzzy msgid "Site name" msgstr "新通告" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 #, fuzzy msgid "Contact email address for your site" msgstr "新的电å­é‚®ä»¶åœ°å€ï¼Œç”¨äºŽå‘布 %s ä¿¡æ¯" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 #, fuzzy msgid "Local" msgstr "本地显示" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:281 +#: actions/siteadminpanel.php:262 #, fuzzy -msgid "Default site language" +msgid "Default language" msgstr "首选语言" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" +#: actions/siteadminpanel.php:271 +msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" +#: actions/siteadminpanel.php:274 +msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" +#: actions/siteadminpanel.php:274 +msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:301 -msgid "Frequency" +#: actions/siteadminpanel.php:278 +msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" +#: actions/siteadminpanel.php:278 +msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "新通告" -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "新消æ¯" -#: actions/siteadminpanel.php:315 -msgid "Limits" -msgstr "" +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "无法ä¿å­˜ Twitter 设置ï¼" -#: actions/siteadminpanel.php:318 -msgid "Text limit" +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" msgstr "" -#: actions/siteadminpanel.php:318 -msgid "Maximum number of characters for notices." -msgstr "" +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "新通告" -#: actions/siteadminpanel.php:322 -msgid "Dupe limit" +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" msgstr "" -#: actions/siteadminpanel.php:322 -msgid "How long users must wait (in seconds) to post the same thing again." -msgstr "" +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "新通告" #: actions/smssettings.php:58 #, fuzzy @@ -4004,6 +4021,66 @@ msgstr "" msgid "No code entered" msgstr "没有输入验è¯ç " +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "主站导航" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "头åƒè®¾ç½®" + #: actions/subedit.php:70 #, fuzzy msgid "You are not subscribed to that profile." @@ -4214,7 +4291,7 @@ msgstr "æœåŠ¡å™¨æ²¡æœ‰è¿”回个人信æ¯URL。" msgid "Unsubscribed" msgstr "退订" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4421,16 +4498,22 @@ msgstr "%s 组æˆå‘˜, 第 %d 页" msgid "Search for more groups" msgstr "检索人或文字" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, fuzzy, php-format msgid "%s is not a member of any group." msgstr "您未告知此个人信æ¯" -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "%2$s 上 %1$s çš„æ›´æ–°ï¼" + #: actions/version.php:73 #, fuzzy, php-format msgid "StatusNet %s" @@ -4474,7 +4557,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 #, fuzzy msgid "Version" msgstr "个人" @@ -4543,42 +4626,42 @@ msgstr "无法添加新URIçš„ä¿¡æ¯ã€‚" msgid "DB error inserting hashtag: %s" msgstr "添加标签时数æ®åº“出错:%s" -#: classes/Notice.php:239 +#: classes/Notice.php:241 #, fuzzy msgid "Problem saving notice. Too long." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:243 +#: classes/Notice.php:245 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "你在短时间里å‘布了过多的消æ¯ï¼Œè¯·æ·±å‘¼å¸ï¼Œè¿‡å‡ åˆ†é’Ÿå†å‘消æ¯ã€‚" -#: classes/Notice.php:254 +#: classes/Notice.php:256 #, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "你在短时间里å‘布了过多的消æ¯ï¼Œè¯·æ·±å‘¼å¸ï¼Œè¿‡å‡ åˆ†é’Ÿå†å‘消æ¯ã€‚" -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "在这个网站你被ç¦æ­¢å‘布消æ¯ã€‚" -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:911 +#: classes/Notice.php:927 #, fuzzy msgid "Problem saving group inbox." msgstr "ä¿å­˜é€šå‘Šæ—¶å‡ºé”™ã€‚" -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, fuzzy, php-format msgid "RT @%1$s %2$s" msgstr "%1$s (%2$s)" @@ -4607,7 +4690,12 @@ msgstr "未订阅ï¼" msgid "Couldn't delete self-subscription." msgstr "无法删除订阅。" -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "无法删除订阅。" + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "无法删除订阅。" @@ -4616,21 +4704,21 @@ msgstr "无法删除订阅。" msgid "Welcome to %1$s, @%2$s!" msgstr "å‘é€ç»™ %1$s çš„ %2$s 消æ¯" -#: classes/User_group.php:462 +#: classes/User_group.php:477 msgid "Could not create group." msgstr "无法创建组。" -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "无法删除订阅。" -#: classes/User_group.php:492 +#: classes/User_group.php:507 #, fuzzy msgid "Could not set group membership." msgstr "无法删除订阅。" -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "无法删除订阅。" @@ -4673,198 +4761,192 @@ msgstr "%1$s (%2$s)" msgid "Untitled page" msgstr "无标题页" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "主站导航" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 #, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "个人资料åŠæœ‹å‹å¹´è¡¨" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "个人" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "修改资料" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "å¸å·" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "无法é‡å®šå‘到æœåŠ¡å™¨ï¼š%s" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "连接" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "主站导航" -#: lib/action.php:460 +#: lib/action.php:449 #, fuzzy msgctxt "MENU" msgid "Admin" msgstr "admin管ç†å‘˜" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, fuzzy, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "使用这个表å•æ¥é‚€è¯·å¥½å‹å’ŒåŒäº‹åŠ å…¥ã€‚" -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "邀请" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 #, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "登出本站" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "登出" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "创建新å¸å·" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "注册" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 #, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "登入本站" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "登录" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "帮助" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "帮助" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 #, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "检索人或文字" -#: lib/action.php:502 +#: lib/action.php:491 #, fuzzy msgctxt "MENU" msgid "Search" msgstr "æœç´¢" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 #, fuzzy msgid "Site notice" msgstr "新通告" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "本地显示" -#: lib/action.php:656 +#: lib/action.php:645 #, fuzzy msgid "Page notice" msgstr "新通告" -#: lib/action.php:758 +#: lib/action.php:747 #, fuzzy msgid "Secondary site navigation" msgstr "次项站导航" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "帮助" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "关于" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "常è§é—®é¢˜FAQ" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "éšç§" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "æ¥æº" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "è”系人" -#: lib/action.php:782 +#: lib/action.php:771 #, fuzzy msgid "Badge" msgstr "呼å«" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "StatusNet软件注册è¯" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4873,12 +4955,12 @@ msgstr "" "**%%site.name%%** 是一个微åšå®¢æœåŠ¡ï¼Œæ供者为 [%%site.broughtby%%](%%site." "broughtbyurl%%)。" -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%** 是一个微åšå®¢æœåŠ¡ã€‚" -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4889,56 +4971,56 @@ msgstr "" "General Public License](http://www.fsf.org/licensing/licenses/agpl-3.0.html)" "授æƒã€‚" -#: lib/action.php:832 +#: lib/action.php:821 #, fuzzy msgid "Site content license" msgstr "StatusNet软件注册è¯" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "全部" -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "注册è¯" -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "分页" -#: lib/action.php:1172 +#: lib/action.php:1161 #, fuzzy msgid "After" msgstr "« 之åŽ" -#: lib/action.php:1180 +#: lib/action.php:1169 #, fuzzy msgid "Before" msgstr "ä¹‹å‰ Â»" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4955,99 +5037,89 @@ msgid "Changes to that panel are not allowed." msgstr "ä¸å…许注册。" #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 #, fuzzy msgid "showForm() not implemented." msgstr "命令尚未实现。" #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 #, fuzzy msgid "saveSettings() not implemented." msgstr "命令尚未实现。" #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 #, fuzzy msgid "Unable to delete design setting." msgstr "无法ä¿å­˜ Twitter 设置ï¼" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Basic site configuration" msgstr "电å­é‚®ä»¶åœ°å€ç¡®è®¤" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "邀请" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 #, fuzzy msgid "Design configuration" msgstr "SMS短信确认" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "个人" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 #, fuzzy msgid "User configuration" msgstr "SMS短信确认" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -#, fuzzy -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "用户" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 #, fuzzy msgid "Access configuration" msgstr "SMS短信确认" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "接å—" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 #, fuzzy msgid "Paths configuration" msgstr "SMS短信确认" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -msgctxt "MENU" -msgid "Paths" -msgstr "" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 #, fuzzy msgid "Sessions configuration" msgstr "SMS短信确认" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "个人" +msgid "Edit site notice" +msgstr "新通告" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "SMS短信确认" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5551,6 +5623,11 @@ msgstr "选择标签缩å°æ¸…å•" msgid "Go" msgstr "执行" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 #, fuzzy msgid "URL of the homepage or blog of the group or topic" @@ -6114,10 +6191,6 @@ msgstr "回å¤" msgid "Favorites" msgstr "收è—夹" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "用户" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "收件箱" @@ -6144,7 +6217,7 @@ msgstr "%s's 的消æ¯çš„标签" msgid "Unknown" msgstr "未知动作" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "订阅" @@ -6152,25 +6225,25 @@ msgstr "订阅" msgid "All subscriptions" msgstr "所有订阅" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "订阅者" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 #, fuzzy msgid "All subscribers" msgstr "订阅者" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 #, fuzzy msgid "User ID" msgstr "用户" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "用户始于" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "所有组" @@ -6215,7 +6288,12 @@ msgstr "无法删除通告。" msgid "Repeat this notice" msgstr "无法删除通告。" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "该组æˆå‘˜åˆ—表。" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -6386,47 +6464,63 @@ msgstr "新消æ¯" msgid "Moderate" msgstr "" -#: lib/util.php:1013 +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "用户没有个人信æ¯ã€‚" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "admin管ç†å‘˜" + +#: lib/userprofile.php:355 +msgctxt "role" +msgid "Moderator" +msgstr "" + +#: lib/util.php:1015 msgid "a few seconds ago" msgstr "几秒å‰" -#: lib/util.php:1015 +#: lib/util.php:1017 msgid "about a minute ago" msgstr "一分钟å‰" -#: lib/util.php:1017 +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "%d 分钟å‰" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "一å°æ—¶å‰" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "%d å°æ—¶å‰" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "一天å‰" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "%d 天å‰" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "一个月å‰" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "%d 个月å‰" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "一年å‰" diff --git a/locale/zh_TW/LC_MESSAGES/statusnet.po b/locale/zh_TW/LC_MESSAGES/statusnet.po index 5cca450ca..e7314d5e6 100644 --- a/locale/zh_TW/LC_MESSAGES/statusnet.po +++ b/locale/zh_TW/LC_MESSAGES/statusnet.po @@ -7,19 +7,20 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-02 21:02+0000\n" -"PO-Revision-Date: 2010-03-02 21:04:05+0000\n" +"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"PO-Revision-Date: 2010-03-04 18:57:37+0000\n" "Language-Team: Traditional Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63186); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hant\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" #. TRANS: Page title -#: actions/accessadminpanel.php:55 +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 #, fuzzy msgid "Access" msgstr "接å—" @@ -120,7 +121,7 @@ msgstr "%s與好å‹" #. TRANS: Page title. %1$s is user nickname #. TRANS: H1 text. %1$s is user nickname -#: actions/all.php:89 actions/all.php:177 actions/allrss.php:115 +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 #: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 #: lib/personalgroupnav.php:100 #, php-format @@ -175,7 +176,7 @@ msgid "" msgstr "" #. TRANS: H1 text -#: actions/all.php:174 +#: actions/all.php:178 #, fuzzy msgid "You and friends" msgstr "%s與好å‹" @@ -203,11 +204,11 @@ msgstr "" #: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 #: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 #: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 -#: actions/apitimelinegroup.php:185 actions/apitimelinehome.php:184 -#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:152 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 #: actions/apitimelineretweetedtome.php:121 #: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 -#: actions/apitimelineuser.php:196 actions/apiusershow.php:101 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 #, fuzzy msgid "API method not found." msgstr "確èªç¢¼éºå¤±" @@ -574,7 +575,7 @@ msgid "" "give access to your %4$s account to third parties you trust." msgstr "" -#: actions/apioauthauthorize.php:310 +#: actions/apioauthauthorize.php:310 lib/action.php:438 #, fuzzy msgid "Account" msgstr "關於" @@ -665,18 +666,6 @@ msgstr "%1$s的狀態是%2$s" msgid "%1$s updates favorited by %2$s / %2$s." msgstr "&s的微型部è½æ ¼" -#: actions/apitimelinegroup.php:109 actions/apitimelineuser.php:118 -#: actions/grouprss.php:138 actions/userrss.php:90 -#, php-format -msgid "%s timeline" -msgstr "" - -#: actions/apitimelinegroup.php:112 actions/apitimelineuser.php:124 -#: actions/userrss.php:92 -#, php-format -msgid "Updates from %1$s on %2$s!" -msgstr "" - #: actions/apitimelinementions.php:117 #, fuzzy, php-format msgid "%1$s / Updates mentioning %2$s" @@ -687,12 +676,12 @@ msgstr "%1$s的狀態是%2$s" msgid "%1$s updates that reply to updates from %2$s / %3$s." msgstr "" -#: actions/apitimelinepublic.php:111 actions/publicrss.php:103 +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 #, php-format msgid "%s public timeline" msgstr "" -#: actions/apitimelinepublic.php:115 actions/publicrss.php:105 +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 #, php-format msgid "%s updates from everyone!" msgstr "" @@ -948,7 +937,7 @@ msgid "Conversation" msgstr "地點" #: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 -#: lib/profileaction.php:216 lib/searchgroupnav.php:82 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 msgid "Notices" msgstr "" @@ -970,7 +959,7 @@ msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 -#: lib/action.php:1228 +#: lib/action.php:1217 msgid "There was a problem with your session token." msgstr "" @@ -1172,8 +1161,9 @@ msgstr "" #: actions/designadminpanel.php:586 actions/emailsettings.php:195 #: actions/imsettings.php:163 actions/othersettings.php:126 #: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 -#: actions/smssettings.php:181 actions/subscriptions.php:208 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 #: actions/tagother.php:154 actions/useradminpanel.php:294 #: lib/applicationeditform.php:333 lib/applicationeditform.php:334 #: lib/designsettings.php:256 lib/groupeditform.php:202 @@ -1298,7 +1288,7 @@ msgstr "自我介紹éŽé•·(å…±140個字元)" msgid "Could not update group." msgstr "無法更新使用者" -#: actions/editgroup.php:264 classes/User_group.php:478 +#: actions/editgroup.php:264 classes/User_group.php:493 #, fuzzy msgid "Could not create aliases." msgstr "無法存å–個人圖åƒè³‡æ–™" @@ -1421,7 +1411,7 @@ msgid "Cannot normalize that email address" msgstr "" #: actions/emailsettings.php:331 actions/register.php:201 -#: actions/siteadminpanel.php:143 +#: actions/siteadminpanel.php:144 msgid "Not a valid email address." msgstr "此信箱無效" @@ -1613,6 +1603,24 @@ msgstr "無此通知" msgid "Cannot read file." msgstr "無此通知" +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "尺寸錯誤" + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" + +#: actions/grantrole.php:82 +msgid "User already has this role." +msgstr "" + #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 @@ -1760,12 +1768,18 @@ msgstr "" msgid "Make this user an admin" msgstr "" +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "" + #: actions/grouprss.php:140 #, fuzzy, php-format msgid "Updates from members of %1$s on %2$s!" msgstr "&s的微型部è½æ ¼" -#: actions/groups.php:62 lib/profileaction.php:210 lib/profileaction.php:230 +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 #: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 msgid "Groups" msgstr "" @@ -2328,8 +2342,8 @@ msgstr "連çµ" msgid "Only " msgstr "" -#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1040 -#: lib/apiaction.php:1068 lib/apiaction.php:1177 +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 msgid "Not a supported data format." msgstr "" @@ -2475,7 +2489,8 @@ msgstr "無法存å–新密碼" msgid "Password saved." msgstr "" -#: actions/pathsadminpanel.php:59 +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" msgstr "" @@ -2600,7 +2615,7 @@ msgstr "" msgid "SSL" msgstr "" -#: actions/pathsadminpanel.php:323 actions/siteadminpanel.php:294 +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 msgid "Never" msgstr "" @@ -2655,11 +2670,11 @@ msgstr "此信箱無效" msgid "Users self-tagged with %1$s - page %2$d" msgstr "&s的微型部è½æ ¼" -#: actions/postnotice.php:84 +#: actions/postnotice.php:95 msgid "Invalid notice content" msgstr "" -#: actions/postnotice.php:90 +#: actions/postnotice.php:101 #, php-format msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" @@ -2736,7 +2751,7 @@ msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -#: actions/profilesettings.php:151 actions/siteadminpanel.php:280 +#: actions/profilesettings.php:151 msgid "Language" msgstr "" @@ -2762,7 +2777,7 @@ msgstr "" msgid "Bio is too long (max %d chars)." msgstr "自我介紹éŽé•·(å…±140個字元)" -#: actions/profilesettings.php:235 actions/siteadminpanel.php:150 +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." msgstr "" @@ -3064,7 +3079,7 @@ msgid "Same as password above. Required." msgstr "" #: actions/register.php:438 actions/register.php:442 -#: actions/siteadminpanel.php:256 lib/accountsettingsaction.php:120 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 msgid "Email" msgstr "é›»å­ä¿¡ç®±" @@ -3149,7 +3164,7 @@ msgid "URL of your profile on another compatible microblogging service" msgstr "" #: actions/remotesubscribe.php:137 lib/subscribeform.php:139 -#: lib/userprofile.php:368 +#: lib/userprofile.php:394 msgid "Subscribe" msgstr "" @@ -3250,6 +3265,15 @@ msgstr "" msgid "Replies to %1$s on %2$s!" msgstr "&s的微型部è½æ ¼" +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" + +#: actions/revokerole.php:82 +msgid "User doesn't have this role." +msgstr "" + #: actions/rsd.php:146 actions/version.php:157 #, fuzzy msgid "StatusNet" @@ -3264,7 +3288,9 @@ msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" msgid "User is already sandboxed." msgstr "" +#. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 msgid "Sessions" msgstr "" @@ -3288,7 +3314,7 @@ msgstr "" msgid "Turn on debugging output for sessions." msgstr "" -#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:336 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 #, fuzzy msgid "Save site settings" @@ -3323,8 +3349,8 @@ msgstr "地點" msgid "Description" msgstr "所有訂閱" -#: actions/showapplication.php:192 actions/showgroup.php:437 -#: lib/profileaction.php:174 +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 msgid "Statistics" msgstr "" @@ -3457,47 +3483,47 @@ msgstr "" msgid "Group actions" msgstr "" -#: actions/showgroup.php:336 +#: actions/showgroup.php:337 #, php-format msgid "Notice feed for %s group (RSS 1.0)" msgstr "" -#: actions/showgroup.php:342 +#: actions/showgroup.php:343 #, php-format msgid "Notice feed for %s group (RSS 2.0)" msgstr "" -#: actions/showgroup.php:348 +#: actions/showgroup.php:349 #, php-format msgid "Notice feed for %s group (Atom)" msgstr "" -#: actions/showgroup.php:353 +#: actions/showgroup.php:354 #, fuzzy, php-format msgid "FOAF for %s group" msgstr "無此通知" -#: actions/showgroup.php:389 actions/showgroup.php:446 lib/groupnav.php:91 +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 #, fuzzy msgid "Members" msgstr "何時加入會員的呢?" -#: actions/showgroup.php:394 lib/profileaction.php:117 -#: lib/profileaction.php:148 lib/profileaction.php:236 lib/section.php:95 +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 #: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 msgid "(None)" msgstr "" -#: actions/showgroup.php:400 +#: actions/showgroup.php:401 msgid "All members" msgstr "" -#: actions/showgroup.php:440 +#: actions/showgroup.php:441 #, fuzzy msgid "Created" msgstr "新增" -#: actions/showgroup.php:456 +#: actions/showgroup.php:457 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3507,7 +3533,7 @@ msgid "" "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" -#: actions/showgroup.php:462 +#: actions/showgroup.php:463 #, php-format msgid "" "**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." @@ -3516,7 +3542,7 @@ msgid "" "their life and interests. " msgstr "" -#: actions/showgroup.php:490 +#: actions/showgroup.php:491 msgid "Admins" msgstr "" @@ -3627,149 +3653,137 @@ msgid "User is already silenced." msgstr "" #: actions/siteadminpanel.php:69 -msgid "Basic settings for this StatusNet site." +msgid "Basic settings for this StatusNet site" msgstr "" -#: actions/siteadminpanel.php:132 +#: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." msgstr "" -#: actions/siteadminpanel.php:140 +#: actions/siteadminpanel.php:141 #, fuzzy msgid "You must have a valid contact email address." msgstr "此信箱無效" -#: actions/siteadminpanel.php:158 +#: actions/siteadminpanel.php:159 #, php-format msgid "Unknown language \"%s\"." msgstr "" #: actions/siteadminpanel.php:165 -msgid "Invalid snapshot report URL." -msgstr "" - -#: actions/siteadminpanel.php:171 -msgid "Invalid snapshot run value." -msgstr "" - -#: actions/siteadminpanel.php:177 -msgid "Snapshot frequency must be a number." -msgstr "" - -#: actions/siteadminpanel.php:183 msgid "Minimum text limit is 140 characters." msgstr "" -#: actions/siteadminpanel.php:189 +#: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." msgstr "" -#: actions/siteadminpanel.php:239 +#: actions/siteadminpanel.php:221 msgid "General" msgstr "" -#: actions/siteadminpanel.php:242 +#: actions/siteadminpanel.php:224 #, fuzzy msgid "Site name" msgstr "新訊æ¯" -#: actions/siteadminpanel.php:243 +#: actions/siteadminpanel.php:225 msgid "The name of your site, like \"Yourcompany Microblog\"" msgstr "" -#: actions/siteadminpanel.php:247 +#: actions/siteadminpanel.php:229 msgid "Brought by" msgstr "" -#: actions/siteadminpanel.php:248 +#: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:252 +#: actions/siteadminpanel.php:234 msgid "Brought by URL" msgstr "" -#: actions/siteadminpanel.php:253 +#: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" -#: actions/siteadminpanel.php:257 +#: actions/siteadminpanel.php:239 #, fuzzy msgid "Contact email address for your site" msgstr "查無此使用者所註冊的信箱" -#: actions/siteadminpanel.php:263 +#: actions/siteadminpanel.php:245 #, fuzzy msgid "Local" msgstr "地點" -#: actions/siteadminpanel.php:274 +#: actions/siteadminpanel.php:256 msgid "Default timezone" msgstr "" -#: actions/siteadminpanel.php:275 +#: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." msgstr "" -#: actions/siteadminpanel.php:281 -msgid "Default site language" +#: actions/siteadminpanel.php:262 +msgid "Default language" msgstr "" -#: actions/siteadminpanel.php:289 -msgid "Snapshots" -msgstr "" - -#: actions/siteadminpanel.php:292 -msgid "Randomly during Web hit" +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" msgstr "" -#: actions/siteadminpanel.php:293 -msgid "In a scheduled job" +#: actions/siteadminpanel.php:271 +msgid "Limits" msgstr "" -#: actions/siteadminpanel.php:295 -msgid "Data snapshots" +#: actions/siteadminpanel.php:274 +msgid "Text limit" msgstr "" -#: actions/siteadminpanel.php:296 -msgid "When to send statistical data to status.net servers" +#: actions/siteadminpanel.php:274 +msgid "Maximum number of characters for notices." msgstr "" -#: actions/siteadminpanel.php:301 -msgid "Frequency" +#: actions/siteadminpanel.php:278 +msgid "Dupe limit" msgstr "" -#: actions/siteadminpanel.php:302 -msgid "Snapshots will be sent once every N web hits" +#: actions/siteadminpanel.php:278 +msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" -#: actions/siteadminpanel.php:307 -msgid "Report URL" -msgstr "" +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "新訊æ¯" -#: actions/siteadminpanel.php:308 -msgid "Snapshots will be sent to this URL" +#: actions/sitenoticeadminpanel.php:67 +msgid "Edit site-wide message" msgstr "" -#: actions/siteadminpanel.php:315 -msgid "Limits" -msgstr "" +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "新訊æ¯" -#: actions/siteadminpanel.php:318 -msgid "Text limit" +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" msgstr "" -#: actions/siteadminpanel.php:318 -msgid "Maximum number of characters for notices." -msgstr "" +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "新訊æ¯" -#: actions/siteadminpanel.php:322 -msgid "Dupe limit" +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" msgstr "" -#: actions/siteadminpanel.php:322 -msgid "How long users must wait (in seconds) to post the same thing again." -msgstr "" +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "新訊æ¯" #: actions/smssettings.php:58 #, fuzzy @@ -3866,6 +3880,66 @@ msgstr "" msgid "No code entered" msgstr "" +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:65 +#, fuzzy +msgid "Manage snapshot configuration" +msgstr "確èªä¿¡ç®±" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "線上å³æ™‚通設定" + #: actions/subedit.php:70 msgid "You are not subscribed to that profile." msgstr "" @@ -4070,7 +4144,7 @@ msgstr "無確èªè«‹æ±‚" msgid "Unsubscribed" msgstr "此帳號已註冊" -#: actions/updateprofile.php:62 actions/userauthorization.php:337 +#: actions/updateprofile.php:64 actions/userauthorization.php:337 #, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." @@ -4263,16 +4337,22 @@ msgstr "所有訂閱" msgid "Search for more groups" msgstr "" -#: actions/usergroups.php:153 +#: actions/usergroups.php:157 #, php-format msgid "%s is not a member of any group." msgstr "" -#: actions/usergroups.php:158 +#: actions/usergroups.php:162 #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "" + #: actions/version.php:73 #, php-format msgid "StatusNet %s" @@ -4316,7 +4396,7 @@ msgstr "" msgid "Plugins" msgstr "" -#: actions/version.php:196 lib/action.php:778 +#: actions/version.php:196 lib/action.php:767 #, fuzzy msgid "Version" msgstr "地點" @@ -4384,41 +4464,41 @@ msgstr "" msgid "DB error inserting hashtag: %s" msgstr "" -#: classes/Notice.php:239 +#: classes/Notice.php:241 #, fuzzy msgid "Problem saving notice. Too long." msgstr "儲存使用者發生錯誤" -#: classes/Notice.php:243 +#: classes/Notice.php:245 #, fuzzy msgid "Problem saving notice. Unknown user." msgstr "儲存使用者發生錯誤" -#: classes/Notice.php:248 +#: classes/Notice.php:250 msgid "" "Too many notices too fast; take a breather and post again in a few minutes." msgstr "" -#: classes/Notice.php:254 +#: classes/Notice.php:256 msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." msgstr "" -#: classes/Notice.php:260 +#: classes/Notice.php:262 msgid "You are banned from posting notices on this site." msgstr "" -#: classes/Notice.php:326 classes/Notice.php:352 +#: classes/Notice.php:328 classes/Notice.php:354 msgid "Problem saving notice." msgstr "" -#: classes/Notice.php:911 +#: classes/Notice.php:927 #, fuzzy msgid "Problem saving group inbox." msgstr "儲存使用者發生錯誤" -#: classes/Notice.php:1442 +#: classes/Notice.php:1459 #, php-format msgid "RT @%1$s %2$s" msgstr "" @@ -4445,7 +4525,12 @@ msgstr "此帳號已註冊" msgid "Couldn't delete self-subscription." msgstr "無法刪除帳號" -#: classes/Subscription.php:179 lib/subs.php:69 +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "無法刪除帳號" + +#: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." msgstr "無法刪除帳號" @@ -4454,22 +4539,22 @@ msgstr "無法刪除帳號" msgid "Welcome to %1$s, @%2$s!" msgstr "" -#: classes/User_group.php:462 +#: classes/User_group.php:477 #, fuzzy msgid "Could not create group." msgstr "無法存å–個人圖åƒè³‡æ–™" -#: classes/User_group.php:471 +#: classes/User_group.php:486 #, fuzzy msgid "Could not set group URI." msgstr "註冊失敗" -#: classes/User_group.php:492 +#: classes/User_group.php:507 #, fuzzy msgid "Could not set group membership." msgstr "註冊失敗" -#: classes/User_group.php:506 +#: classes/User_group.php:521 #, fuzzy msgid "Could not save local group info." msgstr "註冊失敗" @@ -4513,190 +4598,184 @@ msgstr "%1$s的狀態是%2$s" msgid "Untitled page" msgstr "" -#: lib/action.php:433 +#: lib/action.php:424 msgid "Primary site navigation" msgstr "" #. TRANS: Tooltip for main menu option "Personal" -#: lib/action.php:439 +#: lib/action.php:430 msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "" -#: lib/action.php:442 +#: lib/action.php:433 #, fuzzy msgctxt "MENU" msgid "Personal" msgstr "地點" #. TRANS: Tooltip for main menu option "Account" -#: lib/action.php:444 +#: lib/action.php:435 #, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "更改密碼" -#: lib/action.php:447 -#, fuzzy -msgctxt "MENU" -msgid "Account" -msgstr "關於" - #. TRANS: Tooltip for main menu option "Services" -#: lib/action.php:450 +#: lib/action.php:440 #, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" -#: lib/action.php:453 +#: lib/action.php:443 #, fuzzy -msgctxt "MENU" msgid "Connect" msgstr "連çµ" #. TRANS: Tooltip for menu option "Admin" -#: lib/action.php:457 +#: lib/action.php:446 #, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "確èªä¿¡ç®±" -#: lib/action.php:460 +#: lib/action.php:449 msgctxt "MENU" msgid "Admin" msgstr "" #. TRANS: Tooltip for main menu option "Invite" -#: lib/action.php:464 +#: lib/action.php:453 #, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "" -#: lib/action.php:467 +#: lib/action.php:456 #, fuzzy msgctxt "MENU" msgid "Invite" msgstr "尺寸錯誤" #. TRANS: Tooltip for main menu option "Logout" -#: lib/action.php:473 +#: lib/action.php:462 msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "" -#: lib/action.php:476 +#: lib/action.php:465 #, fuzzy msgctxt "MENU" msgid "Logout" msgstr "登出" #. TRANS: Tooltip for main menu option "Register" -#: lib/action.php:481 +#: lib/action.php:470 #, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "新增帳號" -#: lib/action.php:484 +#: lib/action.php:473 #, fuzzy msgctxt "MENU" msgid "Register" msgstr "所有訂閱" #. TRANS: Tooltip for main menu option "Login" -#: lib/action.php:487 +#: lib/action.php:476 msgctxt "TOOLTIP" msgid "Login to the site" msgstr "" -#: lib/action.php:490 +#: lib/action.php:479 #, fuzzy msgctxt "MENU" msgid "Login" msgstr "登入" #. TRANS: Tooltip for main menu option "Help" -#: lib/action.php:493 +#: lib/action.php:482 #, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "求救" -#: lib/action.php:496 +#: lib/action.php:485 #, fuzzy msgctxt "MENU" msgid "Help" msgstr "求救" #. TRANS: Tooltip for main menu option "Search" -#: lib/action.php:499 +#: lib/action.php:488 msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "" -#: lib/action.php:502 +#: lib/action.php:491 msgctxt "MENU" msgid "Search" msgstr "" #. TRANS: DT element for site notice. String is hidden in default CSS. -#: lib/action.php:524 +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 #, fuzzy msgid "Site notice" msgstr "新訊æ¯" -#: lib/action.php:590 +#: lib/action.php:579 msgid "Local views" msgstr "" -#: lib/action.php:656 +#: lib/action.php:645 #, fuzzy msgid "Page notice" msgstr "新訊æ¯" -#: lib/action.php:758 +#: lib/action.php:747 msgid "Secondary site navigation" msgstr "" -#: lib/action.php:763 +#: lib/action.php:752 msgid "Help" msgstr "求救" -#: lib/action.php:765 +#: lib/action.php:754 msgid "About" msgstr "關於" -#: lib/action.php:767 +#: lib/action.php:756 msgid "FAQ" msgstr "常見å•é¡Œ" -#: lib/action.php:771 +#: lib/action.php:760 msgid "TOS" msgstr "" -#: lib/action.php:774 +#: lib/action.php:763 msgid "Privacy" msgstr "" -#: lib/action.php:776 +#: lib/action.php:765 msgid "Source" msgstr "" -#: lib/action.php:780 +#: lib/action.php:769 msgid "Contact" msgstr "好å‹åå–®" -#: lib/action.php:782 +#: lib/action.php:771 msgid "Badge" msgstr "" -#: lib/action.php:810 +#: lib/action.php:799 msgid "StatusNet software license" msgstr "" -#: lib/action.php:813 +#: lib/action.php:802 #, php-format msgid "" "**%%site.name%%** is a microblogging service brought to you by [%%site." @@ -4705,12 +4784,12 @@ msgstr "" "**%%site.name%%**是由[%%site.broughtby%%](%%site.broughtbyurl%%)所æ供的微型" "部è½æ ¼æœå‹™" -#: lib/action.php:815 +#: lib/action.php:804 #, php-format msgid "**%%site.name%%** is a microblogging service. " msgstr "**%%site.name%%**是個微型部è½æ ¼" -#: lib/action.php:817 +#: lib/action.php:806 #, php-format msgid "" "It runs the [StatusNet](http://status.net/) microblogging software, version %" @@ -4718,55 +4797,55 @@ msgid "" "org/licensing/licenses/agpl-3.0.html)." msgstr "" -#: lib/action.php:832 +#: lib/action.php:821 #, fuzzy msgid "Site content license" msgstr "新訊æ¯" -#: lib/action.php:837 +#: lib/action.php:826 #, php-format msgid "Content and data of %1$s are private and confidential." msgstr "" -#: lib/action.php:842 +#: lib/action.php:831 #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" -#: lib/action.php:845 +#: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." msgstr "" -#: lib/action.php:858 +#: lib/action.php:847 msgid "All " msgstr "" -#: lib/action.php:864 +#: lib/action.php:853 msgid "license." msgstr "" -#: lib/action.php:1163 +#: lib/action.php:1152 msgid "Pagination" msgstr "" -#: lib/action.php:1172 +#: lib/action.php:1161 msgid "After" msgstr "" -#: lib/action.php:1180 +#: lib/action.php:1169 #, fuzzy msgid "Before" msgstr "之å‰çš„內容»" -#: lib/activity.php:449 +#: lib/activity.php:453 msgid "Can't handle remote content yet." msgstr "" -#: lib/activity.php:477 +#: lib/activity.php:481 msgid "Can't handle embedded XML content yet." msgstr "" -#: lib/activity.php:481 +#: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." msgstr "" @@ -4781,95 +4860,86 @@ msgid "Changes to that panel are not allowed." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:211 +#: lib/adminpanelaction.php:229 msgid "showForm() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:241 +#: lib/adminpanelaction.php:259 msgid "saveSettings() not implemented." msgstr "" #. TRANS: Client error message -#: lib/adminpanelaction.php:265 +#: lib/adminpanelaction.php:283 msgid "Unable to delete design setting." msgstr "" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:330 +#: lib/adminpanelaction.php:348 #, fuzzy msgid "Basic site configuration" msgstr "確èªä¿¡ç®±" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:332 +#: lib/adminpanelaction.php:350 #, fuzzy msgctxt "MENU" msgid "Site" msgstr "新訊æ¯" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:338 +#: lib/adminpanelaction.php:356 #, fuzzy msgid "Design configuration" msgstr "確èªä¿¡ç®±" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:340 +#: lib/adminpanelaction.php:358 #, fuzzy msgctxt "MENU" msgid "Design" msgstr "地點" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:346 +#: lib/adminpanelaction.php:364 #, fuzzy msgid "User configuration" msgstr "確èªä¿¡ç®±" #. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:348 -msgctxt "MENU" +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 msgid "User" msgstr "" #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:354 +#: lib/adminpanelaction.php:372 #, fuzzy msgid "Access configuration" msgstr "確èªä¿¡ç®±" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:356 -#, fuzzy -msgctxt "MENU" -msgid "Access" -msgstr "接å—" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:362 +#: lib/adminpanelaction.php:380 #, fuzzy msgid "Paths configuration" msgstr "確èªä¿¡ç®±" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:364 -msgctxt "MENU" -msgid "Paths" -msgstr "" - #. TRANS: Menu item title/tooltip -#: lib/adminpanelaction.php:370 +#: lib/adminpanelaction.php:388 #, fuzzy msgid "Sessions configuration" msgstr "確èªä¿¡ç®±" -#. TRANS: Menu item for site administration -#: lib/adminpanelaction.php:372 +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 #, fuzzy -msgctxt "MENU" -msgid "Sessions" -msgstr "地點" +msgid "Edit site notice" +msgstr "新訊æ¯" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +#, fuzzy +msgid "Snapshots configuration" +msgstr "確èªä¿¡ç®±" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5361,6 +5431,11 @@ msgstr "" msgid "Go" msgstr "" +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" msgstr "" @@ -5907,10 +5982,6 @@ msgstr "" msgid "Favorites" msgstr "" -#: lib/personalgroupnav.php:115 -msgid "User" -msgstr "" - #: lib/personalgroupnav.php:125 msgid "Inbox" msgstr "" @@ -5936,7 +6007,7 @@ msgstr "" msgid "Unknown" msgstr "" -#: lib/profileaction.php:109 lib/profileaction.php:192 lib/subgroupnav.php:82 +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" msgstr "" @@ -5944,24 +6015,24 @@ msgstr "" msgid "All subscriptions" msgstr "所有訂閱" -#: lib/profileaction.php:140 lib/profileaction.php:201 lib/subgroupnav.php:90 +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" msgstr "" -#: lib/profileaction.php:157 +#: lib/profileaction.php:159 #, fuzzy msgid "All subscribers" msgstr "所有訂閱" -#: lib/profileaction.php:178 +#: lib/profileaction.php:180 msgid "User ID" msgstr "" -#: lib/profileaction.php:183 +#: lib/profileaction.php:185 msgid "Member since" msgstr "何時加入會員的呢?" -#: lib/profileaction.php:245 +#: lib/profileaction.php:247 msgid "All groups" msgstr "" @@ -6004,7 +6075,12 @@ msgstr "無此通知" msgid "Repeat this notice" msgstr "無此通知" -#: lib/router.php:668 +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "無此使用者" + +#: lib/router.php:671 msgid "No single user defined for single-user mode." msgstr "" @@ -6165,47 +6241,62 @@ msgstr "" msgid "Moderate" msgstr "" -#: lib/util.php:1013 -msgid "a few seconds ago" +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "無此通知" + +#: lib/userprofile.php:354 +msgctxt "role" +msgid "Administrator" +msgstr "" + +#: lib/userprofile.php:355 +msgctxt "role" +msgid "Moderator" msgstr "" #: lib/util.php:1015 -msgid "about a minute ago" +msgid "a few seconds ago" msgstr "" #: lib/util.php:1017 +msgid "about a minute ago" +msgstr "" + +#: lib/util.php:1019 #, php-format msgid "about %d minutes ago" msgstr "" -#: lib/util.php:1019 +#: lib/util.php:1021 msgid "about an hour ago" msgstr "" -#: lib/util.php:1021 +#: lib/util.php:1023 #, php-format msgid "about %d hours ago" msgstr "" -#: lib/util.php:1023 +#: lib/util.php:1025 msgid "about a day ago" msgstr "" -#: lib/util.php:1025 +#: lib/util.php:1027 #, php-format msgid "about %d days ago" msgstr "" -#: lib/util.php:1027 +#: lib/util.php:1029 msgid "about a month ago" msgstr "" -#: lib/util.php:1029 +#: lib/util.php:1031 #, php-format msgid "about %d months ago" msgstr "" -#: lib/util.php:1031 +#: lib/util.php:1033 msgid "about a year ago" msgstr "" -- cgit v1.2.3-54-g00ecf From 5dbcc184c9ea70f25d4e10908a0d17a33ac3d1f6 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Thu, 4 Mar 2010 20:04:44 +0100 Subject: Add Breton to language.php --- lib/language.php | 1 + 1 file changed, 1 insertion(+) diff --git a/lib/language.php b/lib/language.php index f5ee7fac5..64b59e739 100644 --- a/lib/language.php +++ b/lib/language.php @@ -289,6 +289,7 @@ function get_all_languages() { 'ar' => array('q' => 0.8, 'lang' => 'ar', 'name' => 'Arabic', 'direction' => 'rtl'), 'arz' => array('q' => 0.8, 'lang' => 'arz', 'name' => 'Egyptian Spoken Arabic', 'direction' => 'rtl'), 'bg' => array('q' => 0.8, 'lang' => 'bg', 'name' => 'Bulgarian', 'direction' => 'ltr'), + 'br' => array('q' => 0.8, 'lang' => 'br', 'name' => 'Breton', 'direction' => 'ltr'), 'ca' => array('q' => 0.5, 'lang' => 'ca', 'name' => 'Catalan', 'direction' => 'ltr'), 'cs' => array('q' => 0.5, 'lang' => 'cs', 'name' => 'Czech', 'direction' => 'ltr'), 'de' => array('q' => 0.8, 'lang' => 'de', 'name' => 'German', 'direction' => 'ltr'), -- cgit v1.2.3-54-g00ecf From 3060bdafc57fcd32b68388d3ffc341634f0b3d55 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Thu, 4 Mar 2010 20:16:30 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans Added Breton. Signed-off-by: Siebrand Mazeland --- locale/br/LC_MESSAGES/statusnet.po | 6106 ++++++++++++++++++++++++++++++++++++ locale/statusnet.po | 2 +- 2 files changed, 6107 insertions(+), 1 deletion(-) create mode 100644 locale/br/LC_MESSAGES/statusnet.po diff --git a/locale/br/LC_MESSAGES/statusnet.po b/locale/br/LC_MESSAGES/statusnet.po new file mode 100644 index 000000000..53e971a31 --- /dev/null +++ b/locale/br/LC_MESSAGES/statusnet.po @@ -0,0 +1,6106 @@ +# Translation of StatusNet to Breton +# +# Author@translatewiki.net: Fulup +# Author@translatewiki.net: Y-M D +# -- +# This file is distributed under the same license as the StatusNet package. +# +msgid "" +msgstr "" +"Project-Id-Version: StatusNet\n" +"Report-Msgid-Bugs-To: \n" +"POT-Creation-Date: 2010-03-04 19:12+0000\n" +"PO-Revision-Date: 2010-03-04 19:12:57+0000\n" +"Language-Team: Dutch\n" +"Content-Type: text/plain; charset=UTF-8\n" +"Content-Transfer-Encoding: 8bit\n" +"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Translation-Project: translatewiki.net at http://translatewiki.net\n" +"X-Language-Code: br\n" +"X-Message-Group: out-statusnet\n" +"Plural-Forms: nplurals=2; plural=(n != 1);\n" + +#. TRANS: Page title +#. TRANS: Menu item for site administration +#: actions/accessadminpanel.php:55 lib/adminpanelaction.php:374 +msgid "Access" +msgstr "Moned" + +#. TRANS: Page notice +#: actions/accessadminpanel.php:67 +msgid "Site access settings" +msgstr "" + +#. TRANS: Form legend for registration form. +#: actions/accessadminpanel.php:161 +msgid "Registration" +msgstr "Enskrivadur" + +#. TRANS: Checkbox instructions for admin setting "Private" +#: actions/accessadminpanel.php:165 +msgid "Prohibit anonymous users (not logged in) from viewing site?" +msgstr "" + +#. TRANS: Checkbox label for prohibiting anonymous users from viewing site. +#: actions/accessadminpanel.php:167 +msgctxt "LABEL" +msgid "Private" +msgstr "Prevez" + +#. TRANS: Checkbox instructions for admin setting "Invite only" +#: actions/accessadminpanel.php:174 +msgid "Make registration invitation only." +msgstr "Aotreañ an enskrivadur goude bezañ bet pedet hepken." + +#. TRANS: Checkbox label for configuring site as invite only. +#: actions/accessadminpanel.php:176 +msgid "Invite only" +msgstr "Tud pedet hepken" + +#. TRANS: Checkbox instructions for admin setting "Closed" (no new registrations) +#: actions/accessadminpanel.php:183 +msgid "Disable new registrations." +msgstr "Diweredekaat an enskrivadurioù nevez." + +#. TRANS: Checkbox label for disabling new user registrations. +#: actions/accessadminpanel.php:185 +msgid "Closed" +msgstr "Serr" + +#. TRANS: Title / tooltip for button to save access settings in site admin panel +#: actions/accessadminpanel.php:202 +msgid "Save access settings" +msgstr "Enrollañ an arventennoù moned" + +#: actions/accessadminpanel.php:203 +msgctxt "BUTTON" +msgid "Save" +msgstr "Enrollañ" + +#. TRANS: Server error when page not found (404) +#: actions/all.php:64 actions/public.php:98 actions/replies.php:93 +#: actions/showfavorites.php:138 actions/tag.php:52 +msgid "No such page" +msgstr "N'eus ket eus ar bajenn-se" + +#: actions/all.php:75 actions/allrss.php:68 +#: actions/apiaccountupdatedeliverydevice.php:113 +#: actions/apiaccountupdateprofile.php:105 +#: actions/apiaccountupdateprofilebackgroundimage.php:116 +#: actions/apiaccountupdateprofileimage.php:105 actions/apiblockcreate.php:97 +#: actions/apiblockdestroy.php:96 actions/apidirectmessage.php:77 +#: actions/apidirectmessagenew.php:75 actions/apigroupcreate.php:112 +#: actions/apigroupismember.php:90 actions/apigroupjoin.php:99 +#: actions/apigroupleave.php:99 actions/apigrouplist.php:90 +#: actions/apistatusesupdate.php:148 actions/apisubscriptions.php:87 +#: actions/apitimelinefavorites.php:70 actions/apitimelinefriends.php:78 +#: actions/apitimelinehome.php:79 actions/apitimelinementions.php:79 +#: actions/apitimelineuser.php:81 actions/avatarbynickname.php:75 +#: actions/favoritesrss.php:74 actions/foaf.php:40 actions/foaf.php:58 +#: actions/hcard.php:67 actions/microsummary.php:62 actions/newmessage.php:116 +#: actions/otp.php:76 actions/remotesubscribe.php:145 +#: actions/remotesubscribe.php:154 actions/replies.php:73 +#: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 +#: lib/command.php:355 lib/command.php:401 lib/command.php:462 +#: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 +#: lib/profileaction.php:77 +msgid "No such user." +msgstr "N'eus ket eus an implijer-se." + +#. TRANS: Page title. %1$s is user nickname, %2$d is page number +#: actions/all.php:86 +#, php-format +msgid "%1$s and friends, page %2$d" +msgstr "%1$s hag e vignoned, pajenn %2$d" + +#. TRANS: Page title. %1$s is user nickname +#. TRANS: H1 text. %1$s is user nickname +#: actions/all.php:89 actions/all.php:181 actions/allrss.php:115 +#: actions/apitimelinefriends.php:114 actions/apitimelinehome.php:115 +#: lib/personalgroupnav.php:100 +#, php-format +msgid "%s and friends" +msgstr "%s hag e vignoned" + +#. TRANS: %1$s is user nickname +#: actions/all.php:103 +#, php-format +msgid "Feed for friends of %s (RSS 1.0)" +msgstr "Gwazh evit mignoned %s (RSS 1.0)" + +#. TRANS: %1$s is user nickname +#: actions/all.php:112 +#, php-format +msgid "Feed for friends of %s (RSS 2.0)" +msgstr "Gwazh evit mignoned %s (RSS 2.0)" + +#. TRANS: %1$s is user nickname +#: actions/all.php:121 +#, php-format +msgid "Feed for friends of %s (Atom)" +msgstr "Gwazh evit mignoned %s (Atom)" + +#. TRANS: %1$s is user nickname +#: actions/all.php:134 +#, php-format +msgid "" +"This is the timeline for %s and friends but no one has posted anything yet." +msgstr "" + +#: actions/all.php:139 +#, php-format +msgid "" +"Try subscribing to more people, [join a group](%%action.groups%%) or post " +"something yourself." +msgstr "" + +#. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" +#: actions/all.php:142 +#, php-format +msgid "" +"You can try to [nudge %1$s](../%2$s) from his profile or [post something to " +"his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." +msgstr "" + +#: actions/all.php:145 actions/replies.php:210 actions/showstream.php:211 +#, php-format +msgid "" +"Why not [register an account](%%%%action.register%%%%) and then nudge %s or " +"post a notice to his or her attention." +msgstr "" + +#. TRANS: H1 text +#: actions/all.php:178 +msgid "You and friends" +msgstr "C'hwi hag o mignoned" + +#: actions/allrss.php:119 actions/apitimelinefriends.php:119 +#: actions/apitimelinehome.php:120 +#, php-format +msgid "Updates from %1$s and friends on %2$s!" +msgstr "Hizivadennoù %1$s ha mignoned e %2$s!" + +#: actions/apiaccountratelimitstatus.php:70 +#: actions/apiaccountupdatedeliverydevice.php:93 +#: actions/apiaccountupdateprofile.php:97 +#: actions/apiaccountupdateprofilebackgroundimage.php:94 +#: actions/apiaccountupdateprofilecolors.php:118 +#: actions/apiaccountverifycredentials.php:70 actions/apidirectmessage.php:156 +#: actions/apifavoritecreate.php:99 actions/apifavoritedestroy.php:100 +#: actions/apifriendshipscreate.php:100 actions/apifriendshipsdestroy.php:100 +#: actions/apifriendshipsshow.php:128 actions/apigroupcreate.php:138 +#: actions/apigroupismember.php:114 actions/apigroupjoin.php:155 +#: actions/apigroupleave.php:141 actions/apigrouplist.php:132 +#: actions/apigrouplistall.php:120 actions/apigroupmembership.php:106 +#: actions/apigroupshow.php:115 actions/apihelptest.php:88 +#: actions/apistatusesdestroy.php:102 actions/apistatusesretweets.php:112 +#: actions/apistatusesshow.php:108 actions/apistatusnetconfig.php:135 +#: actions/apistatusnetversion.php:93 actions/apisubscriptions.php:111 +#: actions/apitimelinefavorites.php:183 actions/apitimelinefriends.php:187 +#: actions/apitimelinegroup.php:160 actions/apitimelinehome.php:184 +#: actions/apitimelinementions.php:175 actions/apitimelinepublic.php:148 +#: actions/apitimelineretweetedtome.php:121 +#: actions/apitimelineretweetsofme.php:152 actions/apitimelinetag.php:166 +#: actions/apitimelineuser.php:165 actions/apiusershow.php:101 +msgid "API method not found." +msgstr "N'eo ket bet kavet an hentenn API !" + +#: actions/apiaccountupdatedeliverydevice.php:85 +#: actions/apiaccountupdateprofile.php:89 +#: actions/apiaccountupdateprofilebackgroundimage.php:86 +#: actions/apiaccountupdateprofilecolors.php:110 +#: actions/apiaccountupdateprofileimage.php:84 actions/apiblockcreate.php:89 +#: actions/apiblockdestroy.php:88 actions/apidirectmessagenew.php:117 +#: actions/apifavoritecreate.php:90 actions/apifavoritedestroy.php:91 +#: actions/apifriendshipscreate.php:91 actions/apifriendshipsdestroy.php:91 +#: actions/apigroupcreate.php:104 actions/apigroupjoin.php:91 +#: actions/apigroupleave.php:91 actions/apistatusesretweet.php:65 +#: actions/apistatusesupdate.php:118 +msgid "This method requires a POST." +msgstr "Ezhomm en deus an argerzh-mañ eus ur POST." + +#: actions/apiaccountupdatedeliverydevice.php:105 +msgid "" +"You must specify a parameter named 'device' with a value of one of: sms, im, " +"none" +msgstr "" + +#: actions/apiaccountupdatedeliverydevice.php:132 +msgid "Could not update user." +msgstr "Diposubl eo hizivaat an implijer." + +#: actions/apiaccountupdateprofile.php:112 +#: actions/apiaccountupdateprofilebackgroundimage.php:194 +#: actions/apiaccountupdateprofilecolors.php:185 +#: actions/apiaccountupdateprofileimage.php:130 actions/apiusershow.php:108 +#: actions/avatarbynickname.php:80 actions/foaf.php:65 actions/hcard.php:74 +#: actions/replies.php:80 actions/usergroups.php:98 lib/galleryaction.php:66 +#: lib/profileaction.php:84 +msgid "User has no profile." +msgstr "An implijer-mañ n'eus profil ebet dezhañ." + +#: actions/apiaccountupdateprofile.php:147 +msgid "Could not save profile." +msgstr "Diposubl eo enrollañ ar profil." + +#: actions/apiaccountupdateprofilebackgroundimage.php:108 +#: actions/apiaccountupdateprofileimage.php:97 +#: actions/apistatusesupdate.php:131 actions/avatarsettings.php:257 +#: actions/designadminpanel.php:122 actions/editapplication.php:118 +#: actions/newapplication.php:101 actions/newnotice.php:94 +#: lib/designsettings.php:283 +#, php-format +msgid "" +"The server was unable to handle that much POST data (%s bytes) due to its " +"current configuration." +msgstr "" + +#: actions/apiaccountupdateprofilebackgroundimage.php:136 +#: actions/apiaccountupdateprofilebackgroundimage.php:146 +#: actions/apiaccountupdateprofilecolors.php:164 +#: actions/apiaccountupdateprofilecolors.php:174 +#: actions/groupdesignsettings.php:290 actions/groupdesignsettings.php:300 +#: actions/userdesignsettings.php:210 actions/userdesignsettings.php:220 +#: actions/userdesignsettings.php:263 actions/userdesignsettings.php:273 +msgid "Unable to save your design settings." +msgstr "" + +#: actions/apiaccountupdateprofilebackgroundimage.php:187 +#: actions/apiaccountupdateprofilecolors.php:142 +msgid "Could not update your design." +msgstr "Diposubl eo hizivat ho design." + +#: actions/apiblockcreate.php:105 +msgid "You cannot block yourself!" +msgstr "Ne c'helloc'h ket ho stankañ ho unan !" + +#: actions/apiblockcreate.php:126 +msgid "Block user failed." +msgstr "N'eo ket bet stanke an implijer." + +#: actions/apiblockdestroy.php:114 +msgid "Unblock user failed." +msgstr "N'eus ket bet tu distankañ an implijer." + +#: actions/apidirectmessage.php:89 +#, php-format +msgid "Direct messages from %s" +msgstr "Kemennadennoù war-eeun kaset gant %s" + +#: actions/apidirectmessage.php:93 +#, php-format +msgid "All the direct messages sent from %s" +msgstr "An holl gemennadennoù war-eeun kaset gant %s" + +#: actions/apidirectmessage.php:101 +#, php-format +msgid "Direct messages to %s" +msgstr "Kemennadennoù war-eeun kaset da %s" + +#: actions/apidirectmessage.php:105 +#, php-format +msgid "All the direct messages sent to %s" +msgstr "An holl gemennadennoù war-eeun kaset da %s" + +#: actions/apidirectmessagenew.php:126 +msgid "No message text!" +msgstr "Kemenadenn hep testenn !" + +#: actions/apidirectmessagenew.php:135 actions/newmessage.php:150 +#, php-format +msgid "That's too long. Max message size is %d chars." +msgstr "Re hir eo ! Ment hirañ ar gemenadenn a zo a %d arouezenn." + +#: actions/apidirectmessagenew.php:146 +msgid "Recipient user not found." +msgstr "N'eo ket bet kavet ar resever." + +#: actions/apidirectmessagenew.php:150 +msgid "Can't send direct messages to users who aren't your friend." +msgstr "" +"Ne c'helloc'h ket kas kemennadennoù personel d'an implijerien n'int ket ho " +"mignoned." + +#: actions/apifavoritecreate.php:108 actions/apifavoritedestroy.php:109 +#: actions/apistatusesdestroy.php:113 +msgid "No status found with that ID." +msgstr "N'eo bet kavet statud ebet gant an ID-mañ." + +#: actions/apifavoritecreate.php:119 +msgid "This status is already a favorite." +msgstr "Ur pennroll eo dija an ali-mañ." + +#: actions/apifavoritecreate.php:130 actions/favor.php:84 lib/command.php:176 +msgid "Could not create favorite." +msgstr "Diposupl eo krouiñ ar pennroll-mañ." + +#: actions/apifavoritedestroy.php:122 +msgid "That status is not a favorite." +msgstr "N'eo ket ar statud-mañ ur pennroll." + +#: actions/apifavoritedestroy.php:134 actions/disfavor.php:87 +msgid "Could not delete favorite." +msgstr "Diposupl eo dilemel ar pennroll-mañ." + +#: actions/apifriendshipscreate.php:109 +msgid "Could not follow user: User not found." +msgstr "Diposupl eo heuliañ an implijer : N'eo ket bet kavet an implijer." + +#: actions/apifriendshipscreate.php:118 +#, php-format +msgid "Could not follow user: %s is already on your list." +msgstr "Diposubl eo heuliañ an implijer : war ho listenn emañ %s dija." + +#: actions/apifriendshipsdestroy.php:109 +msgid "Could not unfollow user: User not found." +msgstr "" +"Diposupl eo paouez heuliañ an implijer : N'eo ket bet kavet an implijer." + +#: actions/apifriendshipsdestroy.php:120 +msgid "You cannot unfollow yourself." +msgstr "Ne c'hallit ket chom hep ho heuliañ hoc'h-unan." + +#: actions/apifriendshipsexists.php:94 +msgid "Two user ids or screen_names must be supplied." +msgstr "" + +#: actions/apifriendshipsshow.php:134 +msgid "Could not determine source user." +msgstr "Diposubl eo termeniñ an implijer mammenn." + +#: actions/apifriendshipsshow.php:142 +msgid "Could not find target user." +msgstr "Diposubl eo kavout an implijer pal." + +#: actions/apigroupcreate.php:166 actions/editgroup.php:186 +#: actions/newgroup.php:126 actions/profilesettings.php:215 +#: actions/register.php:205 +msgid "Nickname must have only lowercase letters and numbers and no spaces." +msgstr "" + +#: actions/apigroupcreate.php:175 actions/editgroup.php:190 +#: actions/newgroup.php:130 actions/profilesettings.php:238 +#: actions/register.php:208 +msgid "Nickname already in use. Try another one." +msgstr "Implijet eo dija al lesanv-se. Klaskit unan all." + +#: actions/apigroupcreate.php:182 actions/editgroup.php:193 +#: actions/newgroup.php:133 actions/profilesettings.php:218 +#: actions/register.php:210 +msgid "Not a valid nickname." +msgstr "N'eo ket ul lesanv mat." + +#: actions/apigroupcreate.php:198 actions/editapplication.php:215 +#: actions/editgroup.php:199 actions/newapplication.php:203 +#: actions/newgroup.php:139 actions/profilesettings.php:222 +#: actions/register.php:217 +msgid "Homepage is not a valid URL." +msgstr "N'eo ket chomlec'h al lec'hienn personel un URL reizh." + +#: actions/apigroupcreate.php:207 actions/editgroup.php:202 +#: actions/newgroup.php:142 actions/profilesettings.php:225 +#: actions/register.php:220 +msgid "Full name is too long (max 255 chars)." +msgstr "Re hir eo an anv klok (255 arouezenn d'ar muiañ)." + +#: actions/apigroupcreate.php:215 actions/editapplication.php:190 +#: actions/newapplication.php:172 +#, php-format +msgid "Description is too long (max %d chars)." +msgstr "Re hir eo an deskrivadur (%d arouezenn d'ar muiañ)." + +#: actions/apigroupcreate.php:226 actions/editgroup.php:208 +#: actions/newgroup.php:148 actions/profilesettings.php:232 +#: actions/register.php:227 +msgid "Location is too long (max 255 chars)." +msgstr "Re hir eo al lec'hiadur (255 arouezenn d'ar muiañ)." + +#: actions/apigroupcreate.php:245 actions/editgroup.php:219 +#: actions/newgroup.php:159 +#, php-format +msgid "Too many aliases! Maximum %d." +msgstr "Re a aliasoù ! %d d'ar muiañ." + +#: actions/apigroupcreate.php:266 actions/editgroup.php:228 +#: actions/newgroup.php:168 +#, php-format +msgid "Invalid alias: \"%s\"" +msgstr "Alias fall : \"%s\"" + +#: actions/apigroupcreate.php:275 actions/editgroup.php:232 +#: actions/newgroup.php:172 +#, php-format +msgid "Alias \"%s\" already in use. Try another one." +msgstr "Implijet e vez an alias \"%s\" dija. Klaskit gant unan all." + +#: actions/apigroupcreate.php:288 actions/editgroup.php:238 +#: actions/newgroup.php:178 +msgid "Alias can't be the same as nickname." +msgstr "Ne c'hell ket an alias bezañ ar memes hini eget al lesanv." + +#: actions/apigroupismember.php:95 actions/apigroupjoin.php:104 +#: actions/apigroupleave.php:104 actions/apigroupmembership.php:91 +#: actions/apigroupshow.php:82 actions/apitimelinegroup.php:91 +msgid "Group not found!" +msgstr "N'eo ket bet kavet ar strollad" + +#: actions/apigroupjoin.php:110 actions/joingroup.php:100 +msgid "You are already a member of that group." +msgstr "Un ezel eus ar strollad-mañ eo dija." + +#: actions/apigroupjoin.php:119 actions/joingroup.php:105 lib/command.php:221 +msgid "You have been blocked from that group by the admin." +msgstr "Stanket oc'h bet eus ar strollad-mañ gant ur merour." + +#: actions/apigroupjoin.php:138 actions/joingroup.php:134 +#, php-format +msgid "Could not join user %1$s to group %2$s." +msgstr "Diposubl eo stagañ an implijer %1$s d'ar strollad %2$s." + +#: actions/apigroupleave.php:114 +msgid "You are not a member of this group." +msgstr "N'oc'h ket ezel eus ar strollad-mañ." + +#: actions/apigroupleave.php:124 actions/leavegroup.php:129 +#, php-format +msgid "Could not remove user %1$s from group %2$s." +msgstr "Diposubl eo dilemel an implijer %1$s deus ar strollad %2$s." + +#: actions/apigrouplist.php:95 +#, php-format +msgid "%s's groups" +msgstr "Strollad %s" + +#: actions/apigrouplistall.php:90 actions/usergroups.php:62 +#, php-format +msgid "%s groups" +msgstr "Strolladoù %s" + +#: actions/apigrouplistall.php:94 +#, php-format +msgid "groups on %s" +msgstr "strolladoù war %s" + +#: actions/apioauthauthorize.php:101 +msgid "No oauth_token parameter provided." +msgstr "Arventenn oauth_token nann-roet." + +#: actions/apioauthauthorize.php:106 +msgid "Invalid token." +msgstr "Fichenn direizh." + +#: actions/apioauthauthorize.php:123 actions/avatarsettings.php:268 +#: actions/deletenotice.php:157 actions/disfavor.php:74 +#: actions/emailsettings.php:238 actions/favor.php:75 actions/geocode.php:54 +#: actions/groupblock.php:66 actions/grouplogo.php:312 +#: actions/groupunblock.php:66 actions/imsettings.php:206 +#: actions/invite.php:56 actions/login.php:115 actions/makeadmin.php:66 +#: actions/newmessage.php:135 actions/newnotice.php:103 actions/nudge.php:80 +#: actions/oauthappssettings.php:159 actions/oauthconnectionssettings.php:135 +#: actions/othersettings.php:145 actions/passwordsettings.php:138 +#: actions/profilesettings.php:194 actions/recoverpassword.php:337 +#: actions/register.php:165 actions/remotesubscribe.php:77 +#: actions/repeat.php:83 actions/smssettings.php:228 actions/subedit.php:38 +#: actions/subscribe.php:86 actions/tagother.php:166 +#: actions/unsubscribe.php:69 actions/userauthorization.php:52 +#: lib/designsettings.php:294 +msgid "There was a problem with your session token. Try again, please." +msgstr "" + +#: actions/apioauthauthorize.php:135 +msgid "Invalid nickname / password!" +msgstr "Lesanv / ger tremen direizh !" + +#: actions/apioauthauthorize.php:159 +msgid "Database error deleting OAuth application user." +msgstr "" + +#: actions/apioauthauthorize.php:185 +msgid "Database error inserting OAuth application user." +msgstr "" + +#: actions/apioauthauthorize.php:214 +#, php-format +msgid "" +"The request token %s has been authorized. Please exchange it for an access " +"token." +msgstr "" + +#: actions/apioauthauthorize.php:227 +#, php-format +msgid "The request token %s has been denied and revoked." +msgstr "" + +#: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 +#: actions/designadminpanel.php:103 actions/editapplication.php:139 +#: actions/emailsettings.php:256 actions/grouplogo.php:322 +#: actions/imsettings.php:220 actions/newapplication.php:121 +#: actions/oauthconnectionssettings.php:147 actions/recoverpassword.php:44 +#: actions/smssettings.php:248 lib/designsettings.php:304 +msgid "Unexpected form submission." +msgstr "" + +#: actions/apioauthauthorize.php:259 +msgid "An application would like to connect to your account" +msgstr "" + +#: actions/apioauthauthorize.php:276 +msgid "Allow or deny access" +msgstr "Aotreañ pe nac'h ar moned" + +#: actions/apioauthauthorize.php:292 +#, php-format +msgid "" +"The application %1$s by %2$s would like " +"the ability to %3$s your %4$s account data. You should only " +"give access to your %4$s account to third parties you trust." +msgstr "" + +#: actions/apioauthauthorize.php:310 lib/action.php:438 +msgid "Account" +msgstr "Kont" + +#: actions/apioauthauthorize.php:313 actions/login.php:230 +#: actions/profilesettings.php:106 actions/register.php:424 +#: actions/showgroup.php:244 actions/tagother.php:94 +#: actions/userauthorization.php:145 lib/groupeditform.php:152 +#: lib/userprofile.php:131 +msgid "Nickname" +msgstr "Lesanv" + +#: actions/apioauthauthorize.php:316 actions/login.php:233 +#: actions/register.php:429 lib/accountsettingsaction.php:116 +msgid "Password" +msgstr "Ger-tremen" + +#: actions/apioauthauthorize.php:328 +msgid "Deny" +msgstr "Nac'hañ" + +#: actions/apioauthauthorize.php:334 +msgid "Allow" +msgstr "Aotreañ" + +#: actions/apioauthauthorize.php:351 +msgid "Allow or deny access to your account information." +msgstr "Aotreañ pe nac'hañ ar moned da ditouroù ho kont." + +#: actions/apistatusesdestroy.php:107 +msgid "This method requires a POST or DELETE." +msgstr "Ezhomm en deus an argerzh-mañ ur POST pe un DELETE." + +#: actions/apistatusesdestroy.php:130 +msgid "You may not delete another user's status." +msgstr "Ne c'helloc'h ket dilemel statud un implijer all." + +#: actions/apistatusesretweet.php:75 actions/apistatusesretweets.php:72 +#: actions/deletenotice.php:52 actions/shownotice.php:92 +msgid "No such notice." +msgstr "N'eus ket eus an ali-se." + +#: actions/apistatusesretweet.php:83 +msgid "Cannot repeat your own notice." +msgstr "Ne c'helloc'h ket adlavar ho alioù." + +#: actions/apistatusesretweet.php:91 +msgid "Already repeated that notice." +msgstr "Adlavaret o peus dija an ali-mañ." + +#: actions/apistatusesshow.php:138 +msgid "Status deleted." +msgstr "Statud diverket." + +#: actions/apistatusesshow.php:144 +msgid "No status with that ID found." +msgstr "N'eo ket bet kavet a statud evit an ID-mañ" + +#: actions/apistatusesupdate.php:161 actions/newnotice.php:155 +#: lib/mailhandler.php:60 +#, php-format +msgid "That's too long. Max notice size is %d chars." +msgstr "Re hir eo ! Ment hirañ an ali a zo a %d arouezenn." + +#: actions/apistatusesupdate.php:202 +msgid "Not found" +msgstr "N'eo ket bet kavet" + +#: actions/apistatusesupdate.php:225 actions/newnotice.php:178 +#, php-format +msgid "Max notice size is %d chars, including attachment URL." +msgstr "" + +#: actions/apisubscriptions.php:231 actions/apisubscriptions.php:261 +msgid "Unsupported format." +msgstr "Diembreget eo ar furmad-se." + +#: actions/apitimelinefavorites.php:108 +#, php-format +msgid "%1$s / Favorites from %2$s" +msgstr "%1$s / Pennroll %2$s" + +#: actions/apitimelinefavorites.php:117 +#, php-format +msgid "%1$s updates favorited by %2$s / %2$s." +msgstr "%1$s statud pennroll da %2$s / %2$s." + +#: actions/apitimelinementions.php:117 +#, php-format +msgid "%1$s / Updates mentioning %2$s" +msgstr "%1$s / Hizivadennoù a veneg %2$s" + +#: actions/apitimelinementions.php:127 +#, php-format +msgid "%1$s updates that reply to updates from %2$s / %3$s." +msgstr "" + +#: actions/apitimelinepublic.php:107 actions/publicrss.php:103 +#, php-format +msgid "%s public timeline" +msgstr "Oberezhioù publik %s" + +#: actions/apitimelinepublic.php:111 actions/publicrss.php:105 +#, php-format +msgid "%s updates from everyone!" +msgstr "%s statud an holl !" + +#: actions/apitimelineretweetedtome.php:111 +#, php-format +msgid "Repeated to %s" +msgstr "Adkemeret evit %s" + +#: actions/apitimelineretweetsofme.php:114 +#, php-format +msgid "Repeats of %s" +msgstr "Adkemeret eus %s" + +#: actions/apitimelinetag.php:102 actions/tag.php:67 +#, php-format +msgid "Notices tagged with %s" +msgstr "Alioù merket gant %s" + +#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#, php-format +msgid "Updates tagged with %1$s on %2$s!" +msgstr "" + +#: actions/apiusershow.php:96 +msgid "Not found." +msgstr "N'eo ket bet kavet." + +#: actions/attachment.php:73 +msgid "No such attachment." +msgstr "N'eo ket bet kavet ar restr stag." + +#: actions/avatarbynickname.php:59 actions/blockedfromgroup.php:73 +#: actions/editgroup.php:84 actions/groupdesignsettings.php:84 +#: actions/grouplogo.php:86 actions/groupmembers.php:76 +#: actions/grouprss.php:91 actions/showgroup.php:121 +msgid "No nickname." +msgstr "Lesanv ebet." + +#: actions/avatarbynickname.php:64 +msgid "No size." +msgstr "Ment ebet." + +#: actions/avatarbynickname.php:69 +msgid "Invalid size." +msgstr "Ment direizh." + +#: actions/avatarsettings.php:67 actions/showgroup.php:229 +#: lib/accountsettingsaction.php:112 +msgid "Avatar" +msgstr "Avatar" + +#: actions/avatarsettings.php:78 +#, php-format +msgid "You can upload your personal avatar. The maximum file size is %s." +msgstr "" + +#: actions/avatarsettings.php:106 actions/avatarsettings.php:185 +#: actions/remotesubscribe.php:191 actions/userauthorization.php:72 +#: actions/userrss.php:103 +msgid "User without matching profile" +msgstr "Implijer hep profil klotaus" + +#: actions/avatarsettings.php:119 actions/avatarsettings.php:197 +#: actions/grouplogo.php:254 +msgid "Avatar settings" +msgstr "Arventennoù an avatar" + +#: actions/avatarsettings.php:127 actions/avatarsettings.php:205 +#: actions/grouplogo.php:202 actions/grouplogo.php:262 +msgid "Original" +msgstr "Orin" + +#: actions/avatarsettings.php:142 actions/avatarsettings.php:217 +#: actions/grouplogo.php:213 actions/grouplogo.php:274 +msgid "Preview" +msgstr "Rakwelet" + +#: actions/avatarsettings.php:149 actions/showapplication.php:252 +#: lib/deleteuserform.php:66 lib/noticelist.php:655 +msgid "Delete" +msgstr "Diverkañ" + +#: actions/avatarsettings.php:166 actions/grouplogo.php:236 +msgid "Upload" +msgstr "Enporzhiañ" + +#: actions/avatarsettings.php:231 actions/grouplogo.php:289 +msgid "Crop" +msgstr "Adframmañ" + +#: actions/avatarsettings.php:328 +msgid "Pick a square area of the image to be your avatar" +msgstr "" + +#: actions/avatarsettings.php:343 actions/grouplogo.php:380 +msgid "Lost our file data." +msgstr "Kollet eo bet roadennoù." + +#: actions/avatarsettings.php:366 +msgid "Avatar updated." +msgstr "Hizivaet eo bet an avatar." + +#: actions/avatarsettings.php:369 +msgid "Failed updating avatar." +msgstr "Ur gudenn 'zo bet e-pad hizivadenn an avatar." + +#: actions/avatarsettings.php:393 +msgid "Avatar deleted." +msgstr "Dilammet eo bet an Avatar." + +#: actions/block.php:69 +msgid "You already blocked that user." +msgstr "Stanket o peus dija an implijer-mañ." + +#: actions/block.php:105 actions/block.php:128 actions/groupblock.php:160 +msgid "Block user" +msgstr "Stankañ an implijer-mañ" + +#: actions/block.php:130 +msgid "" +"Are you sure you want to block this user? Afterwards, they will be " +"unsubscribed from you, unable to subscribe to you in the future, and you " +"will not be notified of any @-replies from them." +msgstr "" + +#: actions/block.php:143 actions/deleteapplication.php:153 +#: actions/deletenotice.php:145 actions/deleteuser.php:150 +#: actions/groupblock.php:178 +msgid "No" +msgstr "Ket" + +#: actions/block.php:143 actions/deleteuser.php:150 +msgid "Do not block this user" +msgstr "Arabat stankañ an implijer-mañ" + +#: actions/block.php:144 actions/deleteapplication.php:158 +#: actions/deletenotice.php:146 actions/deleteuser.php:151 +#: actions/groupblock.php:179 lib/repeatform.php:132 +msgid "Yes" +msgstr "Ya" + +#: actions/block.php:144 actions/groupmembers.php:355 lib/blockform.php:80 +msgid "Block this user" +msgstr "Stankañ an implijer-mañ" + +#: actions/block.php:167 +msgid "Failed to save block information." +msgstr "Diposubl eo enrollañ an titouroù stankañ." + +#: actions/blockedfromgroup.php:80 actions/blockedfromgroup.php:87 +#: actions/editgroup.php:100 actions/foafgroup.php:44 actions/foafgroup.php:62 +#: actions/foafgroup.php:69 actions/groupblock.php:86 actions/groupbyid.php:83 +#: actions/groupdesignsettings.php:100 actions/grouplogo.php:102 +#: actions/groupmembers.php:83 actions/groupmembers.php:90 +#: actions/grouprss.php:98 actions/grouprss.php:105 +#: actions/groupunblock.php:86 actions/joingroup.php:82 +#: actions/joingroup.php:93 actions/leavegroup.php:82 +#: actions/leavegroup.php:93 actions/makeadmin.php:86 +#: actions/showgroup.php:138 actions/showgroup.php:146 lib/command.php:212 +#: lib/command.php:260 +msgid "No such group." +msgstr "N'eus ket eus ar strollad-se." + +#: actions/blockedfromgroup.php:97 +#, php-format +msgid "%s blocked profiles" +msgstr "%s profil stanket" + +#: actions/blockedfromgroup.php:100 +#, php-format +msgid "%1$s blocked profiles, page %2$d" +msgstr "%1$s profil stanket, pajenn %2$d" + +#: actions/blockedfromgroup.php:115 +msgid "A list of the users blocked from joining this group." +msgstr "" +"Ur roll eus an implijerien evit pere eo stanket an enskrivadur d'ar strollad." + +#: actions/blockedfromgroup.php:288 +msgid "Unblock user from group" +msgstr "Distankañ implijer ar strollad" + +#: actions/blockedfromgroup.php:320 lib/unblockform.php:69 +msgid "Unblock" +msgstr "Distankañ" + +#: actions/blockedfromgroup.php:320 lib/unblockform.php:80 +msgid "Unblock this user" +msgstr "Distankañ an implijer-se" + +#: actions/bookmarklet.php:50 +msgid "Post to " +msgstr "Postañ war " + +#: actions/confirmaddress.php:75 +msgid "No confirmation code." +msgstr "Kod kadarnaat ebet." + +#: actions/confirmaddress.php:80 +msgid "Confirmation code not found." +msgstr "N'eo ket bet kavet ar c'hod kadarnaat." + +#: actions/confirmaddress.php:85 +msgid "That confirmation code is not for you!" +msgstr "N'eo ket ar c'hod-se evidoc'h !" + +#: actions/confirmaddress.php:90 +#, php-format +msgid "Unrecognized address type %s" +msgstr "N'eo ket bet anavezet seurt ar chomlec'h %s" + +#: actions/confirmaddress.php:94 +msgid "That address has already been confirmed." +msgstr "Kadarnaet eo bet dija ar chomlec'h-mañ." + +#: actions/confirmaddress.php:114 actions/emailsettings.php:296 +#: actions/emailsettings.php:427 actions/imsettings.php:258 +#: actions/imsettings.php:401 actions/othersettings.php:174 +#: actions/profilesettings.php:283 actions/smssettings.php:278 +#: actions/smssettings.php:420 +msgid "Couldn't update user." +msgstr "Diposubl eo hizivaat an implijer." + +#: actions/confirmaddress.php:126 actions/emailsettings.php:391 +#: actions/imsettings.php:363 actions/smssettings.php:382 +msgid "Couldn't delete email confirmation." +msgstr "Diposubl eo dilemel ar postel kadarnadur." + +#: actions/confirmaddress.php:144 +msgid "Confirm address" +msgstr "Chomlec'h kadarnaet" + +#: actions/confirmaddress.php:159 +#, php-format +msgid "The address \"%s\" has been confirmed for your account." +msgstr "Kadarnaet eo bet ar chomlec'h \"%s\" evit ho kont." + +#: actions/conversation.php:99 +msgid "Conversation" +msgstr "Kaozeadenn" + +#: actions/conversation.php:154 lib/mailbox.php:116 lib/noticelist.php:87 +#: lib/profileaction.php:218 lib/searchgroupnav.php:82 +msgid "Notices" +msgstr "Ali" + +#: actions/deleteapplication.php:63 +msgid "You must be logged in to delete an application." +msgstr "Rankout a reoc'h bezañ kevreet evit dilemel ur poellad." + +#: actions/deleteapplication.php:71 +msgid "Application not found." +msgstr "N'eo ket bet kavet ar poellad" + +#: actions/deleteapplication.php:78 actions/editapplication.php:77 +#: actions/showapplication.php:94 +msgid "You are not the owner of this application." +msgstr "N'oc'h ket perc'henn ar poellad-se." + +#: actions/deleteapplication.php:102 actions/editapplication.php:127 +#: actions/newapplication.php:110 actions/showapplication.php:118 +#: lib/action.php:1217 +msgid "There was a problem with your session token." +msgstr "" + +#: actions/deleteapplication.php:123 actions/deleteapplication.php:147 +msgid "Delete application" +msgstr "Dilemel ar poelad" + +#: actions/deleteapplication.php:149 +msgid "" +"Are you sure you want to delete this application? This will clear all data " +"about the application from the database, including all existing user " +"connections." +msgstr "" + +#: actions/deleteapplication.php:156 +msgid "Do not delete this application" +msgstr "Arabat eo dilemel ar poellad-mañ" + +#: actions/deleteapplication.php:160 +msgid "Delete this application" +msgstr "Dilemel ar poelad-se" + +#. TRANS: Client error message +#: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 +#: actions/groupblock.php:61 actions/groupunblock.php:61 actions/logout.php:69 +#: actions/makeadmin.php:61 actions/newmessage.php:87 actions/newnotice.php:89 +#: actions/nudge.php:63 actions/subedit.php:31 actions/subscribe.php:96 +#: actions/tagother.php:33 actions/unsubscribe.php:52 +#: lib/adminpanelaction.php:73 lib/profileformaction.php:63 +#: lib/settingsaction.php:72 +msgid "Not logged in." +msgstr "Nann-luget." + +#: actions/deletenotice.php:71 +msgid "Can't delete this notice." +msgstr "Diposupl eo dilemel an ali-mañ." + +#: actions/deletenotice.php:103 +msgid "" +"You are about to permanently delete a notice. Once this is done, it cannot " +"be undone." +msgstr "" + +#: actions/deletenotice.php:109 actions/deletenotice.php:141 +msgid "Delete notice" +msgstr "Dilemel un ali" + +#: actions/deletenotice.php:144 +msgid "Are you sure you want to delete this notice?" +msgstr "Ha sur oc'h ho peus c'hoant dilemel an ali-mañ ?" + +#: actions/deletenotice.php:145 +msgid "Do not delete this notice" +msgstr "Arabat dilemel an ali-mañ" + +#: actions/deletenotice.php:146 lib/noticelist.php:655 +msgid "Delete this notice" +msgstr "Dilemel an ali-mañ" + +#: actions/deleteuser.php:67 +msgid "You cannot delete users." +msgstr "Ne c'helloc'h ket diverkañ implijerien" + +#: actions/deleteuser.php:74 +msgid "You can only delete local users." +msgstr "Ne c'helloc'h nemet dilemel an implijerien lec'hel." + +#: actions/deleteuser.php:110 actions/deleteuser.php:133 +msgid "Delete user" +msgstr "Diverkañ an implijer" + +#: actions/deleteuser.php:136 +msgid "" +"Are you sure you want to delete this user? This will clear all data about " +"the user from the database, without a backup." +msgstr "" + +#: actions/deleteuser.php:151 lib/deleteuserform.php:77 +msgid "Delete this user" +msgstr "Diverkañ an implijer-se" + +#: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 +#: lib/groupnav.php:119 +msgid "Design" +msgstr "Design" + +#: actions/designadminpanel.php:73 +msgid "Design settings for this StatusNet site." +msgstr "Arventennoù design evit al lec'hienn StatusNet-mañ." + +#: actions/designadminpanel.php:275 +msgid "Invalid logo URL." +msgstr "URL fall evit al logo." + +#: actions/designadminpanel.php:279 +#, php-format +msgid "Theme not available: %s" +msgstr "N'eus ket tu kaout an dodenn : %s" + +#: actions/designadminpanel.php:375 +msgid "Change logo" +msgstr "Cheñch al logo" + +#: actions/designadminpanel.php:380 +msgid "Site logo" +msgstr "Logo al lec'hienn" + +#: actions/designadminpanel.php:387 +msgid "Change theme" +msgstr "Lakaat un dodenn all" + +#: actions/designadminpanel.php:404 +msgid "Site theme" +msgstr "Dodenn al lec'hienn" + +#: actions/designadminpanel.php:405 +msgid "Theme for the site." +msgstr "Dodenn evit al lec'hienn." + +#: actions/designadminpanel.php:417 lib/designsettings.php:101 +msgid "Change background image" +msgstr "Kemmañ ar skeudenn foñs" + +#: actions/designadminpanel.php:422 actions/designadminpanel.php:497 +#: lib/designsettings.php:178 +msgid "Background" +msgstr "Background" + +#: actions/designadminpanel.php:427 +#, php-format +msgid "" +"You can upload a background image for the site. The maximum file size is %1" +"$s." +msgstr "" + +#: actions/designadminpanel.php:457 lib/designsettings.php:139 +msgid "On" +msgstr "Gweredekaet" + +#: actions/designadminpanel.php:473 lib/designsettings.php:155 +msgid "Off" +msgstr "Diweredekaet" + +#: actions/designadminpanel.php:474 lib/designsettings.php:156 +msgid "Turn background image on or off." +msgstr "Gweredekaat pe diweredekaat ar skeudenn foñs." + +#: actions/designadminpanel.php:479 lib/designsettings.php:161 +msgid "Tile background image" +msgstr "" + +#: actions/designadminpanel.php:488 lib/designsettings.php:170 +msgid "Change colours" +msgstr "Kemmañ al livioù" + +#: actions/designadminpanel.php:510 lib/designsettings.php:191 +msgid "Content" +msgstr "Endalc'h" + +#: actions/designadminpanel.php:523 lib/designsettings.php:204 +msgid "Sidebar" +msgstr "Barenn kostez" + +#: actions/designadminpanel.php:536 lib/designsettings.php:217 +msgid "Text" +msgstr "Testenn" + +#: actions/designadminpanel.php:549 lib/designsettings.php:230 +msgid "Links" +msgstr "Liammoù" + +#: actions/designadminpanel.php:577 lib/designsettings.php:247 +msgid "Use defaults" +msgstr "Implijout an talvoudoù dre ziouer" + +#: actions/designadminpanel.php:578 lib/designsettings.php:248 +msgid "Restore default designs" +msgstr "Adlakaat an neuz dre ziouer." + +#: actions/designadminpanel.php:584 lib/designsettings.php:254 +msgid "Reset back to default" +msgstr "Adlakaat an arventennoù dre ziouer" + +#: actions/designadminpanel.php:586 actions/emailsettings.php:195 +#: actions/imsettings.php:163 actions/othersettings.php:126 +#: actions/pathsadminpanel.php:351 actions/profilesettings.php:174 +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/sitenoticeadminpanel.php:195 actions/smssettings.php:181 +#: actions/snapshotadminpanel.php:245 actions/subscriptions.php:208 +#: actions/tagother.php:154 actions/useradminpanel.php:294 +#: lib/applicationeditform.php:333 lib/applicationeditform.php:334 +#: lib/designsettings.php:256 lib/groupeditform.php:202 +msgid "Save" +msgstr "Enrollañ" + +#: actions/designadminpanel.php:587 lib/designsettings.php:257 +msgid "Save design" +msgstr "Enrollañ an design" + +#: actions/disfavor.php:81 +msgid "This notice is not a favorite!" +msgstr "N'eo ket an ali-mañ ur pennroll !" + +#: actions/disfavor.php:94 +msgid "Add to favorites" +msgstr "Ouzhpennañ d'ar pennrolloù" + +#: actions/doc.php:158 +#, php-format +msgid "No such document \"%s\"" +msgstr "N'eo ket bet kavet ar restr \"%s\"" + +#: actions/editapplication.php:54 +msgid "Edit Application" +msgstr "Kemmañ ar poellad" + +#: actions/editapplication.php:66 +msgid "You must be logged in to edit an application." +msgstr "Ret eo bezañ kevreet evit kemmañ ur poellad." + +#: actions/editapplication.php:81 actions/oauthconnectionssettings.php:166 +#: actions/showapplication.php:87 +msgid "No such application." +msgstr "N'eus ket eus an arload-mañ." + +#: actions/editapplication.php:161 +msgid "Use this form to edit your application." +msgstr "Implijit ar furmskrid-mañ evit kemmañ ho poellad." + +#: actions/editapplication.php:177 actions/newapplication.php:159 +msgid "Name is required." +msgstr "Ret eo lakaat un anv." + +#: actions/editapplication.php:180 actions/newapplication.php:165 +msgid "Name is too long (max 255 chars)." +msgstr "Re hir eo an anv (255 arouezenn d'ar muiañ)." + +#: actions/editapplication.php:183 actions/newapplication.php:162 +msgid "Name already in use. Try another one." +msgstr "Implijet eo dija an anv-mañ. Klaskit unan all." + +#: actions/editapplication.php:186 actions/newapplication.php:168 +msgid "Description is required." +msgstr "Ezhomm 'zo un deskrivadur." + +#: actions/editapplication.php:194 +msgid "Source URL is too long." +msgstr "Mammenn URL re hir." + +#: actions/editapplication.php:200 actions/newapplication.php:185 +msgid "Source URL is not valid." +msgstr "N'eo ket mat an URL mammenn." + +#: actions/editapplication.php:203 actions/newapplication.php:188 +msgid "Organization is required." +msgstr "Ezhomm 'zo eus an aozadur." + +#: actions/editapplication.php:206 actions/newapplication.php:191 +msgid "Organization is too long (max 255 chars)." +msgstr "Re hir eo an aozadur (255 arouezenn d'ar muiañ)." + +#: actions/editapplication.php:209 actions/newapplication.php:194 +msgid "Organization homepage is required." +msgstr "Ret eo kaout pajenn degemer an aozadur." + +#: actions/editapplication.php:218 actions/newapplication.php:206 +msgid "Callback is too long." +msgstr "Rez hir eo ar c'hounadur (Callback)." + +#: actions/editapplication.php:225 actions/newapplication.php:215 +msgid "Callback URL is not valid." +msgstr "N'eo ket mat an URL kounadur (Callback)." + +#: actions/editapplication.php:258 +msgid "Could not update application." +msgstr "Diposubl eo hizivaat ar poellad" + +#: actions/editgroup.php:56 +#, php-format +msgid "Edit %s group" +msgstr "Kemmañ ar strollad %s" + +#: actions/editgroup.php:68 actions/grouplogo.php:70 actions/newgroup.php:65 +msgid "You must be logged in to create a group." +msgstr "Rankout a reoc'h bezañ luget evit krouiñ ur strollad." + +#: actions/editgroup.php:107 actions/editgroup.php:172 +#: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 +msgid "You must be an admin to edit the group." +msgstr "Rankout a reer bezañ merour evit kemmañ ar strollad." + +#: actions/editgroup.php:158 +msgid "Use this form to edit the group." +msgstr "Leunit ar furmskrid-mañ evit kemmañ dibarzhioù ar strollad." + +#: actions/editgroup.php:205 actions/newgroup.php:145 +#, php-format +msgid "description is too long (max %d chars)." +msgstr "re hir eo an deskrivadur (%d arouezenn d'ar muiañ)." + +#: actions/editgroup.php:258 +msgid "Could not update group." +msgstr "Diposubl eo hizivaat ar strollad." + +#: actions/editgroup.php:264 classes/User_group.php:493 +msgid "Could not create aliases." +msgstr "Diposubl eo krouiñ an aliasoù." + +#: actions/editgroup.php:280 +msgid "Options saved." +msgstr "Enrollet eo bet ho dibarzhioù." + +#: actions/emailsettings.php:60 +msgid "Email settings" +msgstr "Arventennoù ar postel" + +#: actions/emailsettings.php:71 +#, php-format +msgid "Manage how you get email from %%site.name%%." +msgstr "Merañ ar posteloù a fell deoc'h resevout a-berzh %%site.name%%." + +#: actions/emailsettings.php:100 actions/imsettings.php:100 +#: actions/smssettings.php:104 +msgid "Address" +msgstr "Chomlec'h" + +#: actions/emailsettings.php:105 +msgid "Current confirmed email address." +msgstr "Chomlec'h postel gwiriekaet er mare-mañ." + +#: actions/emailsettings.php:107 actions/emailsettings.php:140 +#: actions/imsettings.php:108 actions/smssettings.php:115 +#: actions/smssettings.php:158 +msgid "Remove" +msgstr "Dilemel" + +#: actions/emailsettings.php:113 +msgid "" +"Awaiting confirmation on this address. Check your inbox (and spam box!) for " +"a message with further instructions." +msgstr "" + +#: actions/emailsettings.php:117 actions/imsettings.php:120 +#: actions/smssettings.php:126 lib/applicationeditform.php:331 +#: lib/applicationeditform.php:332 +msgid "Cancel" +msgstr "Nullañ" + +#: actions/emailsettings.php:121 +msgid "Email address" +msgstr "Chomlec'h postel" + +#: actions/emailsettings.php:123 +msgid "Email address, like \"UserName@example.org\"" +msgstr "Chomlec'h postel, evel \"AnvImplijer@example.org\"" + +#: actions/emailsettings.php:126 actions/imsettings.php:133 +#: actions/smssettings.php:145 +msgid "Add" +msgstr "Ouzhpennañ" + +#: actions/emailsettings.php:133 actions/smssettings.php:152 +msgid "Incoming email" +msgstr "Postel o tont" + +#: actions/emailsettings.php:138 actions/smssettings.php:157 +msgid "Send email to this address to post new notices." +msgstr "" + +#: actions/emailsettings.php:145 actions/smssettings.php:162 +msgid "Make a new email address for posting to; cancels the old one." +msgstr "" + +#: actions/emailsettings.php:148 actions/smssettings.php:164 +msgid "New" +msgstr "Nevez" + +#: actions/emailsettings.php:153 actions/imsettings.php:139 +#: actions/smssettings.php:169 +msgid "Preferences" +msgstr "Penndibaboù" + +#: actions/emailsettings.php:158 +msgid "Send me notices of new subscriptions through email." +msgstr "" + +#: actions/emailsettings.php:163 +msgid "Send me email when someone adds my notice as a favorite." +msgstr "Kas din ur postel pa lak unan bennak unan eus va alioù evel pennroll." + +#: actions/emailsettings.php:169 +msgid "Send me email when someone sends me a private message." +msgstr "Kas din ur postel pa gas unan bennak ur gemennadenn bersonel din." + +#: actions/emailsettings.php:174 +msgid "Send me email when someone sends me an \"@-reply\"." +msgstr "Kas din ur postel pa gas unan bennak ur \"@-respont\" din." + +#: actions/emailsettings.php:179 +msgid "Allow friends to nudge me and send me an email." +msgstr "" + +#: actions/emailsettings.php:185 +msgid "I want to post notices by email." +msgstr "C'hoant am eus kas va alioù dre bostel." + +#: actions/emailsettings.php:191 +msgid "Publish a MicroID for my email address." +msgstr "Embann ur MicroID evit ma chomlec'h postel." + +#: actions/emailsettings.php:302 actions/imsettings.php:264 +#: actions/othersettings.php:180 actions/smssettings.php:284 +msgid "Preferences saved." +msgstr "Penndibaboù enrollet" + +#: actions/emailsettings.php:320 +msgid "No email address." +msgstr "N'eus chomlec'h postel ebet." + +#: actions/emailsettings.php:327 +msgid "Cannot normalize that email address" +msgstr "" + +#: actions/emailsettings.php:331 actions/register.php:201 +#: actions/siteadminpanel.php:144 +msgid "Not a valid email address." +msgstr "N'eo ket ur chomlec'h postel reizh." + +#: actions/emailsettings.php:334 +msgid "That is already your email address." +msgstr "Ho postel eo dija." + +#: actions/emailsettings.php:337 +msgid "That email address already belongs to another user." +msgstr "" + +#: actions/emailsettings.php:353 actions/imsettings.php:319 +#: actions/smssettings.php:337 +msgid "Couldn't insert confirmation code." +msgstr "" + +#: actions/emailsettings.php:359 +msgid "" +"A confirmation code was sent to the email address you added. Check your " +"inbox (and spam box!) for the code and instructions on how to use it." +msgstr "" + +#: actions/emailsettings.php:379 actions/imsettings.php:351 +#: actions/smssettings.php:370 +msgid "No pending confirmation to cancel." +msgstr "" + +#: actions/emailsettings.php:383 actions/imsettings.php:355 +msgid "That is the wrong IM address." +msgstr "N'eo ket mat ar chomlec'h postelerezh prim." + +#: actions/emailsettings.php:395 actions/imsettings.php:367 +#: actions/smssettings.php:386 +msgid "Confirmation cancelled." +msgstr "Nullet eo bet ar gadarnadenn." + +#: actions/emailsettings.php:413 +msgid "That is not your email address." +msgstr "N'eo ket ho postel." + +#: actions/emailsettings.php:432 actions/imsettings.php:408 +#: actions/smssettings.php:425 +msgid "The address was removed." +msgstr "Dilamet eo bet ar chomlec'h." + +#: actions/emailsettings.php:446 actions/smssettings.php:518 +msgid "No incoming email address." +msgstr "" + +#: actions/emailsettings.php:456 actions/emailsettings.php:478 +#: actions/smssettings.php:528 actions/smssettings.php:552 +msgid "Couldn't update user record." +msgstr "" + +#: actions/emailsettings.php:459 actions/smssettings.php:531 +msgid "Incoming email address removed." +msgstr "" + +#: actions/emailsettings.php:481 actions/smssettings.php:555 +msgid "New incoming email address added." +msgstr "" + +#: actions/favor.php:79 +msgid "This notice is already a favorite!" +msgstr "Ouzhpennet eo bet an ali-mañ d'ho pennrolloù dija !" + +#: actions/favor.php:92 lib/disfavorform.php:140 +msgid "Disfavor favorite" +msgstr "" + +#: actions/favorited.php:65 lib/popularnoticesection.php:91 +#: lib/publicgroupnav.php:93 +msgid "Popular notices" +msgstr "Alioù poblek" + +#: actions/favorited.php:67 +#, php-format +msgid "Popular notices, page %d" +msgstr "Alioù poblek, pajenn %d" + +#: actions/favorited.php:79 +msgid "The most popular notices on the site right now." +msgstr "An alioù ar brudetañ el lec'hienn er mare-mañ." + +#: actions/favorited.php:150 +msgid "Favorite notices appear on this page but no one has favorited one yet." +msgstr "" + +#: actions/favorited.php:153 +msgid "" +"Be the first to add a notice to your favorites by clicking the fave button " +"next to any notice you like." +msgstr "" + +#: actions/favorited.php:156 +#, php-format +msgid "" +"Why not [register an account](%%action.register%%) and be the first to add a " +"notice to your favorites!" +msgstr "" + +#: actions/favoritesrss.php:111 actions/showfavorites.php:77 +#: lib/personalgroupnav.php:115 +#, php-format +msgid "%s's favorite notices" +msgstr "Alioù pennrollet eus %s" + +#: actions/favoritesrss.php:115 +#, php-format +msgid "Updates favored by %1$s on %2$s!" +msgstr "Hizivadennoù brientek gant %1$s war %2$s !" + +#: actions/featured.php:69 lib/featureduserssection.php:87 +#: lib/publicgroupnav.php:89 +msgid "Featured users" +msgstr "" + +#: actions/featured.php:71 +#, php-format +msgid "Featured users, page %d" +msgstr "" + +#: actions/featured.php:99 +#, php-format +msgid "A selection of some great users on %s" +msgstr "Un dibab eus implijerien vat e %s" + +#: actions/file.php:34 +msgid "No notice ID." +msgstr "ID ali ebet." + +#: actions/file.php:38 +msgid "No notice." +msgstr "Ali ebet." + +#: actions/file.php:42 +msgid "No attachments." +msgstr "N'eus restr stag ebet." + +#: actions/file.php:51 +msgid "No uploaded attachments." +msgstr "" + +#: actions/finishremotesubscribe.php:69 +msgid "Not expecting this response!" +msgstr "Ne oa ket gortozet ar respont-mañ !" + +#: actions/finishremotesubscribe.php:80 +msgid "User being listened to does not exist." +msgstr "" + +#: actions/finishremotesubscribe.php:87 actions/remotesubscribe.php:59 +msgid "You can use the local subscription!" +msgstr "" + +#: actions/finishremotesubscribe.php:99 +msgid "That user has blocked you from subscribing." +msgstr "An implijer-se en deus ho stanket evit en enskrivañ." + +#: actions/finishremotesubscribe.php:110 +msgid "You are not authorized." +msgstr "N'oc'h ket aotreet." + +#: actions/finishremotesubscribe.php:113 +msgid "Could not convert request token to access token." +msgstr "" + +#: actions/finishremotesubscribe.php:118 +msgid "Remote service uses unknown version of OMB protocol." +msgstr "" + +#: actions/finishremotesubscribe.php:138 lib/oauthstore.php:306 +msgid "Error updating remote profile" +msgstr "" + +#: actions/getfile.php:79 +msgid "No such file." +msgstr "Restr ezvezant." + +#: actions/getfile.php:83 +msgid "Cannot read file." +msgstr "Diposupl eo lenn ar restr." + +#: actions/grantrole.php:62 actions/revokerole.php:62 +#, fuzzy +msgid "Invalid role." +msgstr "Fichenn direizh." + +#: actions/grantrole.php:66 actions/revokerole.php:66 +msgid "This role is reserved and cannot be set." +msgstr "" + +#: actions/grantrole.php:75 +#, fuzzy +msgid "You cannot grant user roles on this site." +msgstr "Ne c'helloc'h ket kas kemennadennoù d'an implijer-mañ." + +#: actions/grantrole.php:82 +#, fuzzy +msgid "User already has this role." +msgstr "An implijer-mañ n'eus profil ebet dezhañ." + +#: actions/groupblock.php:71 actions/groupunblock.php:71 +#: actions/makeadmin.php:71 actions/subedit.php:46 +#: lib/profileformaction.php:70 +msgid "No profile specified." +msgstr "N'eo bet resisaet profil ebet" + +#: actions/groupblock.php:76 actions/groupunblock.php:76 +#: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 +#: actions/unsubscribe.php:84 lib/profileformaction.php:77 +msgid "No profile with that ID." +msgstr "N'eus profil ebet gant an ID-mañ." + +#: actions/groupblock.php:81 actions/groupunblock.php:81 +#: actions/makeadmin.php:81 +msgid "No group specified." +msgstr "N'eo bet resisaet strollad ebet" + +#: actions/groupblock.php:91 +msgid "Only an admin can block group members." +msgstr "N'eus neme ur merour a c'hell stankañ izili ur strollad." + +#: actions/groupblock.php:95 +msgid "User is already blocked from group." +msgstr "An implijer-mañ a zo stanket dija eus ar strollad." + +#: actions/groupblock.php:100 +msgid "User is not a member of group." +msgstr "N'eo ket an implijer-mañ ezel eus ur strollad." + +#: actions/groupblock.php:136 actions/groupmembers.php:323 +msgid "Block user from group" +msgstr "Stankañ an implijer-mañ eus ar strollad" + +#: actions/groupblock.php:162 +#, php-format +msgid "" +"Are you sure you want to block user \"%1$s\" from the group \"%2$s\"? They " +"will be removed from the group, unable to post, and unable to subscribe to " +"the group in the future." +msgstr "" + +#: actions/groupblock.php:178 +msgid "Do not block this user from this group" +msgstr "Arabat stankañ an implijer-mañ eus ar strollad." + +#: actions/groupblock.php:179 +msgid "Block this user from this group" +msgstr "Stankañ an implijer-mañ eus ar strollad-se" + +#: actions/groupblock.php:196 +msgid "Database error blocking user from group." +msgstr "" + +#: actions/groupbyid.php:74 actions/userbyid.php:70 +msgid "No ID." +msgstr "ID ebet" + +#: actions/groupdesignsettings.php:68 +msgid "You must be logged in to edit a group." +msgstr "" + +#: actions/groupdesignsettings.php:144 +msgid "Group design" +msgstr "Design ar strollad" + +#: actions/groupdesignsettings.php:155 +msgid "" +"Customize the way your group looks with a background image and a colour " +"palette of your choice." +msgstr "" + +#: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 +#: lib/designsettings.php:391 lib/designsettings.php:413 +msgid "Couldn't update your design." +msgstr "Diposubl eo hizivaat ho design." + +#: actions/groupdesignsettings.php:311 actions/userdesignsettings.php:231 +msgid "Design preferences saved." +msgstr "Enrollet eo bet an arventennoù design." + +#: actions/grouplogo.php:142 actions/grouplogo.php:195 +msgid "Group logo" +msgstr "Logo ar strollad" + +#: actions/grouplogo.php:153 +#, php-format +msgid "" +"You can upload a logo image for your group. The maximum file size is %s." +msgstr "" + +#: actions/grouplogo.php:181 +msgid "User without matching profile." +msgstr "" + +#: actions/grouplogo.php:365 +msgid "Pick a square area of the image to be the logo." +msgstr "" + +#: actions/grouplogo.php:399 +msgid "Logo updated." +msgstr "Logo hizivaet." + +#: actions/grouplogo.php:401 +msgid "Failed updating logo." +msgstr "N'eo ket bet kaset da benn an hizivadenn." + +#: actions/groupmembers.php:100 lib/groupnav.php:92 +#, php-format +msgid "%s group members" +msgstr "Izili ar strollad %s" + +#: actions/groupmembers.php:103 +#, php-format +msgid "%1$s group members, page %2$d" +msgstr "Izili ar strollad %1$s, pajenn %2$d" + +#: actions/groupmembers.php:118 +msgid "A list of the users in this group." +msgstr "Roll an implijerien enrollet er strollad-mañ." + +#: actions/groupmembers.php:182 lib/groupnav.php:107 +msgid "Admin" +msgstr "Merañ" + +#: actions/groupmembers.php:355 lib/blockform.php:69 +msgid "Block" +msgstr "Stankañ" + +#: actions/groupmembers.php:450 +msgid "Make user an admin of the group" +msgstr "Lakaat an implijer da vezañ ur merour eus ar strollad" + +#: actions/groupmembers.php:482 +msgid "Make Admin" +msgstr "Lakaat ur merour" + +#: actions/groupmembers.php:482 +msgid "Make this user an admin" +msgstr "Lakaat an implijer-mañ da verour" + +#: actions/grouprss.php:138 actions/userrss.php:90 +#: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 +#, php-format +msgid "%s timeline" +msgstr "Oberezhioù %s" + +#: actions/grouprss.php:140 +#, php-format +msgid "Updates from members of %1$s on %2$s!" +msgstr "Hizivadenn izili %1$s e %2$s !" + +#: actions/groups.php:62 lib/profileaction.php:212 lib/profileaction.php:232 +#: lib/publicgroupnav.php:81 lib/searchgroupnav.php:84 lib/subgroupnav.php:98 +msgid "Groups" +msgstr "Strolladoù" + +#: actions/groups.php:64 +#, php-format +msgid "Groups, page %d" +msgstr "Strollad, pajenn %d" + +#: actions/groups.php:90 +#, php-format +msgid "" +"%%%%site.name%%%% groups let you find and talk with people of similar " +"interests. After you join a group you can send messages to all other members " +"using the syntax \"!groupname\". Don't see a group you like? Try [searching " +"for one](%%%%action.groupsearch%%%%) or [start your own!](%%%%action.newgroup" +"%%%%)" +msgstr "" + +#: actions/groups.php:107 actions/usergroups.php:124 lib/groupeditform.php:122 +msgid "Create a new group" +msgstr "Krouiñ ur strollad nevez" + +#: actions/groupsearch.php:52 +#, php-format +msgid "" +"Search for groups on %%site.name%% by their name, location, or description. " +"Separate the terms by spaces; they must be 3 characters or more." +msgstr "" + +#: actions/groupsearch.php:58 +msgid "Group search" +msgstr "Klask strolladoù" + +#: actions/groupsearch.php:79 actions/noticesearch.php:117 +#: actions/peoplesearch.php:83 +msgid "No results." +msgstr "Disoc'h ebet." + +#: actions/groupsearch.php:82 +#, php-format +msgid "" +"If you can't find the group you're looking for, you can [create it](%%action." +"newgroup%%) yourself." +msgstr "" +"Ma ne gavoc'h ket ar strollad emaoc'h o klask, neuze e c'helloc'h [krouiñ " +"anezhañ](%%action.newgroup%%)." + +#: actions/groupsearch.php:85 +#, php-format +msgid "" +"Why not [register an account](%%action.register%%) and [create the group](%%" +"action.newgroup%%) yourself!" +msgstr "" + +#: actions/groupunblock.php:91 +msgid "Only an admin can unblock group members." +msgstr "N'eus nemet ur merour a c'hell distankañ izili ur strollad." + +#: actions/groupunblock.php:95 +msgid "User is not blocked from group." +msgstr "N'eo ket stanket an implijer-mañ eus ar strollad." + +#: actions/groupunblock.php:128 actions/unblock.php:86 +msgid "Error removing the block." +msgstr "Ur fazi a zo bet e-pad nulladenn ar stankadenn." + +#: actions/imsettings.php:59 +msgid "IM settings" +msgstr "Arventennoù ar bostelerezh prim" + +#: actions/imsettings.php:70 +#, php-format +msgid "" +"You can send and receive notices through Jabber/GTalk [instant messages](%%" +"doc.im%%). Configure your address and settings below." +msgstr "" + +#: actions/imsettings.php:89 +msgid "IM is not available." +msgstr "Dizimplijadus eo ar bostelerezh prim" + +#: actions/imsettings.php:106 +msgid "Current confirmed Jabber/GTalk address." +msgstr "Chomlec'h Jabber/GTalk kadarnaet er mare-mañ." + +#: actions/imsettings.php:114 +#, php-format +msgid "" +"Awaiting confirmation on this address. Check your Jabber/GTalk account for a " +"message with further instructions. (Did you add %s to your buddy list?)" +msgstr "" + +#: actions/imsettings.php:124 +msgid "IM address" +msgstr "Chomlec'h postelerezh prim" + +#: actions/imsettings.php:126 +#, php-format +msgid "" +"Jabber or GTalk address, like \"UserName@example.org\". First, make sure to " +"add %s to your buddy list in your IM client or on GTalk." +msgstr "" + +#: actions/imsettings.php:143 +msgid "Send me notices through Jabber/GTalk." +msgstr "Kas din an alioù dre Jabber/GTalk." + +#: actions/imsettings.php:148 +msgid "Post a notice when my Jabber/GTalk status changes." +msgstr "" + +#: actions/imsettings.php:153 +msgid "Send me replies through Jabber/GTalk from people I'm not subscribed to." +msgstr "" + +#: actions/imsettings.php:159 +msgid "Publish a MicroID for my Jabber/GTalk address." +msgstr "Embann ur MicroID evit ma chomlec'h Jabber/GTalk." + +#: actions/imsettings.php:285 +msgid "No Jabber ID." +msgstr "ID Jabber ebet." + +#: actions/imsettings.php:292 +msgid "Cannot normalize that Jabber ID" +msgstr "Diposubl eo implijout an ID Jabber-mañ" + +#: actions/imsettings.php:296 +msgid "Not a valid Jabber ID" +msgstr "N'eo ket un ID Jabber reizh." + +#: actions/imsettings.php:299 +msgid "That is already your Jabber ID." +msgstr "Ho ID Jabber eo dija" + +#: actions/imsettings.php:302 +msgid "Jabber ID already belongs to another user." +msgstr "Implijet eo an Jabber ID-mañ gant un implijer all." + +#: actions/imsettings.php:327 +#, php-format +msgid "" +"A confirmation code was sent to the IM address you added. You must approve %" +"s for sending messages to you." +msgstr "" + +#: actions/imsettings.php:387 +msgid "That is not your Jabber ID." +msgstr "N'eo ket ho ID Jabber." + +#: actions/inbox.php:59 +#, php-format +msgid "Inbox for %1$s - page %2$d" +msgstr "Boest degemer %1$s - pajenn %2$d" + +#: actions/inbox.php:62 +#, php-format +msgid "Inbox for %s" +msgstr "Bost resevout %s" + +#: actions/inbox.php:115 +msgid "This is your inbox, which lists your incoming private messages." +msgstr "" + +#: actions/invite.php:39 +msgid "Invites have been disabled." +msgstr "Diweredekaat eo bet ar bedadennoù." + +#: actions/invite.php:41 +#, php-format +msgid "You must be logged in to invite other users to use %s" +msgstr "" + +#: actions/invite.php:72 +#, php-format +msgid "Invalid email address: %s" +msgstr "Fall eo ar postel : %s" + +#: actions/invite.php:110 +msgid "Invitation(s) sent" +msgstr "Kaset eo bet ar bedadenn(où)" + +#: actions/invite.php:112 +msgid "Invite new users" +msgstr "Pediñ implijerien nevez" + +#: actions/invite.php:128 +msgid "You are already subscribed to these users:" +msgstr "Koumanantet oc'h dija d'an implijerien-mañ :" + +#: actions/invite.php:131 actions/invite.php:139 lib/command.php:306 +#, php-format +msgid "%1$s (%2$s)" +msgstr "%1$s (%2$s)" + +#: actions/invite.php:136 +msgid "" +"These people are already users and you were automatically subscribed to them:" +msgstr "" +"Implijerien eo dija an dud-mañ ha koumanantet oc'h bet ez emgefre d'an " +"implijerien da-heul :" + +#: actions/invite.php:144 +msgid "Invitation(s) sent to the following people:" +msgstr "Pedadennoù bet kaset d'an implijerien da-heul :" + +#: actions/invite.php:150 +msgid "" +"You will be notified when your invitees accept the invitation and register " +"on the site. Thanks for growing the community!" +msgstr "" + +#: actions/invite.php:162 +msgid "" +"Use this form to invite your friends and colleagues to use this service." +msgstr "" + +#: actions/invite.php:187 +msgid "Email addresses" +msgstr "Chomlec'hioù postel" + +#: actions/invite.php:189 +msgid "Addresses of friends to invite (one per line)" +msgstr "Chomlec'hioù an implijerien da bediñ (unan dre linenn)" + +#: actions/invite.php:192 +msgid "Personal message" +msgstr "Kemenadenn bersonel" + +#: actions/invite.php:194 +msgid "Optionally add a personal message to the invitation." +msgstr "" + +#. TRANS: Send button for inviting friends +#: actions/invite.php:198 +msgctxt "BUTTON" +msgid "Send" +msgstr "Kas" + +#: actions/invite.php:227 +#, php-format +msgid "%1$s has invited you to join them on %2$s" +msgstr "%1$s a bed ac'hanoc'h d'en em enskrivañ war %2$s" + +#: actions/invite.php:229 +#, php-format +msgid "" +"%1$s has invited you to join them on %2$s (%3$s).\n" +"\n" +"%2$s is a micro-blogging service that lets you keep up-to-date with people " +"you know and people who interest you.\n" +"\n" +"You can also share news about yourself, your thoughts, or your life online " +"with people who know about you. It's also great for meeting new people who " +"share your interests.\n" +"\n" +"%1$s said:\n" +"\n" +"%4$s\n" +"\n" +"You can see %1$s's profile page on %2$s here:\n" +"\n" +"%5$s\n" +"\n" +"If you'd like to try the service, click on the link below to accept the " +"invitation.\n" +"\n" +"%6$s\n" +"\n" +"If not, you can ignore this message. Thanks for your patience and your " +"time.\n" +"\n" +"Sincerely, %2$s\n" +msgstr "" + +#: actions/joingroup.php:60 +msgid "You must be logged in to join a group." +msgstr "Rankout a reoc'h bezañ luget evit mont en ur strollad." + +#: actions/joingroup.php:88 actions/leavegroup.php:88 +msgid "No nickname or ID." +msgstr "Lesanv pe ID ebet." + +#: actions/joingroup.php:141 +#, php-format +msgid "%1$s joined group %2$s" +msgstr "%1$s a zo bet er strollad %2$s" + +#: actions/leavegroup.php:60 +msgid "You must be logged in to leave a group." +msgstr "Ret eo deoc'h bezañ kevreet evit kuitaat ur strollad" + +#: actions/leavegroup.php:100 lib/command.php:265 +msgid "You are not a member of that group." +msgstr "N'oc'h ket un ezel eus ar strollad-mañ." + +#: actions/leavegroup.php:137 +#, php-format +msgid "%1$s left group %2$s" +msgstr "%1$s en deus kuitaet ar strollad %2$s" + +#: actions/login.php:80 actions/otp.php:62 actions/register.php:137 +msgid "Already logged in." +msgstr "Kevreet oc'h dija." + +#: actions/login.php:126 +msgid "Incorrect username or password." +msgstr "Anv implijer pe ger-tremen direizh." + +#: actions/login.php:132 actions/otp.php:120 +msgid "Error setting user. You are probably not authorized." +msgstr "" +"Ur fazi 'zo bet e-pad hizivadenn an implijer. Moarvat n'oc'h ket aotreet " +"evit en ober." + +#: actions/login.php:188 actions/login.php:241 lib/logingroupnav.php:79 +msgid "Login" +msgstr "Kevreañ" + +#: actions/login.php:227 +msgid "Login to site" +msgstr "Kevreañ d'al lec'hienn" + +#: actions/login.php:236 actions/register.php:478 +msgid "Remember me" +msgstr "Kaout soñj" + +#: actions/login.php:237 actions/register.php:480 +msgid "Automatically login in the future; not for shared computers!" +msgstr "" +"Digeriñ va dalc'h war-eeun ar wechoù o tont ; arabat en ober war " +"urzhiataeroù rannet pe publik !" + +#: actions/login.php:247 +msgid "Lost or forgotten password?" +msgstr "Ha kollet o peus ho ker-tremen ?" + +#: actions/login.php:266 +msgid "" +"For security reasons, please re-enter your user name and password before " +"changing your settings." +msgstr "" +"Evit abegoù a surentezh, mar plij adlakait hoc'h anv implijer hag ho ker-" +"tremen a-benn enrollañ ho penndibaboù." + +#: actions/login.php:270 +#, php-format +msgid "" +"Login with your username and password. Don't have a username yet? [Register]" +"(%%action.register%%) a new account." +msgstr "" +"Kevreit gant ho anv implijer hag ho ker tremen. N'o peus ket a anv implijer " +"evit c'hoazh ? [Krouit](%%action.register%%) ur gont nevez." + +#: actions/makeadmin.php:92 +msgid "Only an admin can make another user an admin." +msgstr "N'eus nemet ur merour a c'hall lakaat un implijer all da vezañ merour." + +#: actions/makeadmin.php:96 +#, php-format +msgid "%1$s is already an admin for group \"%2$s\"." +msgstr "%1$s a zo dija merour ar strollad \"%2$s\"." + +#: actions/makeadmin.php:133 +#, php-format +msgid "Can't get membership record for %1$s in group %2$s." +msgstr "" + +#: actions/makeadmin.php:146 +#, php-format +msgid "Can't make %1$s an admin for group %2$s." +msgstr "Diposubl eo lakaat %1$s da merour ar strollad %2$s." + +#: actions/microsummary.php:69 +msgid "No current status" +msgstr "Statud ebet er mare-mañ" + +#: actions/newapplication.php:52 +msgid "New Application" +msgstr "Poellad nevez" + +#: actions/newapplication.php:64 +msgid "You must be logged in to register an application." +msgstr "Ret eo deoc'h bezañ luget evit enrollañ ur poellad." + +#: actions/newapplication.php:143 +msgid "Use this form to register a new application." +msgstr "Implijit ar furmskrid-mañ evit enskrivañ ur poellad nevez." + +#: actions/newapplication.php:176 +msgid "Source URL is required." +msgstr "Ezhomm 'zo eus ar vammenn URL." + +#: actions/newapplication.php:258 actions/newapplication.php:267 +msgid "Could not create application." +msgstr "N'eo ket posubl krouiñ ar poellad." + +#: actions/newgroup.php:53 +msgid "New group" +msgstr "Strollad nevez" + +#: actions/newgroup.php:110 +msgid "Use this form to create a new group." +msgstr "Implijit ar furmskrid-mañ a-benn krouiñ ur strollad nevez." + +#: actions/newmessage.php:71 actions/newmessage.php:231 +msgid "New message" +msgstr "Kemennadenn nevez" + +#: actions/newmessage.php:121 actions/newmessage.php:161 lib/command.php:358 +msgid "You can't send a message to this user." +msgstr "Ne c'helloc'h ket kas kemennadennoù d'an implijer-mañ." + +#: actions/newmessage.php:144 actions/newnotice.php:136 lib/command.php:342 +#: lib/command.php:475 +msgid "No content!" +msgstr "Goullo eo !" + +#: actions/newmessage.php:158 +msgid "No recipient specified." +msgstr "N'o peus ket lakaet a resever." + +#: actions/newmessage.php:164 lib/command.php:361 +msgid "" +"Don't send a message to yourself; just say it to yourself quietly instead." +msgstr "" +"Na gasit ket a gemennadenn deoc'h c'hwi ho unan ; lavarit an traoù-se en ho " +"penn kentoc'h." + +#: actions/newmessage.php:181 +msgid "Message sent" +msgstr "Kaset eo bet ar gemenadenn" + +#: actions/newmessage.php:185 +#, php-format +msgid "Direct message to %s sent." +msgstr "Kaset eo bet da %s ar gemennadenn war-eeun." + +#: actions/newmessage.php:210 actions/newnotice.php:245 lib/channel.php:170 +msgid "Ajax Error" +msgstr "Fazi Ajax" + +#: actions/newnotice.php:69 +msgid "New notice" +msgstr "Ali nevez" + +#: actions/newnotice.php:211 +msgid "Notice posted" +msgstr "Ali embannet" + +#: actions/noticesearch.php:68 +#, php-format +msgid "" +"Search for notices on %%site.name%% by their contents. Separate search terms " +"by spaces; they must be 3 characters or more." +msgstr "" + +#: actions/noticesearch.php:78 +msgid "Text search" +msgstr "Klask un destenn" + +#: actions/noticesearch.php:91 +#, php-format +msgid "Search results for \"%1$s\" on %2$s" +msgstr "Disoc'hoù ar c'hlask evit \"%1$s\" e %2$s" + +#: actions/noticesearch.php:121 +#, php-format +msgid "" +"Be the first to [post on this topic](%%%%action.newnotice%%%%?" +"status_textarea=%s)!" +msgstr "" + +#: actions/noticesearch.php:124 +#, php-format +msgid "" +"Why not [register an account](%%%%action.register%%%%) and be the first to " +"[post on this topic](%%%%action.newnotice%%%%?status_textarea=%s)!" +msgstr "" + +#: actions/noticesearchrss.php:96 +#, php-format +msgid "Updates with \"%s\"" +msgstr "Hizivadenn gant \"%s\"" + +#: actions/noticesearchrss.php:98 +#, php-format +msgid "Updates matching search term \"%1$s\" on %2$s!" +msgstr "" + +#: actions/nudge.php:85 +msgid "" +"This user doesn't allow nudges or hasn't confirmed or set his email yet." +msgstr "" + +#: actions/nudge.php:94 +msgid "Nudge sent" +msgstr "Kaset eo bet ar blinkadenn" + +#: actions/nudge.php:97 +msgid "Nudge sent!" +msgstr "Kaset eo bet ar blinkadenn !" + +#: actions/oauthappssettings.php:59 +msgid "You must be logged in to list your applications." +msgstr "Rankout a reoc'h bezañ kevreet evit rollañ ho poelladoù." + +#: actions/oauthappssettings.php:74 +msgid "OAuth applications" +msgstr "Poelladoù OAuth" + +#: actions/oauthappssettings.php:85 +msgid "Applications you have registered" +msgstr "Ar poelladoù o peus enrollet" + +#: actions/oauthappssettings.php:135 +#, php-format +msgid "You have not registered any applications yet." +msgstr "N'o peus enrollet poellad ebet evit poent." + +#: actions/oauthconnectionssettings.php:72 +msgid "Connected applications" +msgstr "Poeladoù kevreet." + +#: actions/oauthconnectionssettings.php:83 +msgid "You have allowed the following applications to access you account." +msgstr "" + +#: actions/oauthconnectionssettings.php:175 +msgid "You are not a user of that application." +msgstr "N'oc'h ket un implijer eus ar poellad-mañ." + +#: actions/oauthconnectionssettings.php:186 +msgid "Unable to revoke access for app: " +msgstr "Dibosupl eo nullañ moned ar poellad : " + +#: actions/oauthconnectionssettings.php:198 +#, php-format +msgid "You have not authorized any applications to use your account." +msgstr "" + +#: actions/oauthconnectionssettings.php:211 +msgid "Developers can edit the registration settings for their applications " +msgstr "" + +#: actions/oembed.php:79 actions/shownotice.php:100 +msgid "Notice has no profile" +msgstr "N'en deus ket an ali a profil" + +#: actions/oembed.php:86 actions/shownotice.php:180 +#, php-format +msgid "%1$s's status on %2$s" +msgstr "Statud %1$s war %2$s" + +#: actions/oembed.php:157 +msgid "content type " +msgstr "seurt an danvez " + +#: actions/oembed.php:160 +msgid "Only " +msgstr "Hepken " + +#: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 +#: lib/apiaction.php:1070 lib/apiaction.php:1179 +msgid "Not a supported data format." +msgstr "" + +#: actions/opensearch.php:64 +msgid "People Search" +msgstr "Klask tud" + +#: actions/opensearch.php:67 +msgid "Notice Search" +msgstr "Klask alioù" + +#: actions/othersettings.php:60 +msgid "Other settings" +msgstr "Arventennoù all" + +#: actions/othersettings.php:71 +msgid "Manage various other options." +msgstr "Dibarzhioù all da gefluniañ." + +#: actions/othersettings.php:108 +msgid " (free service)" +msgstr " (servij digoust)" + +#: actions/othersettings.php:116 +msgid "Shorten URLs with" +msgstr "" + +#: actions/othersettings.php:117 +msgid "Automatic shortening service to use." +msgstr "" + +#: actions/othersettings.php:122 +msgid "View profile designs" +msgstr "" + +#: actions/othersettings.php:123 +msgid "Show or hide profile designs." +msgstr "" + +#: actions/othersettings.php:153 +msgid "URL shortening service is too long (max 50 chars)." +msgstr "" + +#: actions/otp.php:69 +msgid "No user ID specified." +msgstr "N'eus bet diferet ID implijer ebet." + +#: actions/otp.php:83 +msgid "No login token specified." +msgstr "" + +#: actions/otp.php:90 +msgid "No login token requested." +msgstr "" + +#: actions/otp.php:95 +msgid "Invalid login token specified." +msgstr "" + +#: actions/otp.php:104 +msgid "Login token expired." +msgstr "" + +#: actions/outbox.php:58 +#, php-format +msgid "Outbox for %1$s - page %2$d" +msgstr "Boest kas %1$s - pajenn %2$d" + +#: actions/outbox.php:61 +#, php-format +msgid "Outbox for %s" +msgstr "Boest kas %s" + +#: actions/outbox.php:116 +msgid "This is your outbox, which lists private messages you have sent." +msgstr "" + +#: actions/passwordsettings.php:58 +msgid "Change password" +msgstr "Cheñch ger-tremen" + +#: actions/passwordsettings.php:69 +msgid "Change your password." +msgstr "Kemmañ ho ger tremen." + +#: actions/passwordsettings.php:96 actions/recoverpassword.php:231 +msgid "Password change" +msgstr "Kemmañ ar ger-tremen" + +#: actions/passwordsettings.php:104 +msgid "Old password" +msgstr "Ger-tremen kozh" + +#: actions/passwordsettings.php:108 actions/recoverpassword.php:235 +msgid "New password" +msgstr "Ger-tremen nevez" + +#: actions/passwordsettings.php:109 +msgid "6 or more characters" +msgstr "6 arouezenn pe muioc'h" + +#: actions/passwordsettings.php:112 actions/recoverpassword.php:239 +#: actions/register.php:433 actions/smssettings.php:134 +msgid "Confirm" +msgstr "Kadarnaat" + +#: actions/passwordsettings.php:113 actions/recoverpassword.php:240 +msgid "Same as password above" +msgstr "Memestra eget ar ger tremen a-us" + +#: actions/passwordsettings.php:117 +msgid "Change" +msgstr "Kemmañ" + +#: actions/passwordsettings.php:154 actions/register.php:230 +msgid "Password must be 6 or more characters." +msgstr "" + +#: actions/passwordsettings.php:157 actions/register.php:233 +msgid "Passwords don't match." +msgstr "Ne glot ket ar gerioù-tremen." + +#: actions/passwordsettings.php:165 +msgid "Incorrect old password" +msgstr "ger-termen kozh amreizh" + +#: actions/passwordsettings.php:181 +msgid "Error saving user; invalid." +msgstr "Ur fazi 'zo bet e-pad enolladenn an implijer ; diwiriek." + +#: actions/passwordsettings.php:186 actions/recoverpassword.php:368 +msgid "Can't save new password." +msgstr "Dibosupl eo enrollañ ar ger-tremen nevez." + +#: actions/passwordsettings.php:192 actions/recoverpassword.php:211 +msgid "Password saved." +msgstr "Ger-tremen enrollet." + +#. TRANS: Menu item for site administration +#: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 +msgid "Paths" +msgstr "Hentoù" + +#: actions/pathsadminpanel.php:70 +msgid "Path and server settings for this StatusNet site." +msgstr "" + +#: actions/pathsadminpanel.php:157 +#, php-format +msgid "Theme directory not readable: %s" +msgstr "" + +#: actions/pathsadminpanel.php:163 +#, php-format +msgid "Avatar directory not writable: %s" +msgstr "" + +#: actions/pathsadminpanel.php:169 +#, php-format +msgid "Background directory not writable: %s" +msgstr "" + +#: actions/pathsadminpanel.php:177 +#, php-format +msgid "Locales directory not readable: %s" +msgstr "" + +#: actions/pathsadminpanel.php:183 +msgid "Invalid SSL server. The maximum length is 255 characters." +msgstr "" + +#: actions/pathsadminpanel.php:234 actions/siteadminpanel.php:58 +msgid "Site" +msgstr "Lec'hien" + +#: actions/pathsadminpanel.php:238 +msgid "Server" +msgstr "Servijer" + +#: actions/pathsadminpanel.php:238 +msgid "Site's server hostname." +msgstr "" + +#: actions/pathsadminpanel.php:242 +msgid "Path" +msgstr "Hent" + +#: actions/pathsadminpanel.php:242 +msgid "Site path" +msgstr "Hent al lec'hien" + +#: actions/pathsadminpanel.php:246 +msgid "Path to locales" +msgstr "" + +#: actions/pathsadminpanel.php:246 +msgid "Directory path to locales" +msgstr "" + +#: actions/pathsadminpanel.php:250 +msgid "Fancy URLs" +msgstr "URLioù brav" + +#: actions/pathsadminpanel.php:252 +msgid "Use fancy (more readable and memorable) URLs?" +msgstr "" + +#: actions/pathsadminpanel.php:259 +msgid "Theme" +msgstr "Danvez" + +#: actions/pathsadminpanel.php:264 +msgid "Theme server" +msgstr "Servijer danvezioù" + +#: actions/pathsadminpanel.php:268 +msgid "Theme path" +msgstr "Hentad an tem" + +#: actions/pathsadminpanel.php:272 +msgid "Theme directory" +msgstr "" + +#: actions/pathsadminpanel.php:279 +msgid "Avatars" +msgstr "Avataroù" + +#: actions/pathsadminpanel.php:284 +msgid "Avatar server" +msgstr "Servijer avatar" + +#: actions/pathsadminpanel.php:288 +msgid "Avatar path" +msgstr "" + +#: actions/pathsadminpanel.php:292 +msgid "Avatar directory" +msgstr "" + +#: actions/pathsadminpanel.php:301 +msgid "Backgrounds" +msgstr "Backgroundoù" + +#: actions/pathsadminpanel.php:305 +msgid "Background server" +msgstr "Servijer ar backgroundoù" + +#: actions/pathsadminpanel.php:309 +msgid "Background path" +msgstr "" + +#: actions/pathsadminpanel.php:313 +msgid "Background directory" +msgstr "" + +#: actions/pathsadminpanel.php:320 +msgid "SSL" +msgstr "SSL" + +#: actions/pathsadminpanel.php:323 actions/snapshotadminpanel.php:202 +msgid "Never" +msgstr "Morse" + +#: actions/pathsadminpanel.php:324 +msgid "Sometimes" +msgstr "A-wechoù" + +#: actions/pathsadminpanel.php:325 +msgid "Always" +msgstr "Atav" + +#: actions/pathsadminpanel.php:329 +msgid "Use SSL" +msgstr "Implij SSl" + +#: actions/pathsadminpanel.php:330 +msgid "When to use SSL" +msgstr "" + +#: actions/pathsadminpanel.php:335 +msgid "SSL server" +msgstr "Servijer SSL" + +#: actions/pathsadminpanel.php:336 +msgid "Server to direct SSL requests to" +msgstr "" + +#: actions/pathsadminpanel.php:352 +msgid "Save paths" +msgstr "Enrollañ an hentadoù." + +#: actions/peoplesearch.php:52 +#, php-format +msgid "" +"Search for people on %%site.name%% by their name, location, or interests. " +"Separate the terms by spaces; they must be 3 characters or more." +msgstr "" + +#: actions/peoplesearch.php:58 +msgid "People search" +msgstr "Klask tud" + +#: actions/peopletag.php:70 +#, php-format +msgid "Not a valid people tag: %s" +msgstr "N'eo ket reizh ar merk-se : %s" + +#: actions/peopletag.php:144 +#, php-format +msgid "Users self-tagged with %1$s - page %2$d" +msgstr "" + +#: actions/postnotice.php:95 +msgid "Invalid notice content" +msgstr "" + +#: actions/postnotice.php:101 +#, php-format +msgid "Notice license ‘%1$s’ is not compatible with site license ‘%2$s’." +msgstr "" + +#: actions/profilesettings.php:60 +msgid "Profile settings" +msgstr "Arventennoù ar profil" + +#: actions/profilesettings.php:71 +msgid "" +"You can update your personal profile info here so people know more about you." +msgstr "" + +#: actions/profilesettings.php:99 +msgid "Profile information" +msgstr "" + +#: actions/profilesettings.php:108 lib/groupeditform.php:154 +msgid "1-64 lowercase letters or numbers, no punctuation or spaces" +msgstr "" + +#: actions/profilesettings.php:111 actions/register.php:448 +#: actions/showgroup.php:255 actions/tagother.php:104 +#: lib/groupeditform.php:157 lib/userprofile.php:149 +msgid "Full name" +msgstr "Anv klok" + +#: actions/profilesettings.php:115 actions/register.php:453 +#: lib/applicationeditform.php:228 lib/groupeditform.php:161 +msgid "Homepage" +msgstr "Pajenn degemer" + +#: actions/profilesettings.php:117 actions/register.php:455 +msgid "URL of your homepage, blog, or profile on another site" +msgstr "" + +#: actions/profilesettings.php:122 actions/register.php:461 +#, php-format +msgid "Describe yourself and your interests in %d chars" +msgstr "" + +#: actions/profilesettings.php:125 actions/register.php:464 +msgid "Describe yourself and your interests" +msgstr "" + +#: actions/profilesettings.php:127 actions/register.php:466 +msgid "Bio" +msgstr "Buhezskrid" + +#: actions/profilesettings.php:132 actions/register.php:471 +#: actions/showgroup.php:264 actions/tagother.php:112 +#: actions/userauthorization.php:166 lib/groupeditform.php:177 +#: lib/userprofile.php:164 +msgid "Location" +msgstr "Lec'hiadur" + +#: actions/profilesettings.php:134 actions/register.php:473 +msgid "Where you are, like \"City, State (or Region), Country\"" +msgstr "" + +#: actions/profilesettings.php:138 +msgid "Share my current location when posting notices" +msgstr "" + +#: actions/profilesettings.php:145 actions/tagother.php:149 +#: actions/tagother.php:209 lib/subscriptionlist.php:106 +#: lib/subscriptionlist.php:108 lib/userprofile.php:209 +msgid "Tags" +msgstr "Balizennoù" + +#: actions/profilesettings.php:147 +msgid "" +"Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" +msgstr "" + +#: actions/profilesettings.php:151 +msgid "Language" +msgstr "Yezh" + +#: actions/profilesettings.php:152 +msgid "Preferred language" +msgstr "Yezh d'ober ganti da gentañ" + +#: actions/profilesettings.php:161 +msgid "Timezone" +msgstr "Takad eur" + +#: actions/profilesettings.php:162 +msgid "What timezone are you normally in?" +msgstr "" + +#: actions/profilesettings.php:167 +msgid "" +"Automatically subscribe to whoever subscribes to me (best for non-humans)" +msgstr "" + +#: actions/profilesettings.php:228 actions/register.php:223 +#, php-format +msgid "Bio is too long (max %d chars)." +msgstr "" + +#: actions/profilesettings.php:235 actions/siteadminpanel.php:151 +msgid "Timezone not selected." +msgstr "N'eo bet dibabet gwerzhid-eur ebet." + +#: actions/profilesettings.php:241 +msgid "Language is too long (max 50 chars)." +msgstr "" + +#: actions/profilesettings.php:253 actions/tagother.php:178 +#, php-format +msgid "Invalid tag: \"%s\"" +msgstr "Balizenn direizh : \"%s\"" + +#: actions/profilesettings.php:306 +msgid "Couldn't update user for autosubscribe." +msgstr "" + +#: actions/profilesettings.php:363 +msgid "Couldn't save location prefs." +msgstr "" + +#: actions/profilesettings.php:375 +msgid "Couldn't save profile." +msgstr "Diposubl eo enrollañ ar profil." + +#: actions/profilesettings.php:383 +msgid "Couldn't save tags." +msgstr "Diposubl eo enrollañ ar balizennoù." + +#. TRANS: Message after successful saving of administrative settings. +#: actions/profilesettings.php:391 lib/adminpanelaction.php:141 +msgid "Settings saved." +msgstr "Enrollet eo bet an arventennoù." + +#: actions/public.php:83 +#, php-format +msgid "Beyond the page limit (%s)" +msgstr "" + +#: actions/public.php:92 +msgid "Could not retrieve public stream." +msgstr "" + +#: actions/public.php:130 +#, php-format +msgid "Public timeline, page %d" +msgstr "" + +#: actions/public.php:132 lib/publicgroupnav.php:79 +msgid "Public timeline" +msgstr "" + +#: actions/public.php:160 +msgid "Public Stream Feed (RSS 1.0)" +msgstr "" + +#: actions/public.php:164 +msgid "Public Stream Feed (RSS 2.0)" +msgstr "" + +#: actions/public.php:168 +msgid "Public Stream Feed (Atom)" +msgstr "" + +#: actions/public.php:188 +#, php-format +msgid "" +"This is the public timeline for %%site.name%% but no one has posted anything " +"yet." +msgstr "" + +#: actions/public.php:191 +msgid "Be the first to post!" +msgstr "Bezit an hini gentañ da bostañ !" + +#: actions/public.php:195 +#, php-format +msgid "" +"Why not [register an account](%%action.register%%) and be the first to post!" +msgstr "" + +#: actions/public.php:242 +#, php-format +msgid "" +"This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" +"blogging) service based on the Free Software [StatusNet](http://status.net/) " +"tool. [Join now](%%action.register%%) to share notices about yourself with " +"friends, family, and colleagues! ([Read more](%%doc.help%%))" +msgstr "" + +#: actions/public.php:247 +#, php-format +msgid "" +"This is %%site.name%%, a [micro-blogging](http://en.wikipedia.org/wiki/Micro-" +"blogging) service based on the Free Software [StatusNet](http://status.net/) " +"tool." +msgstr "" + +#: actions/publictagcloud.php:57 +msgid "Public tag cloud" +msgstr "" + +#: actions/publictagcloud.php:63 +#, php-format +msgid "These are most popular recent tags on %s " +msgstr "" + +#: actions/publictagcloud.php:69 +#, php-format +msgid "No one has posted a notice with a [hashtag](%%doc.tags%%) yet." +msgstr "" + +#: actions/publictagcloud.php:72 +msgid "Be the first to post one!" +msgstr "" + +#: actions/publictagcloud.php:75 +#, php-format +msgid "" +"Why not [register an account](%%action.register%%) and be the first to post " +"one!" +msgstr "" + +#: actions/publictagcloud.php:134 +msgid "Tag cloud" +msgstr "" + +#: actions/recoverpassword.php:36 +msgid "You are already logged in!" +msgstr "Luget oc'h dija !" + +#: actions/recoverpassword.php:62 +msgid "No such recovery code." +msgstr "Kod adtapout nann-kavet." + +#: actions/recoverpassword.php:66 +msgid "Not a recovery code." +msgstr "N'eo ket ur c'hod adtapout an dra-mañ." + +#: actions/recoverpassword.php:73 +msgid "Recovery code for unknown user." +msgstr "" + +#: actions/recoverpassword.php:86 +msgid "Error with confirmation code." +msgstr "" + +#: actions/recoverpassword.php:97 +msgid "This confirmation code is too old. Please start again." +msgstr "" + +#: actions/recoverpassword.php:111 +msgid "Could not update user with confirmed email address." +msgstr "" + +#: actions/recoverpassword.php:152 +msgid "" +"If you have forgotten or lost your password, you can get a new one sent to " +"the email address you have stored in your account." +msgstr "" + +#: actions/recoverpassword.php:158 +msgid "You have been identified. Enter a new password below. " +msgstr "" + +#: actions/recoverpassword.php:188 +msgid "Password recovery" +msgstr "Adtapout ar ger-tremen" + +#: actions/recoverpassword.php:191 +msgid "Nickname or email address" +msgstr "" + +#: actions/recoverpassword.php:193 +msgid "Your nickname on this server, or your registered email address." +msgstr "" + +#: actions/recoverpassword.php:199 actions/recoverpassword.php:200 +msgid "Recover" +msgstr "Adtapout" + +#: actions/recoverpassword.php:208 +msgid "Reset password" +msgstr "Adderaouekaat ar ger-tremen" + +#: actions/recoverpassword.php:209 +msgid "Recover password" +msgstr "Adtapout ar ger-tremen" + +#: actions/recoverpassword.php:210 actions/recoverpassword.php:322 +msgid "Password recovery requested" +msgstr "Goulennet eo an adtapout gerioù-tremen" + +#: actions/recoverpassword.php:213 +msgid "Unknown action" +msgstr "Ober dianav" + +#: actions/recoverpassword.php:236 +msgid "6 or more characters, and don't forget it!" +msgstr "6 arouezenn pe muioc'h, ha n'e zisoñjit ket !" + +#: actions/recoverpassword.php:243 +msgid "Reset" +msgstr "Adderaouekaat" + +#: actions/recoverpassword.php:252 +msgid "Enter a nickname or email address." +msgstr "Lakait ul lesanv pe ur chomlec'h postel." + +#: actions/recoverpassword.php:272 +msgid "No user with that email address or username." +msgstr "" + +#: actions/recoverpassword.php:287 +msgid "No registered email address for that user." +msgstr "" + +#: actions/recoverpassword.php:301 +msgid "Error saving address confirmation." +msgstr "" + +#: actions/recoverpassword.php:325 +msgid "" +"Instructions for recovering your password have been sent to the email " +"address registered to your account." +msgstr "" + +#: actions/recoverpassword.php:344 +msgid "Unexpected password reset." +msgstr "" + +#: actions/recoverpassword.php:352 +msgid "Password must be 6 chars or more." +msgstr "" + +#: actions/recoverpassword.php:356 +msgid "Password and confirmation do not match." +msgstr "" + +#: actions/recoverpassword.php:375 actions/register.php:248 +msgid "Error setting user." +msgstr "" + +#: actions/recoverpassword.php:382 +msgid "New password successfully saved. You are now logged in." +msgstr "" + +#: actions/register.php:85 actions/register.php:189 actions/register.php:405 +msgid "Sorry, only invited people can register." +msgstr "" + +#: actions/register.php:92 +msgid "Sorry, invalid invitation code." +msgstr "Digarezit, kod pedadenn direizh." + +#: actions/register.php:112 +msgid "Registration successful" +msgstr "" + +#: actions/register.php:114 actions/register.php:503 lib/logingroupnav.php:85 +msgid "Register" +msgstr "Krouiñ ur gont" + +#: actions/register.php:135 +msgid "Registration not allowed." +msgstr "" + +#: actions/register.php:198 +msgid "You can't register if you don't agree to the license." +msgstr "" + +#: actions/register.php:212 +msgid "Email address already exists." +msgstr "Implijet eo dija ar chomlec'h postel-se." + +#: actions/register.php:243 actions/register.php:265 +msgid "Invalid username or password." +msgstr "" + +#: actions/register.php:343 +msgid "" +"With this form you can create a new account. You can then post notices and " +"link up to friends and colleagues. " +msgstr "" + +#: actions/register.php:425 +msgid "1-64 lowercase letters or numbers, no punctuation or spaces. Required." +msgstr "" + +#: actions/register.php:430 +msgid "6 or more characters. Required." +msgstr "6 arouezenn pe muioc'h. Rekis." + +#: actions/register.php:434 +msgid "Same as password above. Required." +msgstr "Memestra hag ar ger-tremen a-us. Rekis." + +#: actions/register.php:438 actions/register.php:442 +#: actions/siteadminpanel.php:238 lib/accountsettingsaction.php:120 +msgid "Email" +msgstr "Postel" + +#: actions/register.php:439 actions/register.php:443 +msgid "Used only for updates, announcements, and password recovery" +msgstr "" + +#: actions/register.php:450 +msgid "Longer name, preferably your \"real\" name" +msgstr "" + +#: actions/register.php:494 +msgid "My text and files are available under " +msgstr "" + +#: actions/register.php:496 +msgid "Creative Commons Attribution 3.0" +msgstr "" + +#: actions/register.php:497 +msgid "" +" except this private data: password, email address, IM address, and phone " +"number." +msgstr "" + +#: actions/register.php:538 +#, php-format +msgid "" +"Congratulations, %1$s! And welcome to %%%%site.name%%%%. From here, you may " +"want to...\n" +"\n" +"* Go to [your profile](%2$s) and post your first message.\n" +"* Add a [Jabber/GTalk address](%%%%action.imsettings%%%%) so you can send " +"notices through instant messages.\n" +"* [Search for people](%%%%action.peoplesearch%%%%) that you may know or that " +"share your interests. \n" +"* Update your [profile settings](%%%%action.profilesettings%%%%) to tell " +"others more about you. \n" +"* Read over the [online docs](%%%%doc.help%%%%) for features you may have " +"missed. \n" +"\n" +"Thanks for signing up and we hope you enjoy using this service." +msgstr "" + +#: actions/register.php:562 +msgid "" +"(You should receive a message by email momentarily, with instructions on how " +"to confirm your email address.)" +msgstr "" + +#: actions/remotesubscribe.php:98 +#, php-format +msgid "" +"To subscribe, you can [login](%%action.login%%), or [register](%%action." +"register%%) a new account. If you already have an account on a [compatible " +"microblogging site](%%doc.openmublog%%), enter your profile URL below." +msgstr "" + +#: actions/remotesubscribe.php:112 +msgid "Remote subscribe" +msgstr "" + +#: actions/remotesubscribe.php:124 +msgid "Subscribe to a remote user" +msgstr "" + +#: actions/remotesubscribe.php:129 +msgid "User nickname" +msgstr "" + +#: actions/remotesubscribe.php:130 +msgid "Nickname of the user you want to follow" +msgstr "" + +#: actions/remotesubscribe.php:133 +msgid "Profile URL" +msgstr "" + +#: actions/remotesubscribe.php:134 +msgid "URL of your profile on another compatible microblogging service" +msgstr "" + +#: actions/remotesubscribe.php:137 lib/subscribeform.php:139 +#: lib/userprofile.php:394 +msgid "Subscribe" +msgstr "En em enskrivañ" + +#: actions/remotesubscribe.php:159 +msgid "Invalid profile URL (bad format)" +msgstr "" + +#: actions/remotesubscribe.php:168 +msgid "Not a valid profile URL (no YADIS document or invalid XRDS defined)." +msgstr "" + +#: actions/remotesubscribe.php:176 +msgid "That’s a local profile! Login to subscribe." +msgstr "" + +#: actions/remotesubscribe.php:183 +msgid "Couldn’t get a request token." +msgstr "" + +#: actions/repeat.php:57 +msgid "Only logged-in users can repeat notices." +msgstr "" + +#: actions/repeat.php:64 actions/repeat.php:71 +msgid "No notice specified." +msgstr "N'eus bet diferet ali ebet." + +#: actions/repeat.php:76 +msgid "You can't repeat your own notice." +msgstr "Ne c'helloc'h ket adkemer ho ali deoc'h." + +#: actions/repeat.php:90 +msgid "You already repeated that notice." +msgstr "Adkemeret o peus dija an ali-mañ." + +#: actions/repeat.php:114 lib/noticelist.php:674 +msgid "Repeated" +msgstr "Adlavaret" + +#: actions/repeat.php:119 +msgid "Repeated!" +msgstr "Adlavaret !" + +#: actions/replies.php:126 actions/repliesrss.php:68 +#: lib/personalgroupnav.php:105 +#, php-format +msgid "Replies to %s" +msgstr "Respontoù da %s" + +#: actions/replies.php:128 +#, php-format +msgid "Replies to %1$s, page %2$d" +msgstr "Respontoù da %1$s, pajenn %2$d" + +#: actions/replies.php:145 +#, php-format +msgid "Replies feed for %s (RSS 1.0)" +msgstr "" + +#: actions/replies.php:152 +#, php-format +msgid "Replies feed for %s (RSS 2.0)" +msgstr "" + +#: actions/replies.php:159 +#, php-format +msgid "Replies feed for %s (Atom)" +msgstr "" + +#: actions/replies.php:199 +#, php-format +msgid "" +"This is the timeline showing replies to %1$s but %2$s hasn't received a " +"notice to his attention yet." +msgstr "" + +#: actions/replies.php:204 +#, php-format +msgid "" +"You can engage other users in a conversation, subscribe to more people or " +"[join groups](%%action.groups%%)." +msgstr "" + +#: actions/replies.php:206 +#, php-format +msgid "" +"You can try to [nudge %1$s](../%2$s) or [post something to his or her " +"attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." +msgstr "" + +#: actions/repliesrss.php:72 +#, php-format +msgid "Replies to %1$s on %2$s!" +msgstr "" + +#: actions/revokerole.php:75 +#, fuzzy +msgid "You cannot revoke user roles on this site." +msgstr "Ne c'helloc'h ket kas kemennadennoù d'an implijer-mañ." + +#: actions/revokerole.php:82 +msgid "User doesn't have this role." +msgstr "" + +#: actions/rsd.php:146 actions/version.php:157 +msgid "StatusNet" +msgstr "StatusNet" + +#: actions/sandbox.php:65 actions/unsandbox.php:65 +msgid "You cannot sandbox users on this site." +msgstr "" + +#: actions/sandbox.php:72 +msgid "User is already sandboxed." +msgstr "" + +#. TRANS: Menu item for site administration +#: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 +#: lib/adminpanelaction.php:390 +msgid "Sessions" +msgstr "Dalc'hoù" + +#: actions/sessionsadminpanel.php:65 +msgid "Session settings for this StatusNet site." +msgstr "" + +#: actions/sessionsadminpanel.php:175 +msgid "Handle sessions" +msgstr "Merañ an dalc'hoù" + +#: actions/sessionsadminpanel.php:177 +msgid "Whether to handle sessions ourselves." +msgstr "" + +#: actions/sessionsadminpanel.php:181 +msgid "Session debugging" +msgstr "" + +#: actions/sessionsadminpanel.php:183 +msgid "Turn on debugging output for sessions." +msgstr "" + +#: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 +#: actions/useradminpanel.php:294 +msgid "Save site settings" +msgstr "" + +#: actions/showapplication.php:82 +msgid "You must be logged in to view an application." +msgstr "" + +#: actions/showapplication.php:157 +msgid "Application profile" +msgstr "" + +#: actions/showapplication.php:159 lib/applicationeditform.php:180 +msgid "Icon" +msgstr "" + +#: actions/showapplication.php:169 actions/version.php:195 +#: lib/applicationeditform.php:195 +msgid "Name" +msgstr "Anv" + +#: actions/showapplication.php:178 lib/applicationeditform.php:222 +msgid "Organization" +msgstr "" + +#: actions/showapplication.php:187 actions/version.php:198 +#: lib/applicationeditform.php:209 lib/groupeditform.php:172 +msgid "Description" +msgstr "" + +#: actions/showapplication.php:192 actions/showgroup.php:438 +#: lib/profileaction.php:176 +msgid "Statistics" +msgstr "Stadegoù" + +#: actions/showapplication.php:203 +#, php-format +msgid "Created by %1$s - %2$s access by default - %3$d users" +msgstr "" + +#: actions/showapplication.php:213 +msgid "Application actions" +msgstr "" + +#: actions/showapplication.php:236 +msgid "Reset key & secret" +msgstr "" + +#: actions/showapplication.php:261 +msgid "Application info" +msgstr "" + +#: actions/showapplication.php:263 +msgid "Consumer key" +msgstr "" + +#: actions/showapplication.php:268 +msgid "Consumer secret" +msgstr "" + +#: actions/showapplication.php:273 +msgid "Request token URL" +msgstr "" + +#: actions/showapplication.php:278 +msgid "Access token URL" +msgstr "" + +#: actions/showapplication.php:283 +msgid "Authorize URL" +msgstr "" + +#: actions/showapplication.php:288 +msgid "" +"Note: We support HMAC-SHA1 signatures. We do not support the plaintext " +"signature method." +msgstr "" + +#: actions/showapplication.php:309 +msgid "Are you sure you want to reset your consumer key and secret?" +msgstr "" + +#: actions/showfavorites.php:79 +#, php-format +msgid "%1$s's favorite notices, page %2$d" +msgstr "" + +#: actions/showfavorites.php:132 +msgid "Could not retrieve favorite notices." +msgstr "" + +#: actions/showfavorites.php:171 +#, php-format +msgid "Feed for favorites of %s (RSS 1.0)" +msgstr "" + +#: actions/showfavorites.php:178 +#, php-format +msgid "Feed for favorites of %s (RSS 2.0)" +msgstr "" + +#: actions/showfavorites.php:185 +#, php-format +msgid "Feed for favorites of %s (Atom)" +msgstr "" + +#: actions/showfavorites.php:206 +msgid "" +"You haven't chosen any favorite notices yet. Click the fave button on " +"notices you like to bookmark them for later or shed a spotlight on them." +msgstr "" + +#: actions/showfavorites.php:208 +#, php-format +msgid "" +"%s hasn't added any notices to his favorites yet. Post something interesting " +"they would add to their favorites :)" +msgstr "" + +#: actions/showfavorites.php:212 +#, php-format +msgid "" +"%s hasn't added any notices to his favorites yet. Why not [register an " +"account](%%%%action.register%%%%) and then post something interesting they " +"would add to their favorites :)" +msgstr "" + +#: actions/showfavorites.php:243 +msgid "This is a way to share what you like." +msgstr "" + +#: actions/showgroup.php:82 lib/groupnav.php:86 +#, php-format +msgid "%s group" +msgstr "strollad %s" + +#: actions/showgroup.php:84 +#, php-format +msgid "%1$s group, page %2$d" +msgstr "" + +#: actions/showgroup.php:226 +msgid "Group profile" +msgstr "Profil ar strollad" + +#: actions/showgroup.php:271 actions/tagother.php:118 +#: actions/userauthorization.php:175 lib/userprofile.php:177 +msgid "URL" +msgstr "URL" + +#: actions/showgroup.php:282 actions/tagother.php:128 +#: actions/userauthorization.php:187 lib/userprofile.php:194 +msgid "Note" +msgstr "Notenn" + +#: actions/showgroup.php:292 lib/groupeditform.php:184 +msgid "Aliases" +msgstr "Aliasoù" + +#: actions/showgroup.php:301 +msgid "Group actions" +msgstr "Oberoù ar strollad" + +#: actions/showgroup.php:337 +#, php-format +msgid "Notice feed for %s group (RSS 1.0)" +msgstr "" + +#: actions/showgroup.php:343 +#, php-format +msgid "Notice feed for %s group (RSS 2.0)" +msgstr "" + +#: actions/showgroup.php:349 +#, php-format +msgid "Notice feed for %s group (Atom)" +msgstr "" + +#: actions/showgroup.php:354 +#, php-format +msgid "FOAF for %s group" +msgstr "" + +#: actions/showgroup.php:390 actions/showgroup.php:447 lib/groupnav.php:91 +msgid "Members" +msgstr "Izili" + +#: actions/showgroup.php:395 lib/profileaction.php:117 +#: lib/profileaction.php:150 lib/profileaction.php:238 lib/section.php:95 +#: lib/subscriptionlist.php:126 lib/tagcloudsection.php:71 +msgid "(None)" +msgstr "(hini ebet)" + +#: actions/showgroup.php:401 +msgid "All members" +msgstr "An holl izili" + +#: actions/showgroup.php:441 +msgid "Created" +msgstr "Krouet" + +#: actions/showgroup.php:457 +#, php-format +msgid "" +"**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." +"wikipedia.org/wiki/Micro-blogging) service based on the Free Software " +"[StatusNet](http://status.net/) tool. Its members share short messages about " +"their life and interests. [Join now](%%%%action.register%%%%) to become part " +"of this group and many more! ([Read more](%%%%doc.help%%%%))" +msgstr "" + +#: actions/showgroup.php:463 +#, php-format +msgid "" +"**%s** is a user group on %%%%site.name%%%%, a [micro-blogging](http://en." +"wikipedia.org/wiki/Micro-blogging) service based on the Free Software " +"[StatusNet](http://status.net/) tool. Its members share short messages about " +"their life and interests. " +msgstr "" + +#: actions/showgroup.php:491 +msgid "Admins" +msgstr "Merourien" + +#: actions/showmessage.php:81 +msgid "No such message." +msgstr "N'eus ket eus ar gemennadenn-se." + +#: actions/showmessage.php:98 +msgid "Only the sender and recipient may read this message." +msgstr "" + +#: actions/showmessage.php:108 +#, php-format +msgid "Message to %1$s on %2$s" +msgstr "" + +#: actions/showmessage.php:113 +#, php-format +msgid "Message from %1$s on %2$s" +msgstr "" + +#: actions/shownotice.php:90 +msgid "Notice deleted." +msgstr "" + +#: actions/showstream.php:73 +#, php-format +msgid " tagged %s" +msgstr " merket %s" + +#: actions/showstream.php:79 +#, php-format +msgid "%1$s, page %2$d" +msgstr "" + +#: actions/showstream.php:122 +#, php-format +msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" +msgstr "" + +#: actions/showstream.php:129 +#, php-format +msgid "Notice feed for %s (RSS 1.0)" +msgstr "" + +#: actions/showstream.php:136 +#, php-format +msgid "Notice feed for %s (RSS 2.0)" +msgstr "" + +#: actions/showstream.php:143 +#, php-format +msgid "Notice feed for %s (Atom)" +msgstr "" + +#: actions/showstream.php:148 +#, php-format +msgid "FOAF for %s" +msgstr "" + +#: actions/showstream.php:200 +#, php-format +msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." +msgstr "" + +#: actions/showstream.php:205 +msgid "" +"Seen anything interesting recently? You haven't posted any notices yet, now " +"would be a good time to start :)" +msgstr "" + +#: actions/showstream.php:207 +#, php-format +msgid "" +"You can try to nudge %1$s or [post something to his or her attention](%%%%" +"action.newnotice%%%%?status_textarea=%2$s)." +msgstr "" + +#: actions/showstream.php:243 +#, php-format +msgid "" +"**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." +"wikipedia.org/wiki/Micro-blogging) service based on the Free Software " +"[StatusNet](http://status.net/) tool. [Join now](%%%%action.register%%%%) to " +"follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" +msgstr "" + +#: actions/showstream.php:248 +#, php-format +msgid "" +"**%s** has an account on %%%%site.name%%%%, a [micro-blogging](http://en." +"wikipedia.org/wiki/Micro-blogging) service based on the Free Software " +"[StatusNet](http://status.net/) tool. " +msgstr "" + +#: actions/showstream.php:305 +#, php-format +msgid "Repeat of %s" +msgstr "" + +#: actions/silence.php:65 actions/unsilence.php:65 +msgid "You cannot silence users on this site." +msgstr "" + +#: actions/silence.php:72 +msgid "User is already silenced." +msgstr "" + +#: actions/siteadminpanel.php:69 +#, fuzzy +msgid "Basic settings for this StatusNet site" +msgstr "Arventennoù design evit al lec'hienn StatusNet-mañ." + +#: actions/siteadminpanel.php:133 +msgid "Site name must have non-zero length." +msgstr "" + +#: actions/siteadminpanel.php:141 +msgid "You must have a valid contact email address." +msgstr "" + +#: actions/siteadminpanel.php:159 +#, php-format +msgid "Unknown language \"%s\"." +msgstr "" + +#: actions/siteadminpanel.php:165 +msgid "Minimum text limit is 140 characters." +msgstr "" + +#: actions/siteadminpanel.php:171 +msgid "Dupe limit must 1 or more seconds." +msgstr "" + +#: actions/siteadminpanel.php:221 +msgid "General" +msgstr "Hollek" + +#: actions/siteadminpanel.php:224 +msgid "Site name" +msgstr "Anv al lec'hienn" + +#: actions/siteadminpanel.php:225 +msgid "The name of your site, like \"Yourcompany Microblog\"" +msgstr "" + +#: actions/siteadminpanel.php:229 +msgid "Brought by" +msgstr "Degaset gant" + +#: actions/siteadminpanel.php:230 +msgid "Text used for credits link in footer of each page" +msgstr "" + +#: actions/siteadminpanel.php:234 +msgid "Brought by URL" +msgstr "" + +#: actions/siteadminpanel.php:235 +msgid "URL used for credits link in footer of each page" +msgstr "" + +#: actions/siteadminpanel.php:239 +msgid "Contact email address for your site" +msgstr "" + +#: actions/siteadminpanel.php:245 +msgid "Local" +msgstr "Lec'hel" + +#: actions/siteadminpanel.php:256 +msgid "Default timezone" +msgstr "" + +#: actions/siteadminpanel.php:257 +msgid "Default timezone for the site; usually UTC." +msgstr "" + +#: actions/siteadminpanel.php:262 +#, fuzzy +msgid "Default language" +msgstr "Yezh d'ober ganti da gentañ" + +#: actions/siteadminpanel.php:263 +msgid "Site language when autodetection from browser settings is not available" +msgstr "" + +#: actions/siteadminpanel.php:271 +msgid "Limits" +msgstr "Bevennoù" + +#: actions/siteadminpanel.php:274 +msgid "Text limit" +msgstr "" + +#: actions/siteadminpanel.php:274 +msgid "Maximum number of characters for notices." +msgstr "" + +#: actions/siteadminpanel.php:278 +msgid "Dupe limit" +msgstr "" + +#: actions/siteadminpanel.php:278 +msgid "How long users must wait (in seconds) to post the same thing again." +msgstr "" + +#: actions/sitenoticeadminpanel.php:56 +#, fuzzy +msgid "Site Notice" +msgstr "Ali" + +#: actions/sitenoticeadminpanel.php:67 +#, fuzzy +msgid "Edit site-wide message" +msgstr "Kemennadenn nevez" + +#: actions/sitenoticeadminpanel.php:103 +#, fuzzy +msgid "Unable to save site notice." +msgstr "Diposubl eo enrollañ an titouroù stankañ." + +#: actions/sitenoticeadminpanel.php:113 +msgid "Max length for the site-wide notice is 255 chars" +msgstr "" + +#: actions/sitenoticeadminpanel.php:176 +#, fuzzy +msgid "Site notice text" +msgstr "Eilañ an ali" + +#: actions/sitenoticeadminpanel.php:178 +msgid "Site-wide notice text (255 chars max; HTML okay)" +msgstr "" + +#: actions/sitenoticeadminpanel.php:198 +#, fuzzy +msgid "Save site notice" +msgstr "Dilemel un ali" + +#: actions/smssettings.php:58 +msgid "SMS settings" +msgstr "Arventennoù SMS" + +#: actions/smssettings.php:69 +#, php-format +msgid "You can receive SMS messages through email from %%site.name%%." +msgstr "" + +#: actions/smssettings.php:91 +msgid "SMS is not available." +msgstr "Dizimplijadus eo an SMS." + +#: actions/smssettings.php:112 +msgid "Current confirmed SMS-enabled phone number." +msgstr "" + +#: actions/smssettings.php:123 +msgid "Awaiting confirmation on this phone number." +msgstr "" + +#: actions/smssettings.php:130 +msgid "Confirmation code" +msgstr "Kod kadarnaat" + +#: actions/smssettings.php:131 +msgid "Enter the code you received on your phone." +msgstr "" + +#: actions/smssettings.php:138 +msgid "SMS phone number" +msgstr "Niverenn bellgomz evit an SMS" + +#: actions/smssettings.php:140 +msgid "Phone number, no punctuation or spaces, with area code" +msgstr "" + +#: actions/smssettings.php:174 +msgid "" +"Send me notices through SMS; I understand I may incur exorbitant charges " +"from my carrier." +msgstr "" + +#: actions/smssettings.php:306 +msgid "No phone number." +msgstr "Niverenn bellgomz ebet." + +#: actions/smssettings.php:311 +msgid "No carrier selected." +msgstr "" + +#: actions/smssettings.php:318 +msgid "That is already your phone number." +msgstr "" + +#: actions/smssettings.php:321 +msgid "That phone number already belongs to another user." +msgstr "" + +#: actions/smssettings.php:347 +msgid "" +"A confirmation code was sent to the phone number you added. Check your phone " +"for the code and instructions on how to use it." +msgstr "" + +#: actions/smssettings.php:374 +msgid "That is the wrong confirmation number." +msgstr "" + +#: actions/smssettings.php:405 +msgid "That is not your phone number." +msgstr "" + +#: actions/smssettings.php:465 +msgid "Mobile carrier" +msgstr "" + +#: actions/smssettings.php:469 +msgid "Select a carrier" +msgstr "" + +#: actions/smssettings.php:476 +#, php-format +msgid "" +"Mobile carrier for your phone. If you know a carrier that accepts SMS over " +"email but isn't listed here, send email to let us know at %s." +msgstr "" + +#: actions/smssettings.php:498 +msgid "No code entered" +msgstr "N'eo bet lakaet kod ebet" + +#. TRANS: Menu item for site administration +#: actions/snapshotadminpanel.php:54 actions/snapshotadminpanel.php:196 +#: lib/adminpanelaction.php:406 +msgid "Snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:65 +msgid "Manage snapshot configuration" +msgstr "" + +#: actions/snapshotadminpanel.php:127 +msgid "Invalid snapshot run value." +msgstr "" + +#: actions/snapshotadminpanel.php:133 +msgid "Snapshot frequency must be a number." +msgstr "" + +#: actions/snapshotadminpanel.php:144 +msgid "Invalid snapshot report URL." +msgstr "" + +#: actions/snapshotadminpanel.php:200 +msgid "Randomly during Web hit" +msgstr "" + +#: actions/snapshotadminpanel.php:201 +msgid "In a scheduled job" +msgstr "" + +#: actions/snapshotadminpanel.php:206 +msgid "Data snapshots" +msgstr "" + +#: actions/snapshotadminpanel.php:208 +msgid "When to send statistical data to status.net servers" +msgstr "" + +#: actions/snapshotadminpanel.php:217 +msgid "Frequency" +msgstr "Stankter" + +#: actions/snapshotadminpanel.php:218 +msgid "Snapshots will be sent once every N web hits" +msgstr "" + +#: actions/snapshotadminpanel.php:226 +msgid "Report URL" +msgstr "" + +#: actions/snapshotadminpanel.php:227 +msgid "Snapshots will be sent to this URL" +msgstr "" + +#: actions/snapshotadminpanel.php:248 +#, fuzzy +msgid "Save snapshot settings" +msgstr "Enrollañ an arventennoù moned" + +#: actions/subedit.php:70 +msgid "You are not subscribed to that profile." +msgstr "" + +#: actions/subedit.php:83 classes/Subscription.php:89 +#: classes/Subscription.php:116 +msgid "Could not save subscription." +msgstr "" + +#: actions/subscribe.php:77 +msgid "This action only accepts POST requests." +msgstr "" + +#: actions/subscribe.php:107 +msgid "No such profile." +msgstr "" + +#: actions/subscribe.php:117 +msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." +msgstr "" + +#: actions/subscribe.php:145 +msgid "Subscribed" +msgstr "" + +#: actions/subscribers.php:50 +#, php-format +msgid "%s subscribers" +msgstr "" + +#: actions/subscribers.php:52 +#, php-format +msgid "%1$s subscribers, page %2$d" +msgstr "" + +#: actions/subscribers.php:63 +msgid "These are the people who listen to your notices." +msgstr "" + +#: actions/subscribers.php:67 +#, php-format +msgid "These are the people who listen to %s's notices." +msgstr "" + +#: actions/subscribers.php:108 +msgid "" +"You have no subscribers. Try subscribing to people you know and they might " +"return the favor" +msgstr "" + +#: actions/subscribers.php:110 +#, php-format +msgid "%s has no subscribers. Want to be the first?" +msgstr "" + +#: actions/subscribers.php:114 +#, php-format +msgid "" +"%s has no subscribers. Why not [register an account](%%%%action.register%%%" +"%) and be the first?" +msgstr "" + +#: actions/subscriptions.php:52 +#, php-format +msgid "%s subscriptions" +msgstr "" + +#: actions/subscriptions.php:54 +#, php-format +msgid "%1$s subscriptions, page %2$d" +msgstr "" + +#: actions/subscriptions.php:65 +msgid "These are the people whose notices you listen to." +msgstr "" + +#: actions/subscriptions.php:69 +#, php-format +msgid "These are the people whose notices %s listens to." +msgstr "" + +#: actions/subscriptions.php:126 +#, php-format +msgid "" +"You're not listening to anyone's notices right now, try subscribing to " +"people you know. Try [people search](%%action.peoplesearch%%), look for " +"members in groups you're interested in and in our [featured users](%%action." +"featured%%). If you're a [Twitter user](%%action.twittersettings%%), you can " +"automatically subscribe to people you already follow there." +msgstr "" + +#: actions/subscriptions.php:128 actions/subscriptions.php:132 +#, php-format +msgid "%s is not listening to anyone." +msgstr "" + +#: actions/subscriptions.php:199 +msgid "Jabber" +msgstr "Jabber" + +#: actions/subscriptions.php:204 lib/connectsettingsaction.php:115 +msgid "SMS" +msgstr "SMS" + +#: actions/tag.php:69 +#, php-format +msgid "Notices tagged with %1$s, page %2$d" +msgstr "" + +#: actions/tag.php:87 +#, php-format +msgid "Notice feed for tag %s (RSS 1.0)" +msgstr "" + +#: actions/tag.php:93 +#, php-format +msgid "Notice feed for tag %s (RSS 2.0)" +msgstr "" + +#: actions/tag.php:99 +#, php-format +msgid "Notice feed for tag %s (Atom)" +msgstr "" + +#: actions/tagother.php:39 +msgid "No ID argument." +msgstr "" + +#: actions/tagother.php:65 +#, php-format +msgid "Tag %s" +msgstr "" + +#: actions/tagother.php:77 lib/userprofile.php:75 +msgid "User profile" +msgstr "" + +#: actions/tagother.php:81 actions/userauthorization.php:132 +#: lib/userprofile.php:102 +msgid "Photo" +msgstr "Skeudenn" + +#: actions/tagother.php:141 +msgid "Tag user" +msgstr "" + +#: actions/tagother.php:151 +msgid "" +"Tags for this user (letters, numbers, -, ., and _), comma- or space- " +"separated" +msgstr "" + +#: actions/tagother.php:193 +msgid "" +"You can only tag people you are subscribed to or who are subscribed to you." +msgstr "" + +#: actions/tagother.php:200 +msgid "Could not save tags." +msgstr "" + +#: actions/tagother.php:236 +msgid "Use this form to add tags to your subscribers or subscriptions." +msgstr "" + +#: actions/tagrss.php:35 +msgid "No such tag." +msgstr "" + +#: actions/twitapitrends.php:85 +msgid "API method under construction." +msgstr "" + +#: actions/unblock.php:59 +msgid "You haven't blocked that user." +msgstr "" + +#: actions/unsandbox.php:72 +msgid "User is not sandboxed." +msgstr "" + +#: actions/unsilence.php:72 +msgid "User is not silenced." +msgstr "" + +#: actions/unsubscribe.php:77 +msgid "No profile id in request." +msgstr "" + +#: actions/unsubscribe.php:98 +msgid "Unsubscribed" +msgstr "" + +#: actions/updateprofile.php:64 actions/userauthorization.php:337 +#, php-format +msgid "" +"Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." +msgstr "" + +#. TRANS: User admin panel title +#: actions/useradminpanel.php:59 +msgctxt "TITLE" +msgid "User" +msgstr "" + +#: actions/useradminpanel.php:70 +msgid "User settings for this StatusNet site." +msgstr "" + +#: actions/useradminpanel.php:149 +msgid "Invalid bio limit. Must be numeric." +msgstr "" + +#: actions/useradminpanel.php:155 +msgid "Invalid welcome text. Max length is 255 characters." +msgstr "" + +#: actions/useradminpanel.php:165 +#, php-format +msgid "Invalid default subscripton: '%1$s' is not user." +msgstr "" + +#: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 +#: lib/personalgroupnav.php:109 +msgid "Profile" +msgstr "Profil" + +#: actions/useradminpanel.php:222 +msgid "Bio Limit" +msgstr "Bevenn ar bio" + +#: actions/useradminpanel.php:223 +msgid "Maximum length of a profile bio in characters." +msgstr "" + +#: actions/useradminpanel.php:231 +msgid "New users" +msgstr "Implijerien nevez" + +#: actions/useradminpanel.php:235 +msgid "New user welcome" +msgstr "Degemer an implijerien nevez" + +#: actions/useradminpanel.php:236 +msgid "Welcome text for new users (Max 255 chars)." +msgstr "" + +#: actions/useradminpanel.php:241 +msgid "Default subscription" +msgstr "" + +#: actions/useradminpanel.php:242 +msgid "Automatically subscribe new users to this user." +msgstr "" + +#: actions/useradminpanel.php:251 +msgid "Invitations" +msgstr "Pedadennoù" + +#: actions/useradminpanel.php:256 +msgid "Invitations enabled" +msgstr "" + +#: actions/useradminpanel.php:258 +msgid "Whether to allow users to invite new users." +msgstr "" + +#: actions/userauthorization.php:105 +msgid "Authorize subscription" +msgstr "" + +#: actions/userauthorization.php:110 +msgid "" +"Please check these details to make sure that you want to subscribe to this " +"user’s notices. If you didn’t just ask to subscribe to someone’s notices, " +"click “Rejectâ€." +msgstr "" + +#: actions/userauthorization.php:196 actions/version.php:165 +msgid "License" +msgstr "Aotre implijout" + +#: actions/userauthorization.php:217 +msgid "Accept" +msgstr "Degemer" + +#: actions/userauthorization.php:218 lib/subscribeform.php:115 +#: lib/subscribeform.php:139 +msgid "Subscribe to this user" +msgstr "" + +#: actions/userauthorization.php:219 +msgid "Reject" +msgstr "Disteurel" + +#: actions/userauthorization.php:220 +msgid "Reject this subscription" +msgstr "" + +#: actions/userauthorization.php:232 +msgid "No authorization request!" +msgstr "" + +#: actions/userauthorization.php:254 +msgid "Subscription authorized" +msgstr "" + +#: actions/userauthorization.php:256 +msgid "" +"The subscription has been authorized, but no callback URL was passed. Check " +"with the site’s instructions for details on how to authorize the " +"subscription. Your subscription token is:" +msgstr "" + +#: actions/userauthorization.php:266 +msgid "Subscription rejected" +msgstr "" + +#: actions/userauthorization.php:268 +msgid "" +"The subscription has been rejected, but no callback URL was passed. Check " +"with the site’s instructions for details on how to fully reject the " +"subscription." +msgstr "" + +#: actions/userauthorization.php:303 +#, php-format +msgid "Listener URI ‘%s’ not found here." +msgstr "" + +#: actions/userauthorization.php:308 +#, php-format +msgid "Listenee URI ‘%s’ is too long." +msgstr "" + +#: actions/userauthorization.php:314 +#, php-format +msgid "Listenee URI ‘%s’ is a local user." +msgstr "" + +#: actions/userauthorization.php:329 +#, php-format +msgid "Profile URL ‘%s’ is for a local user." +msgstr "" + +#: actions/userauthorization.php:345 +#, php-format +msgid "Avatar URL ‘%s’ is not valid." +msgstr "" + +#: actions/userauthorization.php:350 +#, php-format +msgid "Can’t read avatar URL ‘%s’." +msgstr "" + +#: actions/userauthorization.php:355 +#, php-format +msgid "Wrong image type for avatar URL ‘%s’." +msgstr "" + +#: actions/userdesignsettings.php:76 lib/designsettings.php:65 +msgid "Profile design" +msgstr "" + +#: actions/userdesignsettings.php:87 lib/designsettings.php:76 +msgid "" +"Customize the way your profile looks with a background image and a colour " +"palette of your choice." +msgstr "" + +#: actions/userdesignsettings.php:282 +msgid "Enjoy your hotdog!" +msgstr "" + +#: actions/usergroups.php:64 +#, php-format +msgid "%1$s groups, page %2$d" +msgstr "" + +#: actions/usergroups.php:130 +msgid "Search for more groups" +msgstr "Klask muioc'h a strolladoù" + +#: actions/usergroups.php:157 +#, php-format +msgid "%s is not a member of any group." +msgstr "" + +#: actions/usergroups.php:162 +#, php-format +msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." +msgstr "" + +#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: lib/atomusernoticefeed.php:72 +#, php-format +msgid "Updates from %1$s on %2$s!" +msgstr "Hizivadennoù eus %1$s e %2$s!" + +#: actions/version.php:73 +#, php-format +msgid "StatusNet %s" +msgstr "StatusNet %s" + +#: actions/version.php:153 +#, php-format +msgid "" +"This site is powered by %1$s version %2$s, Copyright 2008-2010 StatusNet, " +"Inc. and contributors." +msgstr "" + +#: actions/version.php:161 +msgid "Contributors" +msgstr "Aozerien" + +#: actions/version.php:168 +msgid "" +"StatusNet is free software: you can redistribute it and/or modify it under " +"the terms of the GNU Affero General Public License as published by the Free " +"Software Foundation, either version 3 of the License, or (at your option) " +"any later version. " +msgstr "" + +#: actions/version.php:174 +msgid "" +"This program is distributed in the hope that it will be useful, but WITHOUT " +"ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or " +"FITNESS FOR A PARTICULAR PURPOSE. See the GNU Affero General Public License " +"for more details. " +msgstr "" + +#: actions/version.php:180 +#, php-format +msgid "" +"You should have received a copy of the GNU Affero General Public License " +"along with this program. If not, see %s." +msgstr "" + +#: actions/version.php:189 +msgid "Plugins" +msgstr "Pluginoù" + +#: actions/version.php:196 lib/action.php:767 +msgid "Version" +msgstr "Stumm" + +#: actions/version.php:197 +msgid "Author(s)" +msgstr "Aozer(ien)" + +#: classes/File.php:144 +#, php-format +msgid "" +"No file may be larger than %d bytes and the file you sent was %d bytes. Try " +"to upload a smaller version." +msgstr "" + +#: classes/File.php:154 +#, php-format +msgid "A file this large would exceed your user quota of %d bytes." +msgstr "" + +#: classes/File.php:161 +#, php-format +msgid "A file this large would exceed your monthly quota of %d bytes." +msgstr "" + +#: classes/Group_member.php:41 +msgid "Group join failed." +msgstr "C'hwitet eo bet an enskrivadur d'ar strollad." + +#: classes/Group_member.php:53 +msgid "Not part of group." +msgstr "N'eo ezel eus strollad ebet." + +#: classes/Group_member.php:60 +msgid "Group leave failed." +msgstr "C'hwitet eo bet an disenskrivadur d'ar strollad." + +#: classes/Local_group.php:41 +msgid "Could not update local group." +msgstr "" + +#: classes/Login_token.php:76 +#, php-format +msgid "Could not create login token for %s" +msgstr "" + +#: classes/Message.php:45 +msgid "You are banned from sending direct messages." +msgstr "" + +#: classes/Message.php:61 +msgid "Could not insert message." +msgstr "Diposubl eo ensoc'hañ ur gemenadenn" + +#: classes/Message.php:71 +msgid "Could not update message with new URI." +msgstr "" + +#: classes/Notice.php:172 +#, php-format +msgid "DB error inserting hashtag: %s" +msgstr "" + +#: classes/Notice.php:241 +msgid "Problem saving notice. Too long." +msgstr "" + +#: classes/Notice.php:245 +msgid "Problem saving notice. Unknown user." +msgstr "" + +#: classes/Notice.php:250 +msgid "" +"Too many notices too fast; take a breather and post again in a few minutes." +msgstr "" + +#: classes/Notice.php:256 +msgid "" +"Too many duplicate messages too quickly; take a breather and post again in a " +"few minutes." +msgstr "" + +#: classes/Notice.php:262 +msgid "You are banned from posting notices on this site." +msgstr "" + +#: classes/Notice.php:328 classes/Notice.php:354 +msgid "Problem saving notice." +msgstr "" + +#: classes/Notice.php:927 +msgid "Problem saving group inbox." +msgstr "" + +#: classes/Notice.php:1459 +#, php-format +msgid "RT @%1$s %2$s" +msgstr "RT @%1$s %2$s" + +#: classes/Subscription.php:66 lib/oauthstore.php:465 +msgid "You have been banned from subscribing." +msgstr "" + +#: classes/Subscription.php:70 +msgid "Already subscribed!" +msgstr "" + +#: classes/Subscription.php:74 +msgid "User has blocked you." +msgstr "" + +#: classes/Subscription.php:157 +msgid "Not subscribed!" +msgstr "" + +#: classes/Subscription.php:163 +msgid "Couldn't delete self-subscription." +msgstr "" + +#: classes/Subscription.php:190 +#, fuzzy +msgid "Couldn't delete subscription OMB token." +msgstr "Diposubl eo dilemel ar postel kadarnadur." + +#: classes/Subscription.php:201 lib/subs.php:69 +msgid "Couldn't delete subscription." +msgstr "" + +#: classes/User.php:373 +#, php-format +msgid "Welcome to %1$s, @%2$s!" +msgstr "" + +#: classes/User_group.php:477 +msgid "Could not create group." +msgstr "" + +#: classes/User_group.php:486 +msgid "Could not set group URI." +msgstr "" + +#: classes/User_group.php:507 +msgid "Could not set group membership." +msgstr "" + +#: classes/User_group.php:521 +msgid "Could not save local group info." +msgstr "" + +#: lib/accountsettingsaction.php:108 +msgid "Change your profile settings" +msgstr "" + +#: lib/accountsettingsaction.php:112 +msgid "Upload an avatar" +msgstr "" + +#: lib/accountsettingsaction.php:116 +msgid "Change your password" +msgstr "Cheñch ar ger-tremen" + +#: lib/accountsettingsaction.php:120 +msgid "Change email handling" +msgstr "" + +#: lib/accountsettingsaction.php:124 +msgid "Design your profile" +msgstr "" + +#: lib/accountsettingsaction.php:128 +msgid "Other" +msgstr "All" + +#: lib/accountsettingsaction.php:128 +msgid "Other options" +msgstr "" + +#: lib/action.php:144 +#, php-format +msgid "%1$s - %2$s" +msgstr "%1$s - %2$s" + +#: lib/action.php:159 +msgid "Untitled page" +msgstr "" + +#: lib/action.php:424 +msgid "Primary site navigation" +msgstr "" + +#. TRANS: Tooltip for main menu option "Personal" +#: lib/action.php:430 +msgctxt "TOOLTIP" +msgid "Personal profile and friends timeline" +msgstr "" + +#: lib/action.php:433 +msgctxt "MENU" +msgid "Personal" +msgstr "" + +#. TRANS: Tooltip for main menu option "Account" +#: lib/action.php:435 +msgctxt "TOOLTIP" +msgid "Change your email, avatar, password, profile" +msgstr "" + +#. TRANS: Tooltip for main menu option "Services" +#: lib/action.php:440 +msgctxt "TOOLTIP" +msgid "Connect to services" +msgstr "" + +#: lib/action.php:443 +#, fuzzy +msgid "Connect" +msgstr "Endalc'h" + +#. TRANS: Tooltip for menu option "Admin" +#: lib/action.php:446 +msgctxt "TOOLTIP" +msgid "Change site configuration" +msgstr "" + +#: lib/action.php:449 +msgctxt "MENU" +msgid "Admin" +msgstr "" + +#. TRANS: Tooltip for main menu option "Invite" +#: lib/action.php:453 +#, php-format +msgctxt "TOOLTIP" +msgid "Invite friends and colleagues to join you on %s" +msgstr "" + +#: lib/action.php:456 +msgctxt "MENU" +msgid "Invite" +msgstr "" + +#. TRANS: Tooltip for main menu option "Logout" +#: lib/action.php:462 +msgctxt "TOOLTIP" +msgid "Logout from the site" +msgstr "" + +#: lib/action.php:465 +msgctxt "MENU" +msgid "Logout" +msgstr "" + +#. TRANS: Tooltip for main menu option "Register" +#: lib/action.php:470 +msgctxt "TOOLTIP" +msgid "Create an account" +msgstr "" + +#: lib/action.php:473 +msgctxt "MENU" +msgid "Register" +msgstr "" + +#. TRANS: Tooltip for main menu option "Login" +#: lib/action.php:476 +msgctxt "TOOLTIP" +msgid "Login to the site" +msgstr "" + +#: lib/action.php:479 +msgctxt "MENU" +msgid "Login" +msgstr "" + +#. TRANS: Tooltip for main menu option "Help" +#: lib/action.php:482 +msgctxt "TOOLTIP" +msgid "Help me!" +msgstr "" + +#: lib/action.php:485 +msgctxt "MENU" +msgid "Help" +msgstr "" + +#. TRANS: Tooltip for main menu option "Search" +#: lib/action.php:488 +msgctxt "TOOLTIP" +msgid "Search for people or text" +msgstr "" + +#: lib/action.php:491 +msgctxt "MENU" +msgid "Search" +msgstr "" + +#. TRANS: DT element for site notice. String is hidden in default CSS. +#. TRANS: Menu item for site administration +#: lib/action.php:513 lib/adminpanelaction.php:398 +msgid "Site notice" +msgstr "" + +#: lib/action.php:579 +msgid "Local views" +msgstr "" + +#: lib/action.php:645 +msgid "Page notice" +msgstr "" + +#: lib/action.php:747 +msgid "Secondary site navigation" +msgstr "" + +#: lib/action.php:752 +msgid "Help" +msgstr "Skoazell" + +#: lib/action.php:754 +msgid "About" +msgstr "Diwar-benn" + +#: lib/action.php:756 +msgid "FAQ" +msgstr "FAG" + +#: lib/action.php:760 +msgid "TOS" +msgstr "" + +#: lib/action.php:763 +msgid "Privacy" +msgstr "Prevezded" + +#: lib/action.php:765 +msgid "Source" +msgstr "Mammenn" + +#: lib/action.php:769 +msgid "Contact" +msgstr "Darempred" + +#: lib/action.php:771 +msgid "Badge" +msgstr "" + +#: lib/action.php:799 +msgid "StatusNet software license" +msgstr "" + +#: lib/action.php:802 +#, php-format +msgid "" +"**%%site.name%%** is a microblogging service brought to you by [%%site." +"broughtby%%](%%site.broughtbyurl%%). " +msgstr "" + +#: lib/action.php:804 +#, php-format +msgid "**%%site.name%%** is a microblogging service. " +msgstr "" + +#: lib/action.php:806 +#, php-format +msgid "" +"It runs the [StatusNet](http://status.net/) microblogging software, version %" +"s, available under the [GNU Affero General Public License](http://www.fsf." +"org/licensing/licenses/agpl-3.0.html)." +msgstr "" + +#: lib/action.php:821 +msgid "Site content license" +msgstr "" + +#: lib/action.php:826 +#, php-format +msgid "Content and data of %1$s are private and confidential." +msgstr "" + +#: lib/action.php:831 +#, php-format +msgid "Content and data copyright by %1$s. All rights reserved." +msgstr "" + +#: lib/action.php:834 +msgid "Content and data copyright by contributors. All rights reserved." +msgstr "" + +#: lib/action.php:847 +msgid "All " +msgstr "Pep tra " + +#: lib/action.php:853 +msgid "license." +msgstr "aotre implijout." + +#: lib/action.php:1152 +msgid "Pagination" +msgstr "Pajennadur" + +#: lib/action.php:1161 +msgid "After" +msgstr "War-lerc'h" + +#: lib/action.php:1169 +msgid "Before" +msgstr "Kent" + +#: lib/activity.php:453 +msgid "Can't handle remote content yet." +msgstr "" + +#: lib/activity.php:481 +msgid "Can't handle embedded XML content yet." +msgstr "" + +#: lib/activity.php:485 +msgid "Can't handle embedded Base64 content yet." +msgstr "" + +#. TRANS: Client error message +#: lib/adminpanelaction.php:98 +msgid "You cannot make changes to this site." +msgstr "" + +#. TRANS: Client error message +#: lib/adminpanelaction.php:110 +msgid "Changes to that panel are not allowed." +msgstr "" + +#. TRANS: Client error message +#: lib/adminpanelaction.php:229 +msgid "showForm() not implemented." +msgstr "" + +#. TRANS: Client error message +#: lib/adminpanelaction.php:259 +msgid "saveSettings() not implemented." +msgstr "" + +#. TRANS: Client error message +#: lib/adminpanelaction.php:283 +msgid "Unable to delete design setting." +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:348 +msgid "Basic site configuration" +msgstr "" + +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:350 +msgctxt "MENU" +msgid "Site" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:356 +msgid "Design configuration" +msgstr "" + +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:358 +msgctxt "MENU" +msgid "Design" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:364 +msgid "User configuration" +msgstr "" + +#. TRANS: Menu item for site administration +#: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 +msgid "User" +msgstr "Implijer" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:372 +msgid "Access configuration" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:380 +msgid "Paths configuration" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:388 +msgid "Sessions configuration" +msgstr "" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:396 +#, fuzzy +msgid "Edit site notice" +msgstr "Eilañ an ali" + +#. TRANS: Menu item title/tooltip +#: lib/adminpanelaction.php:404 +msgid "Snapshots configuration" +msgstr "" + +#: lib/apiauth.php:94 +msgid "API resource requires read-write access, but you only have read access." +msgstr "" + +#: lib/apiauth.php:272 +#, php-format +msgid "Failed API auth attempt, nickname = %1$s, proxy = %2$s, ip = %3$s" +msgstr "" + +#: lib/applicationeditform.php:136 +msgid "Edit application" +msgstr "Kemmañ an arload" + +#: lib/applicationeditform.php:184 +msgid "Icon for this application" +msgstr "" + +#: lib/applicationeditform.php:204 +#, php-format +msgid "Describe your application in %d characters" +msgstr "" + +#: lib/applicationeditform.php:207 +msgid "Describe your application" +msgstr "" + +#: lib/applicationeditform.php:216 +msgid "Source URL" +msgstr "Mammenn URL" + +#: lib/applicationeditform.php:218 +msgid "URL of the homepage of this application" +msgstr "" + +#: lib/applicationeditform.php:224 +msgid "Organization responsible for this application" +msgstr "" + +#: lib/applicationeditform.php:230 +msgid "URL for the homepage of the organization" +msgstr "" + +#: lib/applicationeditform.php:236 +msgid "URL to redirect to after authentication" +msgstr "" + +#: lib/applicationeditform.php:258 +msgid "Browser" +msgstr "Merdeer" + +#: lib/applicationeditform.php:274 +msgid "Desktop" +msgstr "" + +#: lib/applicationeditform.php:275 +msgid "Type of application, browser or desktop" +msgstr "" + +#: lib/applicationeditform.php:297 +msgid "Read-only" +msgstr "" + +#: lib/applicationeditform.php:315 +msgid "Read-write" +msgstr "" + +#: lib/applicationeditform.php:316 +msgid "Default access for this application: read-only, or read-write" +msgstr "" + +#: lib/applicationlist.php:154 +msgid "Revoke" +msgstr "" + +#: lib/attachmentlist.php:87 +msgid "Attachments" +msgstr "" + +#: lib/attachmentlist.php:265 +msgid "Author" +msgstr "Aozer" + +#: lib/attachmentlist.php:278 +msgid "Provider" +msgstr "Pourvezer" + +#: lib/attachmentnoticesection.php:67 +msgid "Notices where this attachment appears" +msgstr "" + +#: lib/attachmenttagcloudsection.php:48 +msgid "Tags for this attachment" +msgstr "" + +#: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 +msgid "Password changing failed" +msgstr "" + +#: lib/authenticationplugin.php:235 +msgid "Password changing is not allowed" +msgstr "" + +#: lib/channel.php:138 lib/channel.php:158 +msgid "Command results" +msgstr "" + +#: lib/channel.php:210 lib/mailhandler.php:142 +msgid "Command complete" +msgstr "" + +#: lib/channel.php:221 +msgid "Command failed" +msgstr "" + +#: lib/command.php:44 +msgid "Sorry, this command is not yet implemented." +msgstr "" + +#: lib/command.php:88 +#, php-format +msgid "Could not find a user with nickname %s" +msgstr "" + +#: lib/command.php:92 +msgid "It does not make a lot of sense to nudge yourself!" +msgstr "" + +#: lib/command.php:99 +#, php-format +msgid "Nudge sent to %s" +msgstr "" + +#: lib/command.php:126 +#, php-format +msgid "" +"Subscriptions: %1$s\n" +"Subscribers: %2$s\n" +"Notices: %3$s" +msgstr "" + +#: lib/command.php:152 lib/command.php:390 lib/command.php:451 +msgid "Notice with that id does not exist" +msgstr "" + +#: lib/command.php:168 lib/command.php:406 lib/command.php:467 +#: lib/command.php:523 +msgid "User has no last notice" +msgstr "" + +#: lib/command.php:190 +msgid "Notice marked as fave." +msgstr "" + +#: lib/command.php:217 +msgid "You are already a member of that group" +msgstr "" + +#: lib/command.php:231 +#, php-format +msgid "Could not join user %s to group %s" +msgstr "" + +#: lib/command.php:236 +#, php-format +msgid "%s joined group %s" +msgstr "%s zo emezelet er strollad %s" + +#: lib/command.php:275 +#, php-format +msgid "Could not remove user %s to group %s" +msgstr "" + +#: lib/command.php:280 +#, php-format +msgid "%s left group %s" +msgstr "%s {{Gender:.|en|he}} deus kuitaet ar strollad %s" + +#: lib/command.php:309 +#, php-format +msgid "Fullname: %s" +msgstr "Anv klok : %s" + +#: lib/command.php:312 lib/mail.php:254 +#, php-format +msgid "Location: %s" +msgstr "" + +#: lib/command.php:315 lib/mail.php:256 +#, php-format +msgid "Homepage: %s" +msgstr "" + +#: lib/command.php:318 +#, php-format +msgid "About: %s" +msgstr "Diwar-benn : %s" + +#: lib/command.php:349 +#, php-format +msgid "Message too long - maximum is %d characters, you sent %d" +msgstr "" + +#: lib/command.php:367 +#, php-format +msgid "Direct message to %s sent" +msgstr "" + +#: lib/command.php:369 +msgid "Error sending direct message." +msgstr "" + +#: lib/command.php:413 +msgid "Cannot repeat your own notice" +msgstr "" + +#: lib/command.php:418 +msgid "Already repeated that notice" +msgstr "" + +#: lib/command.php:426 +#, php-format +msgid "Notice from %s repeated" +msgstr "" + +#: lib/command.php:428 +msgid "Error repeating notice." +msgstr "" + +#: lib/command.php:482 +#, php-format +msgid "Notice too long - maximum is %d characters, you sent %d" +msgstr "" + +#: lib/command.php:491 +#, php-format +msgid "Reply to %s sent" +msgstr "" + +#: lib/command.php:493 +msgid "Error saving notice." +msgstr "" + +#: lib/command.php:547 +msgid "Specify the name of the user to subscribe to" +msgstr "" + +#: lib/command.php:554 lib/command.php:589 +msgid "No such user" +msgstr "" + +#: lib/command.php:561 +#, php-format +msgid "Subscribed to %s" +msgstr "" + +#: lib/command.php:582 lib/command.php:685 +msgid "Specify the name of the user to unsubscribe from" +msgstr "" + +#: lib/command.php:595 +#, php-format +msgid "Unsubscribed from %s" +msgstr "" + +#: lib/command.php:613 lib/command.php:636 +msgid "Command not yet implemented." +msgstr "" + +#: lib/command.php:616 +msgid "Notification off." +msgstr "" + +#: lib/command.php:618 +msgid "Can't turn off notification." +msgstr "" + +#: lib/command.php:639 +msgid "Notification on." +msgstr "" + +#: lib/command.php:641 +msgid "Can't turn on notification." +msgstr "" + +#: lib/command.php:654 +msgid "Login command is disabled" +msgstr "" + +#: lib/command.php:665 +#, php-format +msgid "This link is useable only once, and is good for only 2 minutes: %s" +msgstr "" + +#: lib/command.php:692 +#, php-format +msgid "Unsubscribed %s" +msgstr "" + +#: lib/command.php:709 +msgid "You are not subscribed to anyone." +msgstr "" + +#: lib/command.php:711 +#, fuzzy +msgid "You are subscribed to this person:" +msgid_plural "You are subscribed to these people:" +msgstr[0] "You are subscribed to this person:" +msgstr[1] "You are subscribed to these people:" + +#: lib/command.php:731 +msgid "No one is subscribed to you." +msgstr "" + +#: lib/command.php:733 +#, fuzzy +msgid "This person is subscribed to you:" +msgid_plural "These people are subscribed to you:" +msgstr[0] "This person is subscribed to you:" +msgstr[1] "These people are subscribed to you:" + +#: lib/command.php:753 +msgid "You are not a member of any groups." +msgstr "" + +#: lib/command.php:755 +#, fuzzy +msgid "You are a member of this group:" +msgid_plural "You are a member of these groups:" +msgstr[0] "You are a member of this group:" +msgstr[1] "You are a member of these groups:" + +#: lib/command.php:769 +msgid "" +"Commands:\n" +"on - turn on notifications\n" +"off - turn off notifications\n" +"help - show this help\n" +"follow - subscribe to user\n" +"groups - lists the groups you have joined\n" +"subscriptions - list the people you follow\n" +"subscribers - list the people that follow you\n" +"leave - unsubscribe from user\n" +"d - direct message to user\n" +"get - get last notice from user\n" +"whois - get profile info on user\n" +"lose - force user to stop following you\n" +"fav - add user's last notice as a 'fave'\n" +"fav # - add notice with the given id as a 'fave'\n" +"repeat # - repeat a notice with a given id\n" +"repeat - repeat the last notice from user\n" +"reply # - reply to notice with a given id\n" +"reply - reply to the last notice from user\n" +"join - join group\n" +"login - Get a link to login to the web interface\n" +"drop - leave group\n" +"stats - get your stats\n" +"stop - same as 'off'\n" +"quit - same as 'off'\n" +"sub - same as 'follow'\n" +"unsub - same as 'leave'\n" +"last - same as 'get'\n" +"on - not yet implemented.\n" +"off - not yet implemented.\n" +"nudge - remind a user to update.\n" +"invite - not yet implemented.\n" +"track - not yet implemented.\n" +"untrack - not yet implemented.\n" +"track off - not yet implemented.\n" +"untrack all - not yet implemented.\n" +"tracks - not yet implemented.\n" +"tracking - not yet implemented.\n" +msgstr "" + +#: lib/common.php:148 +msgid "No configuration file found. " +msgstr "" + +#: lib/common.php:149 +msgid "I looked for configuration files in the following places: " +msgstr "" + +#: lib/common.php:151 +msgid "You may wish to run the installer to fix this." +msgstr "" + +#: lib/common.php:152 +msgid "Go to the installer." +msgstr "" + +#: lib/connectsettingsaction.php:110 +msgid "IM" +msgstr "IM" + +#: lib/connectsettingsaction.php:111 +msgid "Updates by instant messenger (IM)" +msgstr "" + +#: lib/connectsettingsaction.php:116 +msgid "Updates by SMS" +msgstr "" + +#: lib/connectsettingsaction.php:120 +msgid "Connections" +msgstr "" + +#: lib/connectsettingsaction.php:121 +msgid "Authorized connected applications" +msgstr "" + +#: lib/dberroraction.php:60 +msgid "Database error" +msgstr "" + +#: lib/designsettings.php:105 +msgid "Upload file" +msgstr "" + +#: lib/designsettings.php:109 +msgid "" +"You can upload your personal background image. The maximum file size is 2MB." +msgstr "" + +#: lib/designsettings.php:418 +msgid "Design defaults restored." +msgstr "" + +#: lib/disfavorform.php:114 lib/disfavorform.php:140 +msgid "Disfavor this notice" +msgstr "" + +#: lib/favorform.php:114 lib/favorform.php:140 +msgid "Favor this notice" +msgstr "" + +#: lib/favorform.php:140 +msgid "Favor" +msgstr "" + +#: lib/feed.php:85 +msgid "RSS 1.0" +msgstr "RSS 1.0" + +#: lib/feed.php:87 +msgid "RSS 2.0" +msgstr "RSS 2.0" + +#: lib/feed.php:89 +msgid "Atom" +msgstr "Atom" + +#: lib/feed.php:91 +msgid "FOAF" +msgstr "Mignon ur mignon (FOAF)" + +#: lib/feedlist.php:64 +msgid "Export data" +msgstr "" + +#: lib/galleryaction.php:121 +msgid "Filter tags" +msgstr "Silañ ar balizennoù" + +#: lib/galleryaction.php:131 +msgid "All" +msgstr "An holl" + +#: lib/galleryaction.php:139 +msgid "Select tag to filter" +msgstr "" + +#: lib/galleryaction.php:140 +msgid "Tag" +msgstr "Merk" + +#: lib/galleryaction.php:141 +msgid "Choose a tag to narrow list" +msgstr "" + +#: lib/galleryaction.php:143 +msgid "Go" +msgstr "Mont" + +#: lib/grantroleform.php:91 +#, php-format +msgid "Grant this user the \"%s\" role" +msgstr "" + +#: lib/groupeditform.php:163 +msgid "URL of the homepage or blog of the group or topic" +msgstr "" + +#: lib/groupeditform.php:168 +msgid "Describe the group or topic" +msgstr "" + +#: lib/groupeditform.php:170 +#, php-format +msgid "Describe the group or topic in %d characters" +msgstr "" + +#: lib/groupeditform.php:179 +msgid "" +"Location for the group, if any, like \"City, State (or Region), Country\"" +msgstr "" + +#: lib/groupeditform.php:187 +#, php-format +msgid "Extra nicknames for the group, comma- or space- separated, max %d" +msgstr "" + +#: lib/groupnav.php:85 +msgid "Group" +msgstr "Strollad" + +#: lib/groupnav.php:101 +msgid "Blocked" +msgstr "Stanket" + +#: lib/groupnav.php:102 +#, php-format +msgid "%s blocked users" +msgstr "%s implijer stanket" + +#: lib/groupnav.php:108 +#, php-format +msgid "Edit %s group properties" +msgstr "" + +#: lib/groupnav.php:113 +msgid "Logo" +msgstr "Logo" + +#: lib/groupnav.php:114 +#, php-format +msgid "Add or edit %s logo" +msgstr "" + +#: lib/groupnav.php:120 +#, php-format +msgid "Add or edit %s design" +msgstr "" + +#: lib/groupsbymemberssection.php:71 +msgid "Groups with most members" +msgstr "" + +#: lib/groupsbypostssection.php:71 +msgid "Groups with most posts" +msgstr "" + +#: lib/grouptagcloudsection.php:56 +#, php-format +msgid "Tags in %s group's notices" +msgstr "" + +#: lib/htmloutputter.php:103 +msgid "This page is not available in a media type you accept" +msgstr "" + +#: lib/imagefile.php:75 +#, php-format +msgid "That file is too big. The maximum file size is %s." +msgstr "" + +#: lib/imagefile.php:80 +msgid "Partial upload." +msgstr "" + +#: lib/imagefile.php:88 lib/mediafile.php:170 +msgid "System error uploading file." +msgstr "" + +#: lib/imagefile.php:96 +msgid "Not an image or corrupt file." +msgstr "" + +#: lib/imagefile.php:109 +msgid "Unsupported image file format." +msgstr "" + +#: lib/imagefile.php:122 +msgid "Lost our file." +msgstr "" + +#: lib/imagefile.php:166 lib/imagefile.php:231 +msgid "Unknown file type" +msgstr "" + +#: lib/imagefile.php:251 +msgid "MB" +msgstr "Mo" + +#: lib/imagefile.php:253 +msgid "kB" +msgstr "Ko" + +#: lib/jabber.php:220 +#, php-format +msgid "[%s]" +msgstr "[%s]" + +#: lib/jabber.php:400 +#, php-format +msgid "Unknown inbox source %d." +msgstr "" + +#: lib/joinform.php:114 +msgid "Join" +msgstr "Stagañ" + +#: lib/leaveform.php:114 +msgid "Leave" +msgstr "Kuitañ" + +#: lib/logingroupnav.php:80 +msgid "Login with a username and password" +msgstr "" + +#: lib/logingroupnav.php:86 +msgid "Sign up for a new account" +msgstr "" + +#: lib/mail.php:172 +msgid "Email address confirmation" +msgstr "" + +#: lib/mail.php:174 +#, php-format +msgid "" +"Hey, %s.\n" +"\n" +"Someone just entered this email address on %s.\n" +"\n" +"If it was you, and you want to confirm your entry, use the URL below:\n" +"\n" +"\t%s\n" +"\n" +"If not, just ignore this message.\n" +"\n" +"Thanks for your time, \n" +"%s\n" +msgstr "" + +#: lib/mail.php:236 +#, php-format +msgid "%1$s is now listening to your notices on %2$s." +msgstr "" + +#: lib/mail.php:241 +#, php-format +msgid "" +"%1$s is now listening to your notices on %2$s.\n" +"\n" +"\t%3$s\n" +"\n" +"%4$s%5$s%6$s\n" +"Faithfully yours,\n" +"%7$s.\n" +"\n" +"----\n" +"Change your email address or notification options at %8$s\n" +msgstr "" + +#: lib/mail.php:258 +#, php-format +msgid "Bio: %s" +msgstr "" + +#: lib/mail.php:286 +#, php-format +msgid "New email address for posting to %s" +msgstr "" + +#: lib/mail.php:289 +#, php-format +msgid "" +"You have a new posting address on %1$s.\n" +"\n" +"Send email to %2$s to post new messages.\n" +"\n" +"More email instructions at %3$s.\n" +"\n" +"Faithfully yours,\n" +"%4$s" +msgstr "" + +#: lib/mail.php:413 +#, php-format +msgid "%s status" +msgstr "Statud %s" + +#: lib/mail.php:439 +msgid "SMS confirmation" +msgstr "" + +#: lib/mail.php:463 +#, php-format +msgid "You've been nudged by %s" +msgstr "" + +#: lib/mail.php:467 +#, php-format +msgid "" +"%1$s (%2$s) is wondering what you are up to these days and is inviting you " +"to post some news.\n" +"\n" +"So let's hear from you :)\n" +"\n" +"%3$s\n" +"\n" +"Don't reply to this email; it won't get to them.\n" +"\n" +"With kind regards,\n" +"%4$s\n" +msgstr "" + +#: lib/mail.php:510 +#, php-format +msgid "New private message from %s" +msgstr "Kemenadenn personel nevez a-berzh %s" + +#: lib/mail.php:514 +#, php-format +msgid "" +"%1$s (%2$s) sent you a private message:\n" +"\n" +"------------------------------------------------------\n" +"%3$s\n" +"------------------------------------------------------\n" +"\n" +"You can reply to their message here:\n" +"\n" +"%4$s\n" +"\n" +"Don't reply to this email; it won't get to them.\n" +"\n" +"With kind regards,\n" +"%5$s\n" +msgstr "" + +#: lib/mail.php:559 +#, php-format +msgid "%s (@%s) added your notice as a favorite" +msgstr "" + +#: lib/mail.php:561 +#, php-format +msgid "" +"%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" +"\n" +"The URL of your notice is:\n" +"\n" +"%3$s\n" +"\n" +"The text of your notice is:\n" +"\n" +"%4$s\n" +"\n" +"You can see the list of %1$s's favorites here:\n" +"\n" +"%5$s\n" +"\n" +"Faithfully yours,\n" +"%6$s\n" +msgstr "" + +#: lib/mail.php:624 +#, php-format +msgid "%s (@%s) sent a notice to your attention" +msgstr "" + +#: lib/mail.php:626 +#, php-format +msgid "" +"%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" +"\n" +"The notice is here:\n" +"\n" +"\t%3$s\n" +"\n" +"It reads:\n" +"\n" +"\t%4$s\n" +"\n" +msgstr "" + +#: lib/mailbox.php:89 +msgid "Only the user can read their own mailboxes." +msgstr "" + +#: lib/mailbox.php:139 +msgid "" +"You have no private messages. You can send private message to engage other " +"users in conversation. People can send you messages for your eyes only." +msgstr "" + +#: lib/mailbox.php:227 lib/noticelist.php:482 +msgid "from" +msgstr "eus" + +#: lib/mailhandler.php:37 +msgid "Could not parse message." +msgstr "" + +#: lib/mailhandler.php:42 +msgid "Not a registered user." +msgstr "" + +#: lib/mailhandler.php:46 +msgid "Sorry, that is not your incoming email address." +msgstr "" + +#: lib/mailhandler.php:50 +msgid "Sorry, no incoming email allowed." +msgstr "" + +#: lib/mailhandler.php:228 +#, php-format +msgid "Unsupported message type: %s" +msgstr "" + +#: lib/mediafile.php:98 lib/mediafile.php:123 +msgid "There was a database error while saving your file. Please try again." +msgstr "" + +#: lib/mediafile.php:142 +msgid "The uploaded file exceeds the upload_max_filesize directive in php.ini." +msgstr "" + +#: lib/mediafile.php:147 +msgid "" +"The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in " +"the HTML form." +msgstr "" + +#: lib/mediafile.php:152 +msgid "The uploaded file was only partially uploaded." +msgstr "" + +#: lib/mediafile.php:159 +msgid "Missing a temporary folder." +msgstr "" + +#: lib/mediafile.php:162 +msgid "Failed to write file to disk." +msgstr "" + +#: lib/mediafile.php:165 +msgid "File upload stopped by extension." +msgstr "" + +#: lib/mediafile.php:179 lib/mediafile.php:216 +msgid "File exceeds user's quota." +msgstr "" + +#: lib/mediafile.php:196 lib/mediafile.php:233 +msgid "File could not be moved to destination directory." +msgstr "" + +#: lib/mediafile.php:201 lib/mediafile.php:237 +msgid "Could not determine file's MIME type." +msgstr "" + +#: lib/mediafile.php:270 +#, php-format +msgid " Try using another %s format." +msgstr "" + +#: lib/mediafile.php:275 +#, php-format +msgid "%s is not a supported file type on this server." +msgstr "" + +#: lib/messageform.php:120 +msgid "Send a direct notice" +msgstr "" + +#: lib/messageform.php:146 +msgid "To" +msgstr "Da" + +#: lib/messageform.php:159 lib/noticeform.php:185 +msgid "Available characters" +msgstr "" + +#: lib/messageform.php:178 lib/noticeform.php:236 +msgctxt "Send button for sending notice" +msgid "Send" +msgstr "" + +#: lib/noticeform.php:160 +msgid "Send a notice" +msgstr "Kas un ali" + +#: lib/noticeform.php:173 +#, php-format +msgid "What's up, %s?" +msgstr "Penaos 'mañ kont, %s ?" + +#: lib/noticeform.php:192 +msgid "Attach" +msgstr "Stagañ" + +#: lib/noticeform.php:196 +msgid "Attach a file" +msgstr "Stagañ ur restr" + +#: lib/noticeform.php:212 +msgid "Share my location" +msgstr "" + +#: lib/noticeform.php:215 +msgid "Do not share my location" +msgstr "" + +#: lib/noticeform.php:216 +msgid "" +"Sorry, retrieving your geo location is taking longer than expected, please " +"try again later" +msgstr "" + +#: lib/noticelist.php:429 +#, php-format +msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" +msgstr "" + +#: lib/noticelist.php:430 +msgid "N" +msgstr "N" + +#: lib/noticelist.php:430 +msgid "S" +msgstr "S" + +#: lib/noticelist.php:431 +msgid "E" +msgstr "R" + +#: lib/noticelist.php:431 +msgid "W" +msgstr "K" + +#: lib/noticelist.php:438 +msgid "at" +msgstr "e" + +#: lib/noticelist.php:566 +msgid "in context" +msgstr "" + +#: lib/noticelist.php:601 +msgid "Repeated by" +msgstr "" + +#: lib/noticelist.php:628 +msgid "Reply to this notice" +msgstr "" + +#: lib/noticelist.php:629 +msgid "Reply" +msgstr "Respont" + +#: lib/noticelist.php:673 +msgid "Notice repeated" +msgstr "" + +#: lib/nudgeform.php:116 +msgid "Nudge this user" +msgstr "Kas ur blinkadenn d'an implijer-mañ" + +#: lib/nudgeform.php:128 +msgid "Nudge" +msgstr "Blinkadenn" + +#: lib/nudgeform.php:128 +msgid "Send a nudge to this user" +msgstr "Kas ur blinkadenn d'an implijer-mañ" + +#: lib/oauthstore.php:283 +msgid "Error inserting new profile" +msgstr "" + +#: lib/oauthstore.php:291 +msgid "Error inserting avatar" +msgstr "" + +#: lib/oauthstore.php:311 +msgid "Error inserting remote profile" +msgstr "" + +#: lib/oauthstore.php:345 +msgid "Duplicate notice" +msgstr "Eilañ an ali" + +#: lib/oauthstore.php:490 +msgid "Couldn't insert new subscription." +msgstr "" + +#: lib/personalgroupnav.php:99 +msgid "Personal" +msgstr "Hiniennel" + +#: lib/personalgroupnav.php:104 +msgid "Replies" +msgstr "Respontoù" + +#: lib/personalgroupnav.php:114 +msgid "Favorites" +msgstr "Pennrolloù" + +#: lib/personalgroupnav.php:125 +msgid "Inbox" +msgstr "Boest resev" + +#: lib/personalgroupnav.php:126 +msgid "Your incoming messages" +msgstr "ar gemennadennoù o peus resevet" + +#: lib/personalgroupnav.php:130 +msgid "Outbox" +msgstr "Boest kas" + +#: lib/personalgroupnav.php:131 +msgid "Your sent messages" +msgstr "Ar c'hemenadennoù kaset ganeoc'h" + +#: lib/personaltagcloudsection.php:56 +#, php-format +msgid "Tags in %s's notices" +msgstr "" + +#: lib/plugin.php:114 +msgid "Unknown" +msgstr "Dianav" + +#: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 +msgid "Subscriptions" +msgstr "Koumanantoù" + +#: lib/profileaction.php:126 +msgid "All subscriptions" +msgstr "" + +#: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 +msgid "Subscribers" +msgstr "Ar re koumanantet" + +#: lib/profileaction.php:159 +msgid "All subscribers" +msgstr "An holl re koumanantet" + +#: lib/profileaction.php:180 +msgid "User ID" +msgstr "ID an implijer" + +#: lib/profileaction.php:185 +msgid "Member since" +msgstr "Ezel abaoe" + +#: lib/profileaction.php:247 +msgid "All groups" +msgstr "An holl strolladoù" + +#: lib/profileformaction.php:123 +msgid "No return-to arguments." +msgstr "" + +#: lib/profileformaction.php:137 +msgid "Unimplemented method." +msgstr "" + +#: lib/publicgroupnav.php:78 +msgid "Public" +msgstr "Foran" + +#: lib/publicgroupnav.php:82 +msgid "User groups" +msgstr "Strolladoù implijerien" + +#: lib/publicgroupnav.php:84 lib/publicgroupnav.php:85 +msgid "Recent tags" +msgstr "" + +#: lib/publicgroupnav.php:88 +msgid "Featured" +msgstr "" + +#: lib/publicgroupnav.php:92 +msgid "Popular" +msgstr "Poblek" + +#: lib/repeatform.php:107 +msgid "Repeat this notice?" +msgstr "Adkregiñ gant an ali-mañ ?" + +#: lib/repeatform.php:132 +msgid "Repeat this notice" +msgstr "Adkregiñ gant an ali-mañ" + +#: lib/revokeroleform.php:91 +#, fuzzy, php-format +msgid "Revoke the \"%s\" role from this user" +msgstr "Stankañ an implijer-mañ eus ar strollad-se" + +#: lib/router.php:671 +msgid "No single user defined for single-user mode." +msgstr "" + +#: lib/sandboxform.php:67 +msgid "Sandbox" +msgstr "Poull-traezh" + +#: lib/sandboxform.php:78 +msgid "Sandbox this user" +msgstr "" + +#: lib/searchaction.php:120 +msgid "Search site" +msgstr "Klask el lec'hienn" + +#: lib/searchaction.php:126 +msgid "Keyword(s)" +msgstr "Ger(ioù) alc'hwez" + +#: lib/searchaction.php:127 +msgid "Search" +msgstr "Klask" + +#: lib/searchaction.php:162 +msgid "Search help" +msgstr "Skoazell diwar-benn ar c'hlask" + +#: lib/searchgroupnav.php:80 +msgid "People" +msgstr "Tud" + +#: lib/searchgroupnav.php:81 +msgid "Find people on this site" +msgstr "Klask tud el lec'hienn-mañ" + +#: lib/searchgroupnav.php:83 +msgid "Find content of notices" +msgstr "Klask alioù en danvez" + +#: lib/searchgroupnav.php:85 +msgid "Find groups on this site" +msgstr "Klask strolladoù el lec'hienn-mañ" + +#: lib/section.php:89 +msgid "Untitled section" +msgstr "" + +#: lib/section.php:106 +msgid "More..." +msgstr "Muioc'h..." + +#: lib/silenceform.php:67 +msgid "Silence" +msgstr "Didrouz" + +#: lib/silenceform.php:78 +msgid "Silence this user" +msgstr "" + +#: lib/subgroupnav.php:83 +#, php-format +msgid "People %s subscribes to" +msgstr "" + +#: lib/subgroupnav.php:91 +#, php-format +msgid "People subscribed to %s" +msgstr "" + +#: lib/subgroupnav.php:99 +#, php-format +msgid "Groups %s is a member of" +msgstr "" + +#: lib/subgroupnav.php:105 +msgid "Invite" +msgstr "Pediñ" + +#: lib/subgroupnav.php:106 +#, php-format +msgid "Invite friends and colleagues to join you on %s" +msgstr "" + +#: lib/subscriberspeopleselftagcloudsection.php:48 +#: lib/subscriptionspeopleselftagcloudsection.php:48 +msgid "People Tagcloud as self-tagged" +msgstr "" + +#: lib/subscriberspeopletagcloudsection.php:48 +#: lib/subscriptionspeopletagcloudsection.php:48 +msgid "People Tagcloud as tagged" +msgstr "" + +#: lib/tagcloudsection.php:56 +msgid "None" +msgstr "Hini ebet" + +#: lib/topposterssection.php:74 +msgid "Top posters" +msgstr "" + +#: lib/unsandboxform.php:69 +msgid "Unsandbox" +msgstr "" + +#: lib/unsandboxform.php:80 +msgid "Unsandbox this user" +msgstr "" + +#: lib/unsilenceform.php:67 +msgid "Unsilence" +msgstr "" + +#: lib/unsilenceform.php:78 +msgid "Unsilence this user" +msgstr "" + +#: lib/unsubscribeform.php:113 lib/unsubscribeform.php:137 +msgid "Unsubscribe from this user" +msgstr "" + +#: lib/unsubscribeform.php:137 +msgid "Unsubscribe" +msgstr "" + +#: lib/userprofile.php:116 +msgid "Edit Avatar" +msgstr "Kemmañ an Avatar" + +#: lib/userprofile.php:236 +msgid "User actions" +msgstr "Obererezh an implijer" + +#: lib/userprofile.php:251 +msgid "Edit profile settings" +msgstr "" + +#: lib/userprofile.php:252 +msgid "Edit" +msgstr "Aozañ" + +#: lib/userprofile.php:275 +msgid "Send a direct message to this user" +msgstr "Kas ur gemennadenn war-eeun d'an implijer-mañ" + +#: lib/userprofile.php:276 +msgid "Message" +msgstr "Kemennadenn" + +#: lib/userprofile.php:314 +msgid "Moderate" +msgstr "Habaskaat" + +#: lib/userprofile.php:352 +#, fuzzy +msgid "User role" +msgstr "Strolladoù implijerien" + +#: lib/userprofile.php:354 +#, fuzzy +msgctxt "role" +msgid "Administrator" +msgstr "Merourien" + +#: lib/userprofile.php:355 +#, fuzzy +msgctxt "role" +msgid "Moderator" +msgstr "Habaskaat" + +#: lib/util.php:1015 +msgid "a few seconds ago" +msgstr "un nebeud eilennoù zo" + +#: lib/util.php:1017 +msgid "about a minute ago" +msgstr "1 vunutenn zo well-wazh" + +#: lib/util.php:1019 +#, php-format +msgid "about %d minutes ago" +msgstr "%d munutenn zo well-wazh" + +#: lib/util.php:1021 +msgid "about an hour ago" +msgstr "1 eurvezh zo well-wazh" + +#: lib/util.php:1023 +#, php-format +msgid "about %d hours ago" +msgstr "%d eurvezh zo well-wazh" + +#: lib/util.php:1025 +msgid "about a day ago" +msgstr "1 devezh zo well-wazh" + +#: lib/util.php:1027 +#, php-format +msgid "about %d days ago" +msgstr "%d devezh zo well-wazh" + +#: lib/util.php:1029 +msgid "about a month ago" +msgstr "miz zo well-wazh" + +#: lib/util.php:1031 +#, php-format +msgid "about %d months ago" +msgstr "%d miz zo well-wazh" + +#: lib/util.php:1033 +msgid "about a year ago" +msgstr "bloaz zo well-wazh" + +#: lib/webcolor.php:82 +#, php-format +msgid "%s is not a valid color!" +msgstr "" + +#: lib/webcolor.php:123 +#, php-format +msgid "%s is not a valid color! Use 3 or 6 hex chars." +msgstr "" + +#: lib/xmppmanager.php:402 +#, php-format +msgid "Message too long - maximum is %1$d characters, you sent %2$d." +msgstr "" +"Re hir eo ar gemennadenn - ar ment brasañ a zo %1$d arouezenn, %2$d " +"arouezenn o peus lakaet." diff --git a/locale/statusnet.po b/locale/statusnet.po index b7a421fd4..b4b22d311 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" +"POT-Creation-Date: 2010-03-04 19:12+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" -- cgit v1.2.3-54-g00ecf From 064c45890f896f2af8a0231449fa5337bb79c509 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Thu, 4 Mar 2010 14:45:55 -0800 Subject: fix ver ref in upgrade instructions --- README | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/README b/README index daa393cbe..45b72e9ac 100644 --- a/README +++ b/README @@ -690,7 +690,7 @@ instructions; read to the end first before trying them. 9. Copy htaccess.sample to .htaccess in the new directory. Change the RewriteBase to use the correct path. 10. Rebuild the database. (You can safely skip this step and go to #12 - if you're upgrading from another 0.8.x version). + if you're upgrading from another 0.9.x version). NOTE: this step is destructive and cannot be reversed. YOU CAN EASILY DESTROY YOUR SITE WITH THIS STEP. Don't -- cgit v1.2.3-54-g00ecf From 6aac7cc6cd011b3c86f3f4c8e00a14f992a78306 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 5 Mar 2010 02:27:01 +0000 Subject: Fix for errant deletion of all Twitter foreign_links --- plugins/TwitterBridge/twitter.php | 11 ++++++++++- plugins/TwitterBridge/twitterauthorization.php | 13 ++++++++++++- plugins/TwitterBridge/twittersettings.php | 11 ++++++++++- 3 files changed, 32 insertions(+), 3 deletions(-) diff --git a/plugins/TwitterBridge/twitter.php b/plugins/TwitterBridge/twitter.php index 13e499d65..90805bfc4 100644 --- a/plugins/TwitterBridge/twitter.php +++ b/plugins/TwitterBridge/twitter.php @@ -273,7 +273,16 @@ function remove_twitter_link($flink) common_log(LOG_INFO, 'Removing Twitter bridge Foreign link for ' . "user $user->nickname (user id: $user->id)."); - $result = $flink->delete(); + $result = false; + + // Be extra careful to make sure we have a good flink + // before deleting + if (!empty($flink->user_id) + && !empty($flink->foreign_id) + && !empty($flink->service)) + { + $result = $flink->delete(); + } if (empty($result)) { common_log(LOG_ERR, 'Could not remove Twitter bridge ' . diff --git a/plugins/TwitterBridge/twitterauthorization.php b/plugins/TwitterBridge/twitterauthorization.php index cabf69d7a..bce679622 100644 --- a/plugins/TwitterBridge/twitterauthorization.php +++ b/plugins/TwitterBridge/twitterauthorization.php @@ -273,7 +273,13 @@ class TwitterauthorizationAction extends Action $flink->user_id = $user_id; $flink->service = TWITTER_SERVICE; - $flink->delete(); // delete stale flink, if any + + // delete stale flink, if any + $result = $flink->find(true); + + if (!empty($result)) { + $flink->delete(); + } $flink->user_id = $user_id; $flink->foreign_id = $twuid; @@ -455,6 +461,11 @@ class TwitterauthorizationAction extends Action $user = User::register($args); + if (empty($user)) { + $this->serverError(_('Error registering user.')); + return; + } + $result = $this->saveForeignLink($user->id, $this->twuid, $this->access_token); diff --git a/plugins/TwitterBridge/twittersettings.php b/plugins/TwitterBridge/twittersettings.php index 0137060e9..f22a059f7 100644 --- a/plugins/TwitterBridge/twittersettings.php +++ b/plugins/TwitterBridge/twittersettings.php @@ -250,7 +250,16 @@ class TwittersettingsAction extends ConnectSettingsAction $user = common_current_user(); $flink = Foreign_link::getByUserID($user->id, TWITTER_SERVICE); - $result = $flink->delete(); + $result = false; + + // Be extra careful to make sure we have a good flink + // before deleting + if (!empty($flink->user_id) + && !empty($flink->foreign_id) + && !empty($flink->service)) + { + $result = $flink->delete(); + } if (empty($result)) { common_log_db_error($flink, 'DELETE', __FILE__); -- cgit v1.2.3-54-g00ecf From e3c4b0c85d3fbae9604b22d3666fe36a3c1c7551 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 5 Mar 2010 03:14:40 +0000 Subject: A better way to safely delete Foreign_links --- classes/Foreign_link.php | 17 +++++++++++++++++ plugins/TwitterBridge/twitter.php | 11 +---------- plugins/TwitterBridge/twitterauthorization.php | 2 +- plugins/TwitterBridge/twittersettings.php | 11 +---------- 4 files changed, 20 insertions(+), 21 deletions(-) diff --git a/classes/Foreign_link.php b/classes/Foreign_link.php index ae8c22fd8..e47b2e309 100644 --- a/classes/Foreign_link.php +++ b/classes/Foreign_link.php @@ -113,4 +113,21 @@ class Foreign_link extends Memcached_DataObject return User::staticGet($this->user_id); } + // Make sure we only ever delete one record at a time + function safeDelete() + { + if (!empty($this->user_id) + && !empty($this->foreign_id) + && !empty($this->service)) + { + return $this->delete(); + } else { + common_debug(LOG_WARNING, + 'Foreign_link::safeDelete() tried to delete a ' + . 'Foreign_link without a fully specified compound key: ' + . var_export($this, true)); + return false; + } + } + } diff --git a/plugins/TwitterBridge/twitter.php b/plugins/TwitterBridge/twitter.php index 90805bfc4..2805b3ab5 100644 --- a/plugins/TwitterBridge/twitter.php +++ b/plugins/TwitterBridge/twitter.php @@ -273,16 +273,7 @@ function remove_twitter_link($flink) common_log(LOG_INFO, 'Removing Twitter bridge Foreign link for ' . "user $user->nickname (user id: $user->id)."); - $result = false; - - // Be extra careful to make sure we have a good flink - // before deleting - if (!empty($flink->user_id) - && !empty($flink->foreign_id) - && !empty($flink->service)) - { - $result = $flink->delete(); - } + $result = $flink->safeDelete(); if (empty($result)) { common_log(LOG_ERR, 'Could not remove Twitter bridge ' . diff --git a/plugins/TwitterBridge/twitterauthorization.php b/plugins/TwitterBridge/twitterauthorization.php index bce679622..e20731e5c 100644 --- a/plugins/TwitterBridge/twitterauthorization.php +++ b/plugins/TwitterBridge/twitterauthorization.php @@ -278,7 +278,7 @@ class TwitterauthorizationAction extends Action $result = $flink->find(true); if (!empty($result)) { - $flink->delete(); + $flink->safeDelete(); } $flink->user_id = $user_id; diff --git a/plugins/TwitterBridge/twittersettings.php b/plugins/TwitterBridge/twittersettings.php index f22a059f7..631b29f52 100644 --- a/plugins/TwitterBridge/twittersettings.php +++ b/plugins/TwitterBridge/twittersettings.php @@ -250,16 +250,7 @@ class TwittersettingsAction extends ConnectSettingsAction $user = common_current_user(); $flink = Foreign_link::getByUserID($user->id, TWITTER_SERVICE); - $result = false; - - // Be extra careful to make sure we have a good flink - // before deleting - if (!empty($flink->user_id) - && !empty($flink->foreign_id) - && !empty($flink->service)) - { - $result = $flink->delete(); - } + $result = $flink->safeDelete(); if (empty($result)) { common_log_db_error($flink, 'DELETE', __FILE__); -- cgit v1.2.3-54-g00ecf From dbe6b979d7e07b47aa4cab5c7ccf54d3ba24f319 Mon Sep 17 00:00:00 2001 From: Dave Hall Date: Thu, 4 Mar 2010 17:07:40 +1100 Subject: implement mail headers --- lib/mail.php | 67 +++++++++++++++++++++++++++++++++++++++++++++--------------- 1 file changed, 51 insertions(+), 16 deletions(-) diff --git a/lib/mail.php b/lib/mail.php index c724764cc..807b6a363 100644 --- a/lib/mail.php +++ b/lib/mail.php @@ -133,12 +133,13 @@ function mail_notify_from() * @param User &$user user to send email to * @param string $subject subject of the email * @param string $body body of the email + * @param array $headers optional list of email headers * @param string $address optional specification of email address * * @return boolean success flag */ -function mail_to_user(&$user, $subject, $body, $address=null) +function mail_to_user(&$user, $subject, $body, $headers=array(), $address=null) { if (!$address) { $address = $user->email; @@ -180,7 +181,9 @@ function mail_confirm_address($user, $code, $nickname, $address) $nickname, common_config('site', 'name'), common_local_url('confirmaddress', array('code' => $code)), common_config('site', 'name')); - return mail_to_user($user, $subject, $body, $address); + $headers = array(); + + return mail_to_user($user, $subject, $body, $headers, $address); } /** @@ -231,6 +234,7 @@ function mail_subscribe_notify_profile($listenee, $other) $recipients = $listenee->email; + $headers = _mail_prepare_headers('subscribe', $listenee->nickname, $other->nickname); $headers['From'] = mail_notify_from(); $headers['To'] = $name . ' <' . $listenee->email . '>'; $headers['Subject'] = sprintf(_('%1$s is now listening to '. @@ -476,7 +480,10 @@ function mail_notify_nudge($from, $to) common_local_url('all', array('nickname' => $to->nickname)), common_config('site', 'name')); common_init_locale(); - return mail_to_user($to, $subject, $body); + + $headers = _mail_prepare_headers('nudge', $to->nickname, $from->nickname); + + return mail_to_user($to, $subject, $body, $headers); } /** @@ -526,8 +533,10 @@ function mail_notify_message($message, $from=null, $to=null) common_local_url('newmessage', array('to' => $from->id)), common_config('site', 'name')); + $headers = _mail_prepare_headers('message', $to->nickname, $from->nickname); + common_init_locale(); - return mail_to_user($to, $subject, $body); + return mail_to_user($to, $subject, $body, $headers); } /** @@ -578,8 +587,10 @@ function mail_notify_fave($other, $user, $notice) common_config('site', 'name'), $user->nickname); + $headers = _mail_prepare_headers('fave', $other->nickname, $user->nickname); + common_init_locale(); - mail_to_user($other, $subject, $body); + mail_to_user($other, $subject, $body, $headers); } /** @@ -611,19 +622,19 @@ function mail_notify_attn($user, $notice) common_init_locale($user->language); - if ($notice->conversation != $notice->id) { - $conversationEmailText = "The full conversation can be read here:\n\n". - "\t%5\$s\n\n "; - $conversationUrl = common_local_url('conversation', + if ($notice->conversation != $notice->id) { + $conversationEmailText = "The full conversation can be read here:\n\n". + "\t%5\$s\n\n "; + $conversationUrl = common_local_url('conversation', array('id' => $notice->conversation)).'#notice-'.$notice->id; - } else { - $conversationEmailText = "%5\$s"; - $conversationUrl = null; - } + } else { + $conversationEmailText = "%5\$s"; + $conversationUrl = null; + } $subject = sprintf(_('%s (@%s) sent a notice to your attention'), $bestname, $sender->nickname); - $body = sprintf(_("%1\$s (@%9\$s) just sent a notice to your attention (an '@-reply') on %2\$s.\n\n". + $body = sprintf(_("%1\$s (@%9\$s) just sent a notice to your attention (an '@-reply') on %2\$s.\n\n". "The notice is here:\n\n". "\t%3\$s\n\n" . "It reads:\n\n". @@ -641,7 +652,7 @@ function mail_notify_attn($user, $notice) common_local_url('shownotice', array('notice' => $notice->id)),//%3 $notice->content,//%4 - $conversationUrl,//%5 + $conversationUrl,//%5 common_local_url('newnotice', array('replyto' => $sender->nickname, 'inreplyto' => $notice->id)),//%6 common_local_url('replies', @@ -649,6 +660,30 @@ function mail_notify_attn($user, $notice) common_local_url('emailsettings'), //%8 $sender->nickname); //%9 + $headers = _mail_prepare_headers('mention', $user->nickname, $sender->nickname); + common_init_locale(); - mail_to_user($user, $subject, $body); + mail_to_user($user, $subject, $body, $headers); } + +/** + * Prepare the common mail headers used in notification emails + * + * @param string $msg_type type of message being sent to the user + * @param string $to nickname of the receipient + * @param string $from nickname of the user triggering the notification + * + * @return array list of mail headers to include in the message + */ +function _mail_prepare_headers($msg_type, $to, $from) +{ + $headers = array( + 'X-StatusNet-MessageType' => $msg_type, + 'X-StatusNet-TargetUser' => $to, + 'X-StatusNet-SourceUser' => $from, + 'X-StatusNet-Domain' => common_config('site', 'server') + ); + + return $headers; +} + -- cgit v1.2.3-54-g00ecf From 086d517b877f82513bc9f5208580b7d57453a8e2 Mon Sep 17 00:00:00 2001 From: Rasmus Lerdorf Date: Tue, 2 Mar 2010 16:07:35 -0800 Subject: Fix a few typos --- actions/recoverpassword.php | 2 +- scripts/fixup_utf8.php | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/actions/recoverpassword.php b/actions/recoverpassword.php index dcff35f6e..1e2775e7a 100644 --- a/actions/recoverpassword.php +++ b/actions/recoverpassword.php @@ -21,7 +21,7 @@ if (!defined('STATUSNET') && !defined('LACONICA')) { exit(1); } # You have 24 hours to claim your password -define(MAX_RECOVERY_TIME, 24 * 60 * 60); +define('MAX_RECOVERY_TIME', 24 * 60 * 60); class RecoverpasswordAction extends Action { diff --git a/scripts/fixup_utf8.php b/scripts/fixup_utf8.php index 30befadfd..2af6f9cb0 100755 --- a/scripts/fixup_utf8.php +++ b/scripts/fixup_utf8.php @@ -249,7 +249,7 @@ class UTF8FixerUpper $sql = 'SELECT id, fullname, location, description FROM user_group ' . 'WHERE LENGTH(fullname) != CHAR_LENGTH(fullname) '. 'OR LENGTH(location) != CHAR_LENGTH(location) '. - 'OR LENGTH(description) != CHAR_LENGTH(description) '; + 'OR LENGTH(description) != CHAR_LENGTH(description) '. 'AND modified < "'.$this->max_date.'" '. 'ORDER BY modified DESC'; -- cgit v1.2.3-54-g00ecf From 982edc653f36c45f49165b85c3538fb62d2684e7 Mon Sep 17 00:00:00 2001 From: root Date: Tue, 2 Mar 2010 22:09:52 -0800 Subject: Another typo --- plugins/TwitterBridge/daemons/synctwitterfriends.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/plugins/TwitterBridge/daemons/synctwitterfriends.php b/plugins/TwitterBridge/daemons/synctwitterfriends.php index 671e3c7af..df7da0943 100755 --- a/plugins/TwitterBridge/daemons/synctwitterfriends.php +++ b/plugins/TwitterBridge/daemons/synctwitterfriends.php @@ -221,7 +221,7 @@ class SyncTwitterFriendsDaemon extends ParallelizingDaemon // Twitter friend if (!save_twitter_user($friend_id, $friend_name)) { - common_log(LOG_WARNING, $this-name() . + common_log(LOG_WARNING, $this->name() . " - Couldn't save $screen_name's friend, $friend_name."); continue; } -- cgit v1.2.3-54-g00ecf From 0c0420f606bd9caaf61dc4e307bbb5b8465480e0 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Fri, 5 Mar 2010 23:41:51 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans Signed-off-by: Siebrand Mazeland --- locale/ar/LC_MESSAGES/statusnet.po | 71 +++---- locale/arz/LC_MESSAGES/statusnet.po | 5 +- locale/bg/LC_MESSAGES/statusnet.po | 5 +- locale/ca/LC_MESSAGES/statusnet.po | 5 +- locale/cs/LC_MESSAGES/statusnet.po | 5 +- locale/de/LC_MESSAGES/statusnet.po | 362 ++++++++++++++++------------------ locale/el/LC_MESSAGES/statusnet.po | 5 +- locale/en_GB/LC_MESSAGES/statusnet.po | 5 +- locale/es/LC_MESSAGES/statusnet.po | 5 +- locale/fa/LC_MESSAGES/statusnet.po | 5 +- locale/fi/LC_MESSAGES/statusnet.po | 5 +- locale/fr/LC_MESSAGES/statusnet.po | 79 +++----- locale/ga/LC_MESSAGES/statusnet.po | 5 +- locale/he/LC_MESSAGES/statusnet.po | 5 +- locale/hsb/LC_MESSAGES/statusnet.po | 5 +- locale/ia/LC_MESSAGES/statusnet.po | 5 +- locale/is/LC_MESSAGES/statusnet.po | 5 +- locale/it/LC_MESSAGES/statusnet.po | 100 +++------- locale/ja/LC_MESSAGES/statusnet.po | 5 +- locale/ko/LC_MESSAGES/statusnet.po | 5 +- locale/mk/LC_MESSAGES/statusnet.po | 77 +++----- locale/nb/LC_MESSAGES/statusnet.po | 5 +- locale/nl/LC_MESSAGES/statusnet.po | 80 +++----- locale/nn/LC_MESSAGES/statusnet.po | 5 +- locale/pl/LC_MESSAGES/statusnet.po | 5 +- locale/pt/LC_MESSAGES/statusnet.po | 5 +- locale/pt_BR/LC_MESSAGES/statusnet.po | 5 +- locale/ru/LC_MESSAGES/statusnet.po | 79 +++----- locale/statusnet.po | 2 +- locale/sv/LC_MESSAGES/statusnet.po | 19 +- locale/te/LC_MESSAGES/statusnet.po | 5 +- locale/tr/LC_MESSAGES/statusnet.po | 5 +- locale/uk/LC_MESSAGES/statusnet.po | 113 +++++------ locale/vi/LC_MESSAGES/statusnet.po | 5 +- locale/zh_CN/LC_MESSAGES/statusnet.po | 5 +- locale/zh_TW/LC_MESSAGES/statusnet.po | 5 +- 36 files changed, 457 insertions(+), 655 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index 3e2f7c7b4..9f7bd5cbb 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -10,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:55:52+0000\n" +"PO-Revision-Date: 2010-03-05 22:34:53+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" @@ -1422,12 +1422,12 @@ msgstr "ألغ٠تÙضيل المÙضلة" #: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 msgid "Popular notices" -msgstr "إشعارات مشهورة" +msgstr "إشعارات محبوبة" #: actions/favorited.php:67 #, php-format msgid "Popular notices, page %d" -msgstr "إشعارات مشهورة، الصÙحة %d" +msgstr "إشعارات محبوبة، الصÙحة %d" #: actions/favorited.php:79 msgid "The most popular notices on the site right now." @@ -3426,6 +3426,11 @@ msgid "" "their life and interests. [Join now](%%%%action.register%%%%) to become part " "of this group and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" +"**%s** مجموعة مستخدمين على %%%%site.name%%%%ØŒ خدمة [التدوين المÙصغّر](http://" +"en.wikipedia.org/wiki/Micro-blogging) المبنية على البرنامج الحر [StatusNet]" +"(http://status.net/). يتشارك أعضاؤها رسائل قصيرة عن حياتهم واهتماماتهم. " +"[انضم الآن](%%%%action.register%%%%) لتصبح عضوًا ÙÙŠ هذه المجموعة ومجموعات " +"أخرى عديدة! ([اقرأ المزيد](%%%%doc.help%%%%))" #: actions/showgroup.php:463 #, php-format @@ -3435,6 +3440,9 @@ msgid "" "[StatusNet](http://status.net/) tool. Its members share short messages about " "their life and interests. " msgstr "" +"**%s** مجموعة مستخدمين على %%%%site.name%%%%ØŒ خدمة [التدوين المÙصغّر](http://" +"en.wikipedia.org/wiki/Micro-blogging) المبنية على البرنامج الحر [StatusNet]" +"(http://status.net/). يتشارك أعضاؤها رسائل قصيرة عن حياتهم واهتماماتهم. " #: actions/showgroup.php:491 msgid "Admins" @@ -3468,9 +3476,9 @@ msgid " tagged %s" msgstr "" #: actions/showstream.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s, page %2$d" -msgstr "%1$s والأصدقاء, الصÙحة %2$d" +msgstr "%1$sØŒ الصÙحة %2$d" #: actions/showstream.php:122 #, php-format @@ -3523,6 +3531,11 @@ msgid "" "[StatusNet](http://status.net/) tool. [Join now](%%%%action.register%%%%) to " "follow **%s**'s notices and many more! ([Read more](%%%%doc.help%%%%))" msgstr "" +"لدى **%s** حساب على %%site.name%%ØŒ خدمة [التدوين المÙصغّر](http://en." +"wikipedia.org/wiki/Micro-blogging) المبنية على البرنامج الحر [StatusNet]" +"(http://status.net/). يتشارك أعضاؤها رسائل قصيرة عن حياتهم واهتماماتهم. " +"[انضم الآن](%%%%action.register%%%%) لتتابع إشعارت **%s** وغيره! ([اقرأ " +"المزيد](%%%%doc.help%%%%))" #: actions/showstream.php:248 #, php-format @@ -3546,7 +3559,6 @@ msgid "User is already silenced." msgstr "المستخدم مسكت من قبل." #: actions/siteadminpanel.php:69 -#, fuzzy msgid "Basic settings for this StatusNet site" msgstr "الإعدادات الأساسية لموقع StatusNet هذا." @@ -3616,9 +3628,8 @@ msgid "Default timezone for the site; usually UTC." msgstr "المنطقة الزمنية المبدئية للموقع؛ ت‌ع‌م عادة." #: actions/siteadminpanel.php:262 -#, fuzzy msgid "Default language" -msgstr "لغة الموقع المبدئية" +msgstr "اللغة المبدئية" #: actions/siteadminpanel.php:263 msgid "Site language when autodetection from browser settings is not available" @@ -3645,14 +3656,12 @@ msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" #: actions/sitenoticeadminpanel.php:56 -#, fuzzy msgid "Site Notice" msgstr "إشعار الموقع" #: actions/sitenoticeadminpanel.php:67 -#, fuzzy msgid "Edit site-wide message" -msgstr "رسالة جديدة" +msgstr "عدّل رسالة الموقع العامة" #: actions/sitenoticeadminpanel.php:103 #, fuzzy @@ -3664,18 +3673,16 @@ msgid "Max length for the site-wide notice is 255 chars" msgstr "" #: actions/sitenoticeadminpanel.php:176 -#, fuzzy msgid "Site notice text" -msgstr "إشعار الموقع" +msgstr "نص إشعار الموقع" #: actions/sitenoticeadminpanel.php:178 msgid "Site-wide notice text (255 chars max; HTML okay)" -msgstr "" +msgstr "نص إشعار عام للموقع (255 حر٠كحد أقصى؛ يسمح بHTML)" #: actions/sitenoticeadminpanel.php:198 -#, fuzzy msgid "Save site notice" -msgstr "إشعار الموقع" +msgstr "احÙظ إشعار الموقع" #: actions/smssettings.php:58 msgid "SMS settings" @@ -4492,13 +4499,11 @@ msgid "Connect to services" msgstr "اتصالات" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "اتصل" #. TRANS: Tooltip for menu option "Admin" #: lib/action.php:446 -#, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "غيّر ضبط الموقع" @@ -4522,7 +4527,6 @@ msgstr "ادعÙ" #. TRANS: Tooltip for main menu option "Logout" #: lib/action.php:462 -#, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "اخرج من الموقع" @@ -4534,7 +4538,6 @@ msgstr "اخرج" #. TRANS: Tooltip for main menu option "Register" #: lib/action.php:470 -#, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "أنشئ حسابًا" @@ -4709,7 +4712,7 @@ msgstr "" #. TRANS: Client error message #: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." -msgstr "" +msgstr "لا يمكنك إجراء تغييرات على هذا الموقع." #. TRANS: Client error message #: lib/adminpanelaction.php:110 @@ -4780,9 +4783,8 @@ msgstr "ضبط الجلسات" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:396 -#, fuzzy msgid "Edit site notice" -msgstr "إشعار الموقع" +msgstr "عدّل إشعار الموقع" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:404 @@ -4805,7 +4807,7 @@ msgstr "عدّل التطبيق" #: lib/applicationeditform.php:184 msgid "Icon for this application" -msgstr "" +msgstr "أيقونة لهذا التطبيق" #: lib/applicationeditform.php:204 #, php-format @@ -4838,7 +4840,7 @@ msgstr "" #: lib/applicationeditform.php:258 msgid "Browser" -msgstr "" +msgstr "متصÙØ­" #: lib/applicationeditform.php:274 msgid "Desktop" @@ -5060,23 +5062,23 @@ msgstr "" #: lib/command.php:613 lib/command.php:636 msgid "Command not yet implemented." -msgstr "" +msgstr "الأمر لم ÙŠÙجهزّ بعد." #: lib/command.php:616 msgid "Notification off." -msgstr "" +msgstr "الإشعار Ù…ÙØ·ÙØ£." #: lib/command.php:618 msgid "Can't turn off notification." -msgstr "" +msgstr "تعذّر إطÙاء الإشعارات." #: lib/command.php:639 msgid "Notification on." -msgstr "" +msgstr "الإشعار يعمل." #: lib/command.php:641 msgid "Can't turn on notification." -msgstr "" +msgstr "تعذّر تشغيل الإشعار." #: lib/command.php:654 msgid "Login command is disabled" @@ -5902,7 +5904,7 @@ msgstr "Ù…Ùختارون" #: lib/publicgroupnav.php:92 msgid "Popular" -msgstr "مشهورة" +msgstr "محبوبة" #: lib/repeatform.php:107 msgid "Repeat this notice?" @@ -6077,15 +6079,14 @@ msgid "User role" msgstr "مل٠المستخدم الشخصي" #: lib/userprofile.php:354 -#, fuzzy msgctxt "role" msgid "Administrator" -msgstr "الإداريون" +msgstr "إداري" #: lib/userprofile.php:355 msgctxt "role" msgid "Moderator" -msgstr "" +msgstr "مراقب" #: lib/util.php:1015 msgid "a few seconds ago" diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index dd00dbf7d..3654f6326 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -11,11 +11,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:55:56+0000\n" +"PO-Revision-Date: 2010-03-05 22:34:56+0000\n" "Language-Team: Egyptian Spoken Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: out-statusnet\n" @@ -4505,7 +4505,6 @@ msgid "Connect to services" msgstr "كونيكشونات (Connections)" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "اتصل" diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index e24c60c5a..71b22dd4f 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -10,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:55:59+0000\n" +"PO-Revision-Date: 2010-03-05 22:34:58+0000\n" "Language-Team: Bulgarian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: out-statusnet\n" @@ -4699,7 +4699,6 @@ msgid "Connect to services" msgstr "Свързване към уÑлуги" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "Свързване" diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index f38b97ccf..8a91dad60 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -11,11 +11,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:56:02+0000\n" +"PO-Revision-Date: 2010-03-05 22:35:02+0000\n" "Language-Team: Catalan\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: out-statusnet\n" @@ -4763,7 +4763,6 @@ msgid "Connect to services" msgstr "No s'ha pogut redirigir al servidor: %s" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "Connexió" diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index f4d284ee9..8a8ccf6e6 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -10,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:56:05+0000\n" +"PO-Revision-Date: 2010-03-05 22:35:06+0000\n" "Language-Team: Czech\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: out-statusnet\n" @@ -4705,7 +4705,6 @@ msgid "Connect to services" msgstr "Nelze pÅ™esmÄ›rovat na server: %s" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "PÅ™ipojit" diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index f71b407d5..5007074b7 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -4,6 +4,7 @@ # Author@translatewiki.net: Lutzgh # Author@translatewiki.net: March # Author@translatewiki.net: McDutchie +# Author@translatewiki.net: Michael # Author@translatewiki.net: Michi # Author@translatewiki.net: Pill # Author@translatewiki.net: Umherirrender @@ -15,11 +16,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:56:08+0000\n" +"PO-Revision-Date: 2010-03-05 22:35:09+0000\n" "Language-Team: German\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: out-statusnet\n" @@ -49,7 +50,6 @@ msgstr "" #. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -#, fuzzy msgctxt "LABEL" msgid "Private" msgstr "Privat" @@ -80,7 +80,6 @@ msgid "Save access settings" msgstr "Zugangs-Einstellungen speichern" #: actions/accessadminpanel.php:203 -#, fuzzy msgctxt "BUTTON" msgid "Save" msgstr "Speichern" @@ -170,12 +169,12 @@ msgstr "" #. TRANS: %1$s is user nickname, %2$s is user nickname, %2$s is user nickname prefixed with "@" #: actions/all.php:142 -#, fuzzy, php-format +#, php-format msgid "" "You can try to [nudge %1$s](../%2$s) from his profile or [post something to " "his or her attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -"Du kannst [%s in seinem Profil einen Stups geben](../%s) oder [ihm etwas " +"Du kannst [%1$s in seinem Profil einen Stups geben](../%2$s) oder [ihm etwas " "posten](%%%%action.newnotice%%%%?status_textarea=%s) um seine Aufmerksamkeit " "zu erregen." @@ -448,7 +447,7 @@ msgstr "Zu viele Pseudonyme! Maximale Anzahl ist %d." #: actions/newgroup.php:168 #, php-format msgid "Invalid alias: \"%s\"" -msgstr "Ungültiger Tag: „%s“" +msgstr "Ungültiges Stichwort: „%s“" #: actions/apigroupcreate.php:275 actions/editgroup.php:232 #: actions/newgroup.php:172 @@ -572,7 +571,7 @@ msgstr "" #: actions/apioauthauthorize.php:276 msgid "Allow or deny access" -msgstr "" +msgstr "Zugriff erlauben oder ablehnen" #: actions/apioauthauthorize.php:292 #, php-format @@ -601,16 +600,15 @@ msgstr "Passwort" #: actions/apioauthauthorize.php:328 msgid "Deny" -msgstr "" +msgstr "Ablehnen" #: actions/apioauthauthorize.php:334 -#, fuzzy msgid "Allow" -msgstr "Alle" +msgstr "Erlauben" #: actions/apioauthauthorize.php:351 msgid "Allow or deny access to your account information." -msgstr "" +msgstr "Zugang zu deinem Konto erlauben oder ablehnen" #: actions/apistatusesdestroy.php:107 msgid "This method requires a POST or DELETE." @@ -816,6 +814,9 @@ msgid "" "unsubscribed from you, unable to subscribe to you in the future, and you " "will not be notified of any @-replies from them." msgstr "" +"Bist du sicher, dass du den Benutzer blockieren willst? Die Verbindung zum " +"Benutzer wird gelöscht, dieser kann dich in Zukunft nicht mehr abonnieren " +"und bekommt keine @-Antworten." #: actions/block.php:143 actions/deleteapplication.php:153 #: actions/deletenotice.php:145 actions/deleteuser.php:150 @@ -950,9 +951,8 @@ msgstr "Nachricht hat kein Profil" #: actions/deleteapplication.php:78 actions/editapplication.php:77 #: actions/showapplication.php:94 -#, fuzzy msgid "You are not the owner of this application." -msgstr "Du bist kein Mitglied dieser Gruppe." +msgstr "Du bist Besitzer dieses Programms" #: actions/deleteapplication.php:102 actions/editapplication.php:127 #: actions/newapplication.php:110 actions/showapplication.php:118 @@ -961,9 +961,8 @@ msgid "There was a problem with your session token." msgstr "Es gab ein Problem mit deinem Sessiontoken." #: actions/deleteapplication.php:123 actions/deleteapplication.php:147 -#, fuzzy msgid "Delete application" -msgstr "Unbekannte Nachricht." +msgstr "Programm entfernen" #: actions/deleteapplication.php:149 msgid "" @@ -978,9 +977,8 @@ msgid "Do not delete this application" msgstr "Diese Nachricht nicht löschen" #: actions/deleteapplication.php:160 -#, fuzzy msgid "Delete this application" -msgstr "Nachricht löschen" +msgstr "Programm löschen" #. TRANS: Client error message #: actions/deletenotice.php:67 actions/disfavor.php:61 actions/favor.php:62 @@ -1038,6 +1036,8 @@ msgid "" "Are you sure you want to delete this user? This will clear all data about " "the user from the database, without a backup." msgstr "" +"Bist du sicher, dass du den Benutzer löschen wisst? Alle Daten des Benutzers " +"werden aus der Datenbank gelöscht (ohne ein Backup)." #: actions/deleteuser.php:151 lib/deleteuserform.php:77 msgid "Delete this user" @@ -1046,7 +1046,7 @@ msgstr "Diesen Benutzer löschen" #: actions/designadminpanel.php:62 lib/accountsettingsaction.php:124 #: lib/groupnav.php:119 msgid "Design" -msgstr "" +msgstr "Design" #: actions/designadminpanel.php:73 msgid "Design settings for this StatusNet site." @@ -1113,7 +1113,7 @@ msgstr "Hintergrundbild ein- oder ausschalten." #: actions/designadminpanel.php:479 lib/designsettings.php:161 msgid "Tile background image" -msgstr "" +msgstr "Hintergrundbild kacheln" #: actions/designadminpanel.php:488 lib/designsettings.php:170 msgid "Change colours" @@ -1137,7 +1137,7 @@ msgstr "Links" #: actions/designadminpanel.php:577 lib/designsettings.php:247 msgid "Use defaults" -msgstr "" +msgstr "Standardeinstellungen benutzen" #: actions/designadminpanel.php:578 lib/designsettings.php:248 msgid "Restore default designs" @@ -1172,9 +1172,9 @@ msgid "Add to favorites" msgstr "Zu Favoriten hinzufügen" #: actions/doc.php:158 -#, fuzzy, php-format +#, php-format msgid "No such document \"%s\"" -msgstr "Unbekanntes Dokument." +msgstr "Unbekanntes Dokument \"%s\"" #: actions/editapplication.php:54 msgid "Edit Application" @@ -1232,11 +1232,11 @@ msgstr "Homepage der Organisation ist erforderlich (Pflichtangabe)." #: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." -msgstr "" +msgstr "Antwort ist zu lang" #: actions/editapplication.php:225 actions/newapplication.php:215 msgid "Callback URL is not valid." -msgstr "" +msgstr "Antwort URL ist nicht gültig" #: actions/editapplication.php:258 #, fuzzy @@ -1585,13 +1585,12 @@ msgid "Cannot read file." msgstr "Datei konnte nicht gelesen werden." #: actions/grantrole.php:62 actions/revokerole.php:62 -#, fuzzy msgid "Invalid role." -msgstr "Ungültige Größe." +msgstr "Ungültige Aufgabe" #: actions/grantrole.php:66 actions/revokerole.php:66 msgid "This role is reserved and cannot be set." -msgstr "" +msgstr "Diese Aufgabe ist reserviert und kann nicht gesetzt werden" #: actions/grantrole.php:75 #, fuzzy @@ -1599,9 +1598,8 @@ msgid "You cannot grant user roles on this site." msgstr "Du kannst diesem Benutzer keine Nachricht schicken." #: actions/grantrole.php:82 -#, fuzzy msgid "User already has this role." -msgstr "Nutzer ist bereits ruhig gestellt." +msgstr "Nutzer hat diese Aufgabe bereits" #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 @@ -1657,7 +1655,6 @@ msgid "Database error blocking user from group." msgstr "Datenbank Fehler beim Versuch den Nutzer aus der Gruppe zu blockieren." #: actions/groupbyid.php:74 actions/userbyid.php:70 -#, fuzzy msgid "No ID." msgstr "Keine ID" @@ -1674,6 +1671,8 @@ msgid "" "Customize the way your group looks with a background image and a colour " "palette of your choice." msgstr "" +"Stelle ein wie die Gruppenseite aussehen soll. Hintergrundbild und " +"Farbpalette frei wählbar." #: actions/groupdesignsettings.php:266 actions/userdesignsettings.php:186 #: lib/designsettings.php:391 lib/designsettings.php:413 @@ -1777,6 +1776,11 @@ msgid "" "for one](%%%%action.groupsearch%%%%) or [start your own!](%%%%action.newgroup" "%%%%)" msgstr "" +"Finde und rede mit Gleichgesinnten in %%%%site.name%%%% Gruppen. Nachdem du " +"einer Gruppe beigetreten bis kannst du mit \\\"!Gruppenname\\\" eine " +"Nachricht an alle Gruppenmitglieder schicken. Du kannst nach einer [Gruppe " +"suchen](%%%%action.groupsearch%%%%) oder deine eigene [Gruppe aufmachen!](%%%" +"%action.newgroup%%%%)" #: actions/groups.php:107 actions/usergroups.php:124 lib/groupeditform.php:122 msgid "Create a new group" @@ -1832,7 +1836,6 @@ msgid "Error removing the block." msgstr "Fehler beim Freigeben des Benutzers." #: actions/imsettings.php:59 -#, fuzzy msgid "IM settings" msgstr "IM-Einstellungen" @@ -1930,9 +1933,9 @@ msgid "That is not your Jabber ID." msgstr "Dies ist nicht deine JabberID." #: actions/inbox.php:59 -#, fuzzy, php-format +#, php-format msgid "Inbox for %1$s - page %2$d" -msgstr "Posteingang von %s" +msgstr "Posteingang von %s - Seite %2$d" #: actions/inbox.php:62 #, php-format @@ -2023,7 +2026,6 @@ msgstr "" #. TRANS: Send button for inviting friends #: actions/invite.php:198 -#, fuzzy msgctxt "BUTTON" msgid "Send" msgstr "Senden" @@ -2094,14 +2096,13 @@ msgid "You must be logged in to join a group." msgstr "Du musst angemeldet sein, um Mitglied einer Gruppe zu werden." #: actions/joingroup.php:88 actions/leavegroup.php:88 -#, fuzzy msgid "No nickname or ID." -msgstr "Kein Nutzername." +msgstr "Kein Benutzername oder ID" #: actions/joingroup.php:141 -#, fuzzy, php-format +#, php-format msgid "%1$s joined group %2$s" -msgstr "%s ist der Gruppe %s beigetreten" +msgstr "%1$s ist der Gruppe %2$s beigetreten" #: actions/leavegroup.php:60 msgid "You must be logged in to leave a group." @@ -2112,9 +2113,9 @@ msgid "You are not a member of that group." msgstr "Du bist kein Mitglied dieser Gruppe." #: actions/leavegroup.php:137 -#, fuzzy, php-format +#, php-format msgid "%1$s left group %2$s" -msgstr "%s hat die Gruppe %s verlassen" +msgstr "%1$s hat die Gruppe %2$s verlassen" #: actions/login.php:80 actions/otp.php:62 actions/register.php:137 msgid "Already logged in." @@ -2206,7 +2207,7 @@ msgstr "Benutzer dieses Formular, um eine neue Gruppe zu erstellen." #: actions/newapplication.php:176 msgid "Source URL is required." -msgstr "" +msgstr "Quell-URL ist erforderlich." #: actions/newapplication.php:258 actions/newapplication.php:267 #, fuzzy @@ -2290,6 +2291,8 @@ msgid "" "Be the first to [post on this topic](%%%%action.newnotice%%%%?" "status_textarea=%s)!" msgstr "" +"Sei der erste der [zu diesem Thema etwas schreibt](%%%%action.newnotice%%%%?" +"status_textarea=%s)!" #: actions/noticesearch.php:124 #, php-format @@ -2324,9 +2327,8 @@ msgid "Nudge sent!" msgstr "Stups gesendet!" #: actions/oauthappssettings.php:59 -#, fuzzy msgid "You must be logged in to list your applications." -msgstr "Du musst angemeldet sein, um eine Gruppe zu bearbeiten." +msgstr "Du musst angemeldet sein, um deine Programm anzuzeigen" #: actions/oauthappssettings.php:74 msgid "OAuth applications" @@ -2334,29 +2336,28 @@ msgstr "OAuth-Anwendungen" #: actions/oauthappssettings.php:85 msgid "Applications you have registered" -msgstr "" +msgstr "Registrierte Programme" #: actions/oauthappssettings.php:135 #, php-format msgid "You have not registered any applications yet." -msgstr "" +msgstr "Du hast noch keine Programme registriert" #: actions/oauthconnectionssettings.php:72 msgid "Connected applications" -msgstr "" +msgstr "Verbundene Programme" #: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" #: actions/oauthconnectionssettings.php:175 -#, fuzzy msgid "You are not a user of that application." -msgstr "Du bist kein Mitglied dieser Gruppe." +msgstr "Du bist kein Benutzer dieses Programms." #: actions/oauthconnectionssettings.php:186 msgid "Unable to revoke access for app: " -msgstr "" +msgstr "Kann Zugang dieses Programm nicht entfernen: " #: actions/oauthconnectionssettings.php:198 #, php-format @@ -2382,7 +2383,7 @@ msgstr "Content-Typ " #: actions/oembed.php:160 msgid "Only " -msgstr "" +msgstr "Nur " #: actions/oembed.php:181 actions/oembed.php:200 lib/apiaction.php:1042 #: lib/apiaction.php:1070 lib/apiaction.php:1179 @@ -2407,7 +2408,7 @@ msgstr "Verwalte zahlreiche andere Einstellungen." #: actions/othersettings.php:108 msgid " (free service)" -msgstr "" +msgstr "(kostenloser Dienst)" #: actions/othersettings.php:116 msgid "Shorten URLs with" @@ -2532,7 +2533,7 @@ msgstr "Passwort gespeichert." #. TRANS: Menu item for site administration #: actions/pathsadminpanel.php:59 lib/adminpanelaction.php:382 msgid "Paths" -msgstr "" +msgstr "Pfad" #: actions/pathsadminpanel.php:70 msgid "Path and server settings for this StatusNet site." @@ -2600,15 +2601,15 @@ msgstr "Schicke URLs (lesbarer und besser zu merken) verwenden?" #: actions/pathsadminpanel.php:259 msgid "Theme" -msgstr "" +msgstr "Motiv" #: actions/pathsadminpanel.php:264 msgid "Theme server" -msgstr "" +msgstr "Motiv-Server" #: actions/pathsadminpanel.php:268 msgid "Theme path" -msgstr "" +msgstr "Motiv-Pfad" #: actions/pathsadminpanel.php:272 msgid "Theme directory" @@ -2784,14 +2785,14 @@ msgstr "Teile meine aktuelle Position wenn ich Nachrichten sende" #: actions/tagother.php:209 lib/subscriptionlist.php:106 #: lib/subscriptionlist.php:108 lib/userprofile.php:209 msgid "Tags" -msgstr "Tags" +msgstr "Stichwörter" #: actions/profilesettings.php:147 msgid "" "Tags for yourself (letters, numbers, -, ., and _), comma- or space- separated" msgstr "" -"Tags über dich selbst (Buchstaben, Zahlen, -, ., und _) durch Kommas oder " -"Leerzeichen getrennt" +"Stichwörter über dich selbst (Buchstaben, Zahlen, -, ., und _) durch Kommas " +"oder Leerzeichen getrennt" #: actions/profilesettings.php:151 msgid "Language" @@ -2832,7 +2833,7 @@ msgstr "Die eingegebene Sprache ist zu lang (maximal 50 Zeichen)" #: actions/profilesettings.php:253 actions/tagother.php:178 #, php-format msgid "Invalid tag: \"%s\"" -msgstr "Ungültiger Tag: „%s“" +msgstr "Ungültiges Stichwort: „%s“" #: actions/profilesettings.php:306 msgid "Couldn't update user for autosubscribe." @@ -2903,6 +2904,8 @@ msgstr "Sei der erste der etwas schreibt!" msgid "" "Why not [register an account](%%action.register%%) and be the first to post!" msgstr "" +"Warum nicht ein [Benutzerkonto anlegen](%%action.register%%) und den ersten " +"Beitrag abschicken!" #: actions/public.php:242 #, php-format @@ -2926,23 +2929,23 @@ msgstr "" #: actions/publictagcloud.php:57 msgid "Public tag cloud" -msgstr "Öffentliche Tag-Wolke" +msgstr "Öffentliche Stichwort-Wolke" #: actions/publictagcloud.php:63 #, php-format msgid "These are most popular recent tags on %s " -msgstr "Das sind die beliebtesten Tags auf %s " +msgstr "Das sind die beliebtesten Stichwörter auf %s " #: actions/publictagcloud.php:69 #, php-format msgid "No one has posted a notice with a [hashtag](%%doc.tags%%) yet." msgstr "" -"Bis jetzt hat noch niemand eine Nachricht mit dem Tag [hashtag](%%doc.tags%" -"%) gepostet." +"Bis jetzt hat noch niemand eine Nachricht mit dem Stichwort [hashtag](%%doc." +"tags%%) gepostet." #: actions/publictagcloud.php:72 msgid "Be the first to post one!" -msgstr "" +msgstr "Sei der Erste der etwas schreibt!" #: actions/publictagcloud.php:75 #, php-format @@ -2953,7 +2956,7 @@ msgstr "" #: actions/publictagcloud.php:134 msgid "Tag cloud" -msgstr "Tag-Wolke" +msgstr "Stichwort-Wolke" #: actions/recoverpassword.php:36 msgid "You are already logged in!" @@ -2995,7 +2998,7 @@ msgstr "" #: actions/recoverpassword.php:188 msgid "Password recovery" -msgstr "" +msgstr "Password-Wiederherstellung" #: actions/recoverpassword.php:191 msgid "Nickname or email address" @@ -3151,7 +3154,7 @@ msgstr "Meine Texte und Daten sind verfügbar unter" #: actions/register.php:496 msgid "Creative Commons Attribution 3.0" -msgstr "" +msgstr "Creative Commons Namensnennung 3.0" #: actions/register.php:497 msgid "" @@ -3162,7 +3165,7 @@ msgstr "" "Telefonnummer." #: actions/register.php:538 -#, fuzzy, php-format +#, php-format msgid "" "Congratulations, %1$s! And welcome to %%%%site.name%%%%. From here, you may " "want to...\n" @@ -3274,19 +3277,16 @@ msgid "You can't repeat your own notice." msgstr "Du kannst deine eigene Nachricht nicht wiederholen." #: actions/repeat.php:90 -#, fuzzy msgid "You already repeated that notice." -msgstr "Du hast diesen Benutzer bereits blockiert." +msgstr "Nachricht bereits wiederholt" #: actions/repeat.php:114 lib/noticelist.php:674 -#, fuzzy msgid "Repeated" -msgstr "Erstellt" +msgstr "Wiederholt" #: actions/repeat.php:119 -#, fuzzy msgid "Repeated!" -msgstr "Erstellt" +msgstr "Wiederholt!" #: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 @@ -3331,12 +3331,12 @@ msgid "" msgstr "" #: actions/replies.php:206 -#, fuzzy, php-format +#, php-format msgid "" "You can try to [nudge %1$s](../%2$s) or [post something to his or her " "attention](%%%%action.newnotice%%%%?status_textarea=%3$s)." msgstr "" -"Du kannst [%s in seinem Profil einen Stups geben](../%s) oder [ihm etwas " +"Du kannst [%1$s in seinem Profil einen Stups geben](../%s) oder [ihm etwas " "posten](%%%%action.newnotice%%%%?status_textarea=%s) um seine Aufmerksamkeit " "zu erregen." @@ -3373,7 +3373,7 @@ msgstr "Dieser Benutzer hat dich blockiert." #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 #: lib/adminpanelaction.php:390 msgid "Sessions" -msgstr "" +msgstr "Sitzung" #: actions/sessionsadminpanel.php:65 #, fuzzy @@ -3382,7 +3382,7 @@ msgstr "Design-Einstellungen für diese StatusNet-Website." #: actions/sessionsadminpanel.php:175 msgid "Handle sessions" -msgstr "" +msgstr "Sitzung verwalten" #: actions/sessionsadminpanel.php:177 msgid "Whether to handle sessions ourselves." @@ -3413,7 +3413,7 @@ msgstr "Nachricht hat kein Profil" #: actions/showapplication.php:159 lib/applicationeditform.php:180 msgid "Icon" -msgstr "" +msgstr "Symbol" #: actions/showapplication.php:169 actions/version.php:195 #: lib/applicationeditform.php:195 @@ -3771,7 +3771,7 @@ msgstr "" #: actions/siteadminpanel.php:221 msgid "General" -msgstr "" +msgstr "Allgemein" #: actions/siteadminpanel.php:224 msgid "Site name" @@ -3808,14 +3808,13 @@ msgstr "Lokale Ansichten" #: actions/siteadminpanel.php:256 msgid "Default timezone" -msgstr "" +msgstr "Standard Zeitzone" #: actions/siteadminpanel.php:257 msgid "Default timezone for the site; usually UTC." -msgstr "" +msgstr "Standard Zeitzone für die Seite (meistens UTC)." #: actions/siteadminpanel.php:262 -#, fuzzy msgid "Default language" msgstr "Bevorzugte Sprache" @@ -3825,51 +3824,49 @@ msgstr "" #: actions/siteadminpanel.php:271 msgid "Limits" -msgstr "" +msgstr "Limit" #: actions/siteadminpanel.php:274 msgid "Text limit" -msgstr "" +msgstr "Textlimit" #: actions/siteadminpanel.php:274 msgid "Maximum number of characters for notices." -msgstr "" +msgstr "Maximale Anzahl von Zeichen pro Nachricht" #: actions/siteadminpanel.php:278 msgid "Dupe limit" -msgstr "" +msgstr "Wiederholungslimit" #: actions/siteadminpanel.php:278 msgid "How long users must wait (in seconds) to post the same thing again." msgstr "" +"Wie lange muss ein Benutzer warten bis er eine identische Nachricht " +"abschicken kann (in Sekunden)." #: actions/sitenoticeadminpanel.php:56 -#, fuzzy msgid "Site Notice" -msgstr "Seitennachricht" +msgstr "Seitenbenachrichtigung" #: actions/sitenoticeadminpanel.php:67 -#, fuzzy msgid "Edit site-wide message" msgstr "Neue Nachricht" #: actions/sitenoticeadminpanel.php:103 -#, fuzzy msgid "Unable to save site notice." -msgstr "Konnte Twitter-Einstellungen nicht speichern." +msgstr "Konnte Seitenbenachrichtigung nicht speichern" #: actions/sitenoticeadminpanel.php:113 msgid "Max length for the site-wide notice is 255 chars" -msgstr "" +msgstr "Maximale Länge von Systembenachrichtigungen ist 255 Zeichen" #: actions/sitenoticeadminpanel.php:176 -#, fuzzy msgid "Site notice text" -msgstr "Seitennachricht" +msgstr "Seitenbenachrichtigung" #: actions/sitenoticeadminpanel.php:178 msgid "Site-wide notice text (255 chars max; HTML okay)" -msgstr "" +msgstr "Systembenachrichtigung (max. 255 Zeichen; HTML erlaubt)" #: actions/sitenoticeadminpanel.php:198 #, fuzzy @@ -3877,7 +3874,6 @@ msgid "Save site notice" msgstr "Seitennachricht" #: actions/smssettings.php:58 -#, fuzzy msgid "SMS settings" msgstr "SMS-Einstellungen" @@ -3907,7 +3903,6 @@ msgid "Enter the code you received on your phone." msgstr "Gib den Code ein, den du auf deinem Handy via SMS bekommen hast." #: actions/smssettings.php:138 -#, fuzzy msgid "SMS phone number" msgstr "SMS-Telefonnummer" @@ -3940,7 +3935,6 @@ msgid "That phone number already belongs to another user." msgstr "Diese Telefonnummer wird bereits von einem anderen Benutzer verwendet." #: actions/smssettings.php:347 -#, fuzzy msgid "" "A confirmation code was sent to the phone number you added. Check your phone " "for the code and instructions on how to use it." @@ -4028,7 +4022,7 @@ msgstr "" #: actions/snapshotadminpanel.php:226 msgid "Report URL" -msgstr "" +msgstr "URL melden" #: actions/snapshotadminpanel.php:227 msgid "Snapshots will be sent to this URL" @@ -4050,17 +4044,15 @@ msgstr "Konnte Abonnement nicht erstellen." #: actions/subscribe.php:77 msgid "This action only accepts POST requests." -msgstr "" +msgstr "Diese Aktion nimmt nur POST-Requests" #: actions/subscribe.php:107 -#, fuzzy msgid "No such profile." -msgstr "Datei nicht gefunden." +msgstr "Profil nicht gefunden." #: actions/subscribe.php:117 -#, fuzzy msgid "You cannot subscribe to an OMB 0.1 remote profile with this action." -msgstr "Du hast dieses Profil nicht abonniert." +msgstr "Du hast dieses OMB 0.1 Profil nicht abonniert." #: actions/subscribe.php:145 msgid "Subscribed" @@ -4197,8 +4189,8 @@ msgid "" "Tags for this user (letters, numbers, -, ., and _), comma- or space- " "separated" msgstr "" -"Tags für diesen Benutzer (Buchstaben, Nummer, -, ., und _), durch Komma oder " -"Leerzeichen getrennt" +"Stichwörter für diesen Benutzer (Buchstaben, Nummer, -, ., und _), durch " +"Komma oder Leerzeichen getrennt" #: actions/tagother.php:193 msgid "" @@ -4209,7 +4201,7 @@ msgstr "" #: actions/tagother.php:200 msgid "Could not save tags." -msgstr "Konnte Tags nicht speichern." +msgstr "Konnte Stichwörter nicht speichern." #: actions/tagother.php:236 msgid "Use this form to add tags to your subscribers or subscriptions." @@ -4219,7 +4211,7 @@ msgstr "" #: actions/tagrss.php:35 msgid "No such tag." -msgstr "Tag nicht vorhanden." +msgstr "Stichwort nicht vorhanden." #: actions/twitapitrends.php:85 msgid "API method under construction." @@ -4256,7 +4248,6 @@ msgstr "" #. TRANS: User admin panel title #: actions/useradminpanel.php:59 -#, fuzzy msgctxt "TITLE" msgid "User" msgstr "Benutzer" @@ -4276,7 +4267,7 @@ msgstr "Willkommens-Nachricht ungültig. Maximale Länge sind 255 Zeichen." #: actions/useradminpanel.php:165 #, php-format msgid "Invalid default subscripton: '%1$s' is not user." -msgstr "" +msgstr "Ungültiges Abonnement: '%1$s' ist kein Benutzer" #: actions/useradminpanel.php:218 lib/accountsettingsaction.php:108 #: lib/personalgroupnav.php:109 @@ -4297,7 +4288,7 @@ msgstr "Neue Nutzer" #: actions/useradminpanel.php:235 msgid "New user welcome" -msgstr "" +msgstr "Neue Benutzer empfangen" #: actions/useradminpanel.php:236 msgid "Welcome text for new users (Max 255 chars)." @@ -4355,9 +4346,8 @@ msgid "Reject" msgstr "Ablehnen" #: actions/userauthorization.php:220 -#, fuzzy msgid "Reject this subscription" -msgstr "%s Abonnements" +msgstr "Abonnement ablehnen" #: actions/userauthorization.php:232 msgid "No authorization request!" @@ -4368,15 +4358,14 @@ msgid "Subscription authorized" msgstr "Abonnement autorisiert" #: actions/userauthorization.php:256 -#, fuzzy msgid "" "The subscription has been authorized, but no callback URL was passed. Check " "with the site’s instructions for details on how to authorize the " "subscription. Your subscription token is:" msgstr "" -"Das Abonnement wurde bestätigt, aber es wurde keine Callback-URL " -"zurückgegeben. Lies nochmal die Anweisungen der Site, wie Abonnements " -"bestätigt werden. Dein Abonnement-Token ist:" +"Das Abonnement wurde bestätigt, aber es wurde keine Antwort-URL angegeben. " +"Lies nochmal die Anweisungen auf der Seite wie Abonnements bestätigt werden. " +"Dein Abonnement-Token ist:" #: actions/userauthorization.php:266 msgid "Subscription rejected" @@ -4437,15 +4426,17 @@ msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." msgstr "" +"Stelle ein wie deine Profilseite aussehen soll. Hintergrundbild und " +"Farbpalette sind frei wählbar." #: actions/userdesignsettings.php:282 msgid "Enjoy your hotdog!" -msgstr "" +msgstr "Hab Spaß!" #: actions/usergroups.php:64 -#, fuzzy, php-format +#, php-format msgid "%1$s groups, page %2$d" -msgstr "%s Gruppen-Mitglieder, Seite %d" +msgstr "%1$s Gruppen, Seite %2$d" #: actions/usergroups.php:130 msgid "Search for more groups" @@ -4460,6 +4451,7 @@ msgstr "%s ist in keiner Gruppe Mitglied." #, php-format msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" +"Versuche [Gruppen zu finden](%%action.groupsearch%%) und diesen beizutreten." #: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 @@ -4468,9 +4460,9 @@ msgid "Updates from %1$s on %2$s!" msgstr "Aktualisierungen von %1$s auf %2$s!" #: actions/version.php:73 -#, fuzzy, php-format +#, php-format msgid "StatusNet %s" -msgstr "Statistiken" +msgstr "StatusNet %s" #: actions/version.php:153 #, php-format @@ -4478,10 +4470,12 @@ msgid "" "This site is powered by %1$s version %2$s, Copyright 2008-2010 StatusNet, " "Inc. and contributors." msgstr "" +"Die Seite wird mit %1$s Version %2$s betrieben. Copyright 2008-2010 " +"StatusNet, Inc. und Mitarbeiter" #: actions/version.php:161 msgid "Contributors" -msgstr "" +msgstr "Mitarbeiter" #: actions/version.php:168 msgid "" @@ -4490,6 +4484,10 @@ msgid "" "Software Foundation, either version 3 of the License, or (at your option) " "any later version. " msgstr "" +"StatusNet ist freie Software: Sie dürfen es weiter verteilen und/oder " +"verändern unter Berücksichtigung der Regeln zur GNU General Public License " +"wie veröffentlicht durch die Free Software Foundation, entweder Version 3 " +"der Lizenz, oder jede höhere Version." #: actions/version.php:174 msgid "" @@ -4508,17 +4506,15 @@ msgstr "" #: actions/version.php:189 msgid "Plugins" -msgstr "" +msgstr "Erweiterungen" #: actions/version.php:196 lib/action.php:767 -#, fuzzy msgid "Version" -msgstr "Eigene" +msgstr "Version" #: actions/version.php:197 -#, fuzzy msgid "Author(s)" -msgstr "Autor" +msgstr "Autor(en)" #: classes/File.php:144 #, php-format @@ -4538,22 +4534,18 @@ msgid "A file this large would exceed your monthly quota of %d bytes." msgstr "" #: classes/Group_member.php:41 -#, fuzzy msgid "Group join failed." -msgstr "Gruppenprofil" +msgstr "Konnte Gruppe nicht beitreten" #: classes/Group_member.php:53 -#, fuzzy msgid "Not part of group." -msgstr "Konnte Gruppe nicht aktualisieren." +msgstr "Nicht Mitglied der Gruppe" #: classes/Group_member.php:60 -#, fuzzy msgid "Group leave failed." -msgstr "Gruppenprofil" +msgstr "Konnte Gruppe nicht verlassen" #: classes/Local_group.php:41 -#, fuzzy msgid "Could not update local group." msgstr "Konnte Gruppe nicht aktualisieren." @@ -4563,9 +4555,8 @@ msgid "Could not create login token for %s" msgstr "Konnte keinen Favoriten erstellen." #: classes/Message.php:45 -#, fuzzy msgid "You are banned from sending direct messages." -msgstr "Fehler beim Senden der Nachricht" +msgstr "Direktes senden von Nachrichten wurde blockiert" #: classes/Message.php:61 msgid "Could not insert message." @@ -4614,14 +4605,13 @@ msgid "Problem saving notice." msgstr "Problem bei Speichern der Nachricht." #: classes/Notice.php:927 -#, fuzzy msgid "Problem saving group inbox." msgstr "Problem bei Speichern der Nachricht." #: classes/Notice.php:1459 -#, fuzzy, php-format +#, php-format msgid "RT @%1$s %2$s" -msgstr "%1$s (%2$s)" +msgstr "RT @%1$s %2$s" #: classes/Subscription.php:66 lib/oauthstore.php:465 msgid "You have been banned from subscribing." @@ -4694,9 +4684,8 @@ msgid "Change email handling" msgstr "Ändere die E-Mail-Verarbeitung" #: lib/accountsettingsaction.php:124 -#, fuzzy msgid "Design your profile" -msgstr "Benutzerprofil" +msgstr "Passe dein Profil an" #: lib/accountsettingsaction.php:128 msgid "Other" @@ -4707,9 +4696,9 @@ msgid "Other options" msgstr "Sonstige Optionen" #: lib/action.php:144 -#, fuzzy, php-format +#, php-format msgid "%1$s - %2$s" -msgstr "%1$s (%2$s)" +msgstr "%1$s - %2$s" #: lib/action.php:159 msgid "Untitled page" @@ -4721,23 +4710,20 @@ msgstr "Hauptnavigation" #. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:430 -#, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Persönliches Profil und Freundes-Zeitleiste" #: lib/action.php:433 -#, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Eigene" #. TRANS: Tooltip for main menu option "Account" #: lib/action.php:435 -#, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" -msgstr "Ändere deine E-Mail, dein Avatar, Passwort, Profil" +msgstr "Ändere deine E-Mail, Avatar, Passwort und Profil" #. TRANS: Tooltip for main menu option "Services" #: lib/action.php:440 @@ -4747,7 +4733,6 @@ msgid "Connect to services" msgstr "Konnte nicht zum Server umleiten: %s" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "Verbinden" @@ -4759,85 +4744,73 @@ msgid "Change site configuration" msgstr "Hauptnavigation" #: lib/action.php:449 -#, fuzzy msgctxt "MENU" msgid "Admin" -msgstr "Admin" +msgstr "Administrator" #. TRANS: Tooltip for main menu option "Invite" #: lib/action.php:453 -#, fuzzy, php-format +#, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Lade Freunde und Kollegen ein dir auf %s zu folgen" #: lib/action.php:456 -#, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Einladen" #. TRANS: Tooltip for main menu option "Logout" #: lib/action.php:462 -#, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Von der Seite abmelden" #: lib/action.php:465 -#, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Abmelden" #. TRANS: Tooltip for main menu option "Register" #: lib/action.php:470 -#, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "Neues Konto erstellen" #: lib/action.php:473 -#, fuzzy msgctxt "MENU" msgid "Register" msgstr "Registrieren" #. TRANS: Tooltip for main menu option "Login" #: lib/action.php:476 -#, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Auf der Seite anmelden" #: lib/action.php:479 -#, fuzzy msgctxt "MENU" msgid "Login" msgstr "Anmelden" #. TRANS: Tooltip for main menu option "Help" #: lib/action.php:482 -#, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Hilf mir!" #: lib/action.php:485 -#, fuzzy msgctxt "MENU" msgid "Help" msgstr "Hilfe" #. TRANS: Tooltip for main menu option "Search" #: lib/action.php:488 -#, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Suche nach Leuten oder Text" #: lib/action.php:491 -#, fuzzy msgctxt "MENU" msgid "Search" msgstr "Suchen" @@ -4941,7 +4914,6 @@ msgid "Content and data copyright by contributors. All rights reserved." msgstr "" #: lib/action.php:847 -#, fuzzy msgid "All " msgstr "Alle " @@ -5002,13 +4974,11 @@ msgstr "Konnte die Design Einstellungen nicht löschen." #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:348 -#, fuzzy msgid "Basic site configuration" -msgstr "Bestätigung der E-Mail-Adresse" +msgstr "Basis Seiteneinstellungen" #. TRANS: Menu item for site administration #: lib/adminpanelaction.php:350 -#, fuzzy msgctxt "MENU" msgid "Site" msgstr "Seite" @@ -5021,16 +4991,14 @@ msgstr "SMS-Konfiguration" #. TRANS: Menu item for site administration #: lib/adminpanelaction.php:358 -#, fuzzy msgctxt "MENU" msgid "Design" -msgstr "Eigene" +msgstr "Design" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:364 -#, fuzzy msgid "User configuration" -msgstr "SMS-Konfiguration" +msgstr "Benutzereinstellung" #. TRANS: Menu item for site administration #: lib/adminpanelaction.php:366 lib/personalgroupnav.php:115 @@ -5051,9 +5019,8 @@ msgstr "SMS-Konfiguration" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:388 -#, fuzzy msgid "Sessions configuration" -msgstr "SMS-Konfiguration" +msgstr "Sitzungseinstellungen" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:396 @@ -5078,11 +5045,11 @@ msgstr "" #: lib/applicationeditform.php:136 msgid "Edit application" -msgstr "" +msgstr "Programm bearbeiten" #: lib/applicationeditform.php:184 msgid "Icon for this application" -msgstr "" +msgstr "Programmsymbol" #: lib/applicationeditform.php:204 #, fuzzy, php-format @@ -5119,7 +5086,7 @@ msgstr "" #: lib/applicationeditform.php:258 msgid "Browser" -msgstr "" +msgstr "Browser" #: lib/applicationeditform.php:274 msgid "Desktop" @@ -5131,11 +5098,11 @@ msgstr "" #: lib/applicationeditform.php:297 msgid "Read-only" -msgstr "" +msgstr "Schreibgeschützt" #: lib/applicationeditform.php:315 msgid "Read-write" -msgstr "" +msgstr "Lese/Schreibzugriff" #: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" @@ -5164,12 +5131,11 @@ msgstr "Nachrichten in denen dieser Anhang erscheint" #: lib/attachmenttagcloudsection.php:48 msgid "Tags for this attachment" -msgstr "Tags für diesen Anhang" +msgstr "Stichworte für diesen Anhang" #: lib/authenticationplugin.php:220 lib/authenticationplugin.php:225 -#, fuzzy msgid "Password changing failed" -msgstr "Passwort geändert" +msgstr "Passwort konnte nicht geändert werden" #: lib/authenticationplugin.php:235 #, fuzzy @@ -5213,6 +5179,9 @@ msgid "" "Subscribers: %2$s\n" "Notices: %3$s" msgstr "" +"Abonnements: %1$s\n" +"Abonnenten: %2$s\n" +"Mitteilungen: %3$s" #: lib/command.php:152 lib/command.php:390 lib/command.php:451 msgid "Notice with that id does not exist" @@ -5369,7 +5338,7 @@ msgid "This link is useable only once, and is good for only 2 minutes: %s" msgstr "" #: lib/command.php:692 -#, fuzzy, php-format +#, php-format msgid "Unsubscribed %s" msgstr "%s nicht mehr abonniert" @@ -5501,7 +5470,7 @@ msgstr "" #: lib/designsettings.php:418 msgid "Design defaults restored." -msgstr "" +msgstr "Standard Design wieder hergestellt." #: lib/disfavorform.php:114 lib/disfavorform.php:140 #, fuzzy @@ -5539,7 +5508,7 @@ msgstr "Daten exportieren" #: lib/galleryaction.php:121 msgid "Filter tags" -msgstr "Tags filtern" +msgstr "Stichworte filtern" #: lib/galleryaction.php:131 msgid "All" @@ -5552,12 +5521,12 @@ msgstr "Wähle einen Netzanbieter" #: lib/galleryaction.php:140 msgid "Tag" -msgstr "Tag" +msgstr "Stichwort" #: lib/galleryaction.php:141 #, fuzzy msgid "Choose a tag to narrow list" -msgstr "Wähle einen Tag, um die Liste einzuschränken" +msgstr "Wähle ein Stichwort, um die Liste einzuschränken" #: lib/galleryaction.php:143 msgid "Go" @@ -5637,7 +5606,7 @@ msgstr "Gruppen mit den meisten Beiträgen" #: lib/grouptagcloudsection.php:56 #, php-format msgid "Tags in %s group's notices" -msgstr "Tags in den Nachrichten der Gruppe %s" +msgstr "Stichworte in den Nachrichten der Gruppe %s" #: lib/htmloutputter.php:103 msgid "This page is not available in a media type you accept" @@ -6037,7 +6006,6 @@ msgid "Available characters" msgstr "Verfügbare Zeichen" #: lib/messageform.php:178 lib/noticeform.php:236 -#, fuzzy msgctxt "Send button for sending notice" msgid "Send" msgstr "Senden" @@ -6053,11 +6021,11 @@ msgstr "Was ist los, %s?" #: lib/noticeform.php:192 msgid "Attach" -msgstr "" +msgstr "Anhängen" #: lib/noticeform.php:196 msgid "Attach a file" -msgstr "" +msgstr "Datei anhängen" #: lib/noticeform.php:212 msgid "Share my location" @@ -6096,7 +6064,7 @@ msgstr "W" #: lib/noticelist.php:438 msgid "at" -msgstr "" +msgstr "in" #: lib/noticelist.php:566 msgid "in context" @@ -6182,7 +6150,7 @@ msgstr "Deine gesendeten Nachrichten" #: lib/personaltagcloudsection.php:56 #, php-format msgid "Tags in %s's notices" -msgstr "Tags in %ss Nachrichten" +msgstr "Stichworte in %ss Nachrichten" #: lib/plugin.php:114 #, fuzzy @@ -6236,15 +6204,15 @@ msgstr "Benutzer-Gruppen" #: lib/publicgroupnav.php:84 lib/publicgroupnav.php:85 msgid "Recent tags" -msgstr "Aktuelle Tags" +msgstr "Aktuelle Stichworte" #: lib/publicgroupnav.php:88 msgid "Featured" -msgstr "Featured" +msgstr "Beliebte Benutzer" #: lib/publicgroupnav.php:92 msgid "Popular" -msgstr "Beliebt" +msgstr "Beliebte Beiträge" #: lib/repeatform.php:107 msgid "Repeat this notice?" diff --git a/locale/el/LC_MESSAGES/statusnet.po b/locale/el/LC_MESSAGES/statusnet.po index 6b5c3973f..34c193e29 100644 --- a/locale/el/LC_MESSAGES/statusnet.po +++ b/locale/el/LC_MESSAGES/statusnet.po @@ -10,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:56:10+0000\n" +"PO-Revision-Date: 2010-03-05 22:35:20+0000\n" "Language-Team: Greek\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: el\n" "X-Message-Group: out-statusnet\n" @@ -4625,7 +4625,6 @@ msgid "Connect to services" msgstr "Αδυναμία ανακατεÏθηνσης στο διακομιστή: %s" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "ΣÏνδεση" diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index cac1893e8..d5bb03f3e 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -10,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:56:13+0000\n" +"PO-Revision-Date: 2010-03-05 22:35:23+0000\n" "Language-Team: British English\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: out-statusnet\n" @@ -4671,7 +4671,6 @@ msgid "Connect to services" msgstr "Connect to services" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "Connect" diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index 4aa92796a..04e49bc11 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -14,11 +14,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:56:16+0000\n" +"PO-Revision-Date: 2010-03-05 22:35:26+0000\n" "Language-Team: Spanish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: out-statusnet\n" @@ -4727,7 +4727,6 @@ msgid "Connect to services" msgstr "Conectar a los servicios" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "Conectarse" diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index a68568600..8e2a72d04 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -11,7 +11,7 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:56:22+0000\n" +"PO-Revision-Date: 2010-03-05 22:35:32+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian\n" "MIME-Version: 1.0\n" @@ -20,7 +20,7 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" #. TRANS: Page title @@ -4629,7 +4629,6 @@ msgid "Connect to services" msgstr "متصل شدن به خدمات" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "وصل‌شدن" diff --git a/locale/fi/LC_MESSAGES/statusnet.po b/locale/fi/LC_MESSAGES/statusnet.po index b4978769f..dc707ff1b 100644 --- a/locale/fi/LC_MESSAGES/statusnet.po +++ b/locale/fi/LC_MESSAGES/statusnet.po @@ -11,11 +11,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:56:19+0000\n" +"PO-Revision-Date: 2010-03-05 22:35:29+0000\n" "Language-Team: Finnish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: out-statusnet\n" @@ -4805,7 +4805,6 @@ msgid "Connect to services" msgstr "Ei voitu uudelleenohjata palvelimelle: %s" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "Yhdistä" diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index c8d14b83d..1965123ea 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -15,11 +15,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:56:25+0000\n" +"PO-Revision-Date: 2010-03-05 22:35:34+0000\n" "Language-Team: French\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: out-statusnet\n" @@ -1591,24 +1591,20 @@ msgid "Cannot read file." msgstr "Impossible de lire le fichier" #: actions/grantrole.php:62 actions/revokerole.php:62 -#, fuzzy msgid "Invalid role." -msgstr "Jeton incorrect." +msgstr "Rôle invalide." #: actions/grantrole.php:66 actions/revokerole.php:66 msgid "This role is reserved and cannot be set." -msgstr "" +msgstr "Ce rôle est réservé et ne peut pas être défini." #: actions/grantrole.php:75 -#, fuzzy msgid "You cannot grant user roles on this site." -msgstr "" -"Vous ne pouvez pas mettre des utilisateur dans le bac à sable sur ce site." +msgstr "Vous ne pouvez pas attribuer des rôles aux utilisateurs sur ce site." #: actions/grantrole.php:82 -#, fuzzy msgid "User already has this role." -msgstr "Cet utilisateur est déjà réduit au silence." +msgstr "L'utilisateur a déjà ce rôle." #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 @@ -3377,14 +3373,12 @@ msgid "Replies to %1$s on %2$s!" msgstr "Réponses à %1$s sur %2$s !" #: actions/revokerole.php:75 -#, fuzzy msgid "You cannot revoke user roles on this site." -msgstr "Vous ne pouvez pas réduire des utilisateurs au silence sur ce site." +msgstr "Vous ne pouvez pas révoquer les rôles des utilisateurs sur ce site." #: actions/revokerole.php:82 -#, fuzzy msgid "User doesn't have this role." -msgstr "Utilisateur sans profil correspondant." +msgstr "L'utilisateur ne possède pas ce rôle." #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" @@ -3791,9 +3785,8 @@ msgid "User is already silenced." msgstr "Cet utilisateur est déjà réduit au silence." #: actions/siteadminpanel.php:69 -#, fuzzy msgid "Basic settings for this StatusNet site" -msgstr "Paramètres basiques pour ce site StatusNet." +msgstr "Paramètres basiques pour ce site StatusNet" #: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." @@ -3861,13 +3854,14 @@ msgid "Default timezone for the site; usually UTC." msgstr "Zone horaire par défaut pour ce site ; généralement UTC." #: actions/siteadminpanel.php:262 -#, fuzzy msgid "Default language" -msgstr "Langue du site par défaut" +msgstr "Langue par défaut" #: actions/siteadminpanel.php:263 msgid "Site language when autodetection from browser settings is not available" msgstr "" +"Langue du site lorsque la détection automatique des paramètres du navigateur " +"n'est pas disponible" #: actions/siteadminpanel.php:271 msgid "Limits" @@ -3892,37 +3886,33 @@ msgstr "" "la même chose de nouveau." #: actions/sitenoticeadminpanel.php:56 -#, fuzzy msgid "Site Notice" -msgstr "Notice du site" +msgstr "Avis du site" #: actions/sitenoticeadminpanel.php:67 -#, fuzzy msgid "Edit site-wide message" -msgstr "Nouveau message" +msgstr "Modifier un message portant sur tout le site" #: actions/sitenoticeadminpanel.php:103 -#, fuzzy msgid "Unable to save site notice." -msgstr "Impossible de sauvegarder les parmètres de la conception." +msgstr "Impossible d'enregistrer l'avis du site." #: actions/sitenoticeadminpanel.php:113 msgid "Max length for the site-wide notice is 255 chars" -msgstr "" +msgstr "La longueur maximale pour l'avis du site est de 255 caractères" #: actions/sitenoticeadminpanel.php:176 -#, fuzzy msgid "Site notice text" -msgstr "Notice du site" +msgstr "Texte de l'avis du site" #: actions/sitenoticeadminpanel.php:178 msgid "Site-wide notice text (255 chars max; HTML okay)" msgstr "" +"Texte de l'avis portant sur tout le site (max. 255 caractères ; HTML activé)" #: actions/sitenoticeadminpanel.php:198 -#, fuzzy msgid "Save site notice" -msgstr "Notice du site" +msgstr "Enregistrer l'avis du site" #: actions/smssettings.php:58 msgid "SMS settings" @@ -4034,9 +4024,8 @@ msgid "Snapshots" msgstr "Instantanés" #: actions/snapshotadminpanel.php:65 -#, fuzzy msgid "Manage snapshot configuration" -msgstr "Modifier la configuration du site" +msgstr "Gérer la configuration des instantanés" #: actions/snapshotadminpanel.php:127 msgid "Invalid snapshot run value." @@ -4083,9 +4072,8 @@ msgid "Snapshots will be sent to this URL" msgstr "Les instantanés seront envoyés à cette URL" #: actions/snapshotadminpanel.php:248 -#, fuzzy msgid "Save snapshot settings" -msgstr "Sauvegarder les paramètres du site" +msgstr "Sauvegarder les paramètres des instantanés" #: actions/subedit.php:70 msgid "You are not subscribed to that profile." @@ -4702,9 +4690,8 @@ msgid "Couldn't delete self-subscription." msgstr "Impossible de supprimer l’abonnement à soi-même." #: classes/Subscription.php:190 -#, fuzzy msgid "Couldn't delete subscription OMB token." -msgstr "Impossible de cesser l’abonnement" +msgstr "Impossible de supprimer le jeton OMB de l'abonnement ." #: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." @@ -4796,7 +4783,6 @@ msgid "Connect to services" msgstr "Se connecter aux services" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "Connecter" @@ -5085,15 +5071,13 @@ msgstr "Configuration des sessions" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:396 -#, fuzzy msgid "Edit site notice" -msgstr "Notice du site" +msgstr "Modifier l'avis du site" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:404 -#, fuzzy msgid "Snapshots configuration" -msgstr "Configuration des chemins" +msgstr "Configuration des instantanés" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5634,7 +5618,7 @@ msgstr "Aller" #: lib/grantroleform.php:91 #, php-format msgid "Grant this user the \"%s\" role" -msgstr "" +msgstr "Accorder le rôle « %s » à cet utilisateur" #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" @@ -6346,9 +6330,9 @@ msgid "Repeat this notice" msgstr "Reprendre cet avis" #: lib/revokeroleform.php:91 -#, fuzzy, php-format +#, php-format msgid "Revoke the \"%s\" role from this user" -msgstr "Bloquer cet utilisateur de de groupe" +msgstr "Révoquer le rôle « %s » de cet utilisateur" #: lib/router.php:671 msgid "No single user defined for single-user mode." @@ -6505,21 +6489,18 @@ msgid "Moderate" msgstr "Modérer" #: lib/userprofile.php:352 -#, fuzzy msgid "User role" -msgstr "Profil de l’utilisateur" +msgstr "Rôle de l'utilisateur" #: lib/userprofile.php:354 -#, fuzzy msgctxt "role" msgid "Administrator" -msgstr "Administrateurs" +msgstr "Administrateur" #: lib/userprofile.php:355 -#, fuzzy msgctxt "role" msgid "Moderator" -msgstr "Modérer" +msgstr "Modérateur" #: lib/util.php:1015 msgid "a few seconds ago" diff --git a/locale/ga/LC_MESSAGES/statusnet.po b/locale/ga/LC_MESSAGES/statusnet.po index 97c3d45f1..b88dc4e2c 100644 --- a/locale/ga/LC_MESSAGES/statusnet.po +++ b/locale/ga/LC_MESSAGES/statusnet.po @@ -9,11 +9,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:56:28+0000\n" +"PO-Revision-Date: 2010-03-05 22:35:38+0000\n" "Language-Team: Irish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ga\n" "X-Message-Group: out-statusnet\n" @@ -4863,7 +4863,6 @@ msgid "Connect to services" msgstr "Non se pode redireccionar ao servidor: %s" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "Conectar" diff --git a/locale/he/LC_MESSAGES/statusnet.po b/locale/he/LC_MESSAGES/statusnet.po index ea9275685..0856fd8fe 100644 --- a/locale/he/LC_MESSAGES/statusnet.po +++ b/locale/he/LC_MESSAGES/statusnet.po @@ -8,11 +8,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:56:31+0000\n" +"PO-Revision-Date: 2010-03-05 22:35:40+0000\n" "Language-Team: Hebrew\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: he\n" "X-Message-Group: out-statusnet\n" @@ -4707,7 +4707,6 @@ msgid "Connect to services" msgstr "נכשלה ההפניה לשרת: %s" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "התחבר" diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index b4a6ec7a8..8c129a376 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -10,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:56:34+0000\n" +"PO-Revision-Date: 2010-03-05 22:35:43+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: out-statusnet\n" @@ -4501,7 +4501,6 @@ msgid "Connect to services" msgstr "Zwiski" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "Zwjazać" diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index 8f3976673..4116b91d5 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -9,11 +9,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:56:37+0000\n" +"PO-Revision-Date: 2010-03-05 22:35:46+0000\n" "Language-Team: Interlingua\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: out-statusnet\n" @@ -4754,7 +4754,6 @@ msgid "Connect to services" msgstr "Connecter con servicios" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "Connecter" diff --git a/locale/is/LC_MESSAGES/statusnet.po b/locale/is/LC_MESSAGES/statusnet.po index 84a90d7d8..be9a80250 100644 --- a/locale/is/LC_MESSAGES/statusnet.po +++ b/locale/is/LC_MESSAGES/statusnet.po @@ -9,11 +9,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:56:39+0000\n" +"PO-Revision-Date: 2010-03-05 22:35:49+0000\n" "Language-Team: Icelandic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: is\n" "X-Message-Group: out-statusnet\n" @@ -4755,7 +4755,6 @@ msgid "Connect to services" msgstr "Gat ekki framsent til vefþjóns: %s" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "Tengjast" diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index 5f72eb1a7..05b829067 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -10,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:56:42+0000\n" +"PO-Revision-Date: 2010-03-05 22:35:52+0000\n" "Language-Team: Italian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: out-statusnet\n" @@ -45,7 +45,6 @@ msgstr "" #. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -#, fuzzy msgctxt "LABEL" msgid "Private" msgstr "Privato" @@ -76,7 +75,6 @@ msgid "Save access settings" msgstr "Salva impostazioni di accesso" #: actions/accessadminpanel.php:203 -#, fuzzy msgctxt "BUTTON" msgid "Save" msgstr "Salva" @@ -1582,23 +1580,20 @@ msgid "Cannot read file." msgstr "Impossibile leggere il file." #: actions/grantrole.php:62 actions/revokerole.php:62 -#, fuzzy msgid "Invalid role." -msgstr "Token non valido." +msgstr "Ruolo non valido." #: actions/grantrole.php:66 actions/revokerole.php:66 msgid "This role is reserved and cannot be set." -msgstr "" +msgstr "Questo ruolo è riservato e non può essere impostato." #: actions/grantrole.php:75 -#, fuzzy msgid "You cannot grant user roles on this site." -msgstr "Non puoi mettere in \"sandbox\" gli utenti su questo sito." +msgstr "Non puoi concedere i ruoli agli utenti su questo sito." #: actions/grantrole.php:82 -#, fuzzy msgid "User already has this role." -msgstr "L'utente è già stato zittito." +msgstr "L'utente ricopre già questo ruolo." #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 @@ -2019,7 +2014,6 @@ msgstr "Puoi aggiungere un messaggio personale agli inviti." #. TRANS: Send button for inviting friends #: actions/invite.php:198 -#, fuzzy msgctxt "BUTTON" msgid "Send" msgstr "Invia" @@ -3339,14 +3333,12 @@ msgid "Replies to %1$s on %2$s!" msgstr "Risposte a %1$s su %2$s!" #: actions/revokerole.php:75 -#, fuzzy msgid "You cannot revoke user roles on this site." -msgstr "Non puoi zittire gli utenti su questo sito." +msgstr "Non puoi revocare i ruoli degli utenti su questo sito." #: actions/revokerole.php:82 -#, fuzzy msgid "User doesn't have this role." -msgstr "Utente senza profilo corrispondente." +msgstr "L'utente non ricopre questo ruolo." #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" @@ -3747,9 +3739,8 @@ msgid "User is already silenced." msgstr "L'utente è già stato zittito." #: actions/siteadminpanel.php:69 -#, fuzzy msgid "Basic settings for this StatusNet site" -msgstr "Impostazioni di base per questo sito StatusNet." +msgstr "Impostazioni di base per questo sito StatusNet" #: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." @@ -3817,13 +3808,14 @@ msgid "Default timezone for the site; usually UTC." msgstr "Fuso orario predefinito; tipicamente UTC" #: actions/siteadminpanel.php:262 -#, fuzzy msgid "Default language" msgstr "Lingua predefinita" #: actions/siteadminpanel.php:263 msgid "Site language when autodetection from browser settings is not available" msgstr "" +"Lingua del sito quando il rilevamento automatico del browser non è " +"disponibile" #: actions/siteadminpanel.php:271 msgid "Limits" @@ -3848,37 +3840,32 @@ msgstr "" "nuovamente lo stesso messaggio" #: actions/sitenoticeadminpanel.php:56 -#, fuzzy msgid "Site Notice" msgstr "Messaggio del sito" #: actions/sitenoticeadminpanel.php:67 -#, fuzzy msgid "Edit site-wide message" -msgstr "Nuovo messaggio" +msgstr "Modifica il messaggio del sito" #: actions/sitenoticeadminpanel.php:103 -#, fuzzy msgid "Unable to save site notice." -msgstr "Impossibile salvare la impostazioni dell'aspetto." +msgstr "Impossibile salvare il messaggio del sito." #: actions/sitenoticeadminpanel.php:113 msgid "Max length for the site-wide notice is 255 chars" -msgstr "" +msgstr "La dimensione massima del messaggio del sito è di 255 caratteri" #: actions/sitenoticeadminpanel.php:176 -#, fuzzy msgid "Site notice text" -msgstr "Messaggio del sito" +msgstr "Testo messaggio del sito" #: actions/sitenoticeadminpanel.php:178 msgid "Site-wide notice text (255 chars max; HTML okay)" -msgstr "" +msgstr "Testo messaggio del sito (massimo 255 caratteri, HTML consentito)" #: actions/sitenoticeadminpanel.php:198 -#, fuzzy msgid "Save site notice" -msgstr "Messaggio del sito" +msgstr "Salva messaggio" #: actions/smssettings.php:58 msgid "SMS settings" @@ -3986,9 +3973,8 @@ msgid "Snapshots" msgstr "Snapshot" #: actions/snapshotadminpanel.php:65 -#, fuzzy msgid "Manage snapshot configuration" -msgstr "Modifica la configurazione del sito" +msgstr "Gestisci configurazione snapshot" #: actions/snapshotadminpanel.php:127 msgid "Invalid snapshot run value." @@ -4035,9 +4021,8 @@ msgid "Snapshots will be sent to this URL" msgstr "Gli snapshot verranno inviati a questo URL" #: actions/snapshotadminpanel.php:248 -#, fuzzy msgid "Save snapshot settings" -msgstr "Salva impostazioni" +msgstr "Salva impostazioni snapshot" #: actions/subedit.php:70 msgid "You are not subscribed to that profile." @@ -4258,7 +4243,6 @@ msgstr "" #. TRANS: User admin panel title #: actions/useradminpanel.php:59 -#, fuzzy msgctxt "TITLE" msgid "User" msgstr "Utente" @@ -4651,9 +4635,8 @@ msgid "Couldn't delete self-subscription." msgstr "Impossibile eliminare l'auto-abbonamento." #: classes/Subscription.php:190 -#, fuzzy msgid "Couldn't delete subscription OMB token." -msgstr "Impossibile eliminare l'abbonamento." +msgstr "Impossibile eliminare il token di abbonamento OMB." #: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." @@ -4723,123 +4706,105 @@ msgstr "Esplorazione sito primaria" #. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:430 -#, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Profilo personale e attività degli amici" #: lib/action.php:433 -#, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Personale" #. TRANS: Tooltip for main menu option "Account" #: lib/action.php:435 -#, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "Modifica la tua email, immagine, password o il tuo profilo" #. TRANS: Tooltip for main menu option "Services" #: lib/action.php:440 -#, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "Connettiti con altri servizi" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "Connetti" #. TRANS: Tooltip for menu option "Admin" #: lib/action.php:446 -#, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "Modifica la configurazione del sito" #: lib/action.php:449 -#, fuzzy msgctxt "MENU" msgid "Admin" msgstr "Amministra" #. TRANS: Tooltip for main menu option "Invite" #: lib/action.php:453 -#, fuzzy, php-format +#, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "Invita amici e colleghi a seguirti su %s" #: lib/action.php:456 -#, fuzzy msgctxt "MENU" msgid "Invite" msgstr "Invita" #. TRANS: Tooltip for main menu option "Logout" #: lib/action.php:462 -#, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Termina la tua sessione sul sito" #: lib/action.php:465 -#, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Esci" #. TRANS: Tooltip for main menu option "Register" #: lib/action.php:470 -#, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "Crea un account" #: lib/action.php:473 -#, fuzzy msgctxt "MENU" msgid "Register" msgstr "Registrati" #. TRANS: Tooltip for main menu option "Login" #: lib/action.php:476 -#, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Accedi al sito" #: lib/action.php:479 -#, fuzzy msgctxt "MENU" msgid "Login" msgstr "Accedi" #. TRANS: Tooltip for main menu option "Help" #: lib/action.php:482 -#, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Aiutami!" #: lib/action.php:485 -#, fuzzy msgctxt "MENU" msgid "Help" msgstr "Aiuto" #. TRANS: Tooltip for main menu option "Search" #: lib/action.php:488 -#, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Cerca persone o del testo" #: lib/action.php:491 -#, fuzzy msgctxt "MENU" msgid "Search" msgstr "Cerca" @@ -5008,7 +4973,6 @@ msgstr "Configurazione di base" #. TRANS: Menu item for site administration #: lib/adminpanelaction.php:350 -#, fuzzy msgctxt "MENU" msgid "Site" msgstr "Sito" @@ -5020,7 +4984,6 @@ msgstr "Configurazione aspetto" #. TRANS: Menu item for site administration #: lib/adminpanelaction.php:358 -#, fuzzy msgctxt "MENU" msgid "Design" msgstr "Aspetto" @@ -5052,15 +5015,13 @@ msgstr "Configurazione sessioni" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:396 -#, fuzzy msgid "Edit site notice" -msgstr "Messaggio del sito" +msgstr "Modifica messaggio del sito" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:404 -#, fuzzy msgid "Snapshots configuration" -msgstr "Configurazione percorsi" +msgstr "Configurazione snapshot" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5598,7 +5559,7 @@ msgstr "Vai" #: lib/grantroleform.php:91 #, php-format msgid "Grant this user the \"%s\" role" -msgstr "" +msgstr "Concedi a questo utente il ruolo \"%s\"" #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" @@ -6305,9 +6266,9 @@ msgid "Repeat this notice" msgstr "Ripeti questo messaggio" #: lib/revokeroleform.php:91 -#, fuzzy, php-format +#, php-format msgid "Revoke the \"%s\" role from this user" -msgstr "Blocca l'utente da questo gruppo" +msgstr "Revoca il ruolo \"%s\" a questo utente" #: lib/router.php:671 msgid "No single user defined for single-user mode." @@ -6464,21 +6425,18 @@ msgid "Moderate" msgstr "Modera" #: lib/userprofile.php:352 -#, fuzzy msgid "User role" -msgstr "Profilo utente" +msgstr "Ruolo dell'utente" #: lib/userprofile.php:354 -#, fuzzy msgctxt "role" msgid "Administrator" -msgstr "Amministratori" +msgstr "Amministratore" #: lib/userprofile.php:355 -#, fuzzy msgctxt "role" msgid "Moderator" -msgstr "Modera" +msgstr "Moderatore" #: lib/util.php:1015 msgid "a few seconds ago" diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index def172250..95695792b 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -12,11 +12,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:56:45+0000\n" +"PO-Revision-Date: 2010-03-05 22:35:55+0000\n" "Language-Team: Japanese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: out-statusnet\n" @@ -4735,7 +4735,6 @@ msgid "Connect to services" msgstr "サービスã¸æŽ¥ç¶š" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "接続" diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index fa8b67239..09af2e6f0 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -8,11 +8,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:56:48+0000\n" +"PO-Revision-Date: 2010-03-05 22:35:58+0000\n" "Language-Team: Korean\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: out-statusnet\n" @@ -4779,7 +4779,6 @@ msgid "Connect to services" msgstr "ì„œë²„ì— ìž¬ì ‘ì† í•  수 없습니다 : %s" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "ì—°ê²°" diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index 60e5a3c29..a5736795f 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -10,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:56:50+0000\n" +"PO-Revision-Date: 2010-03-05 22:36:01+0000\n" "Language-Team: Macedonian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: out-statusnet\n" @@ -1583,23 +1583,20 @@ msgid "Cannot read file." msgstr "Податотеката не може да Ñе прочита." #: actions/grantrole.php:62 actions/revokerole.php:62 -#, fuzzy msgid "Invalid role." -msgstr "Погрешен жетон." +msgstr "Погрешна улога." #: actions/grantrole.php:66 actions/revokerole.php:66 msgid "This role is reserved and cannot be set." -msgstr "" +msgstr "Оваа улога е резервирана и не може да Ñе зададе." #: actions/grantrole.php:75 -#, fuzzy msgid "You cannot grant user roles on this site." -msgstr "Ðе можете да Ñтавате кориÑници во пеÑочен режим на оваа веб-Ñтраница." +msgstr "Ðе можете да им доделувате улоги на кориÑниците на оваа веб-Ñтраница." #: actions/grantrole.php:82 -#, fuzzy msgid "User already has this role." -msgstr "КориÑникот е веќе замолчен." +msgstr "КориÑникот веќе ја има таа улога." #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 @@ -3351,14 +3348,12 @@ msgid "Replies to %1$s on %2$s!" msgstr "Одговори на %1$s на %2$s!" #: actions/revokerole.php:75 -#, fuzzy msgid "You cannot revoke user roles on this site." -msgstr "Ðе можете да замолчувате кориÑници на оваа веб-Ñтраница." +msgstr "Ðа оваа веб-Ñтраница не можете да одземате кориÑнички улоги." #: actions/revokerole.php:82 -#, fuzzy msgid "User doesn't have this role." -msgstr "КориÑник без Ñоодветен профил." +msgstr "КориÑникот ја нема оваа улога." #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" @@ -3763,9 +3758,8 @@ msgid "User is already silenced." msgstr "КориÑникот е веќе замолчен." #: actions/siteadminpanel.php:69 -#, fuzzy msgid "Basic settings for this StatusNet site" -msgstr "ОÑновни нагодувања за оваа StatusNet веб-Ñтраница." +msgstr "ОÑновни поÑтавки за оваа StatusNet веб-Ñтраница." #: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." @@ -3837,13 +3831,12 @@ msgid "Default timezone for the site; usually UTC." msgstr "Матична чаÑовна зона за веб-Ñтраницата; обично UTC." #: actions/siteadminpanel.php:262 -#, fuzzy msgid "Default language" msgstr "ОÑновен јазик" #: actions/siteadminpanel.php:263 msgid "Site language when autodetection from browser settings is not available" -msgstr "" +msgstr "Јазик на веб-Ñтраницата ако прелиÑтувачот не може да го препознае Ñам" #: actions/siteadminpanel.php:271 msgid "Limits" @@ -3868,37 +3861,34 @@ msgstr "" "да го објават иÑтото." #: actions/sitenoticeadminpanel.php:56 -#, fuzzy msgid "Site Notice" -msgstr "Ðапомена за веб-Ñтраницата" +msgstr "Објава на Ñтраница" #: actions/sitenoticeadminpanel.php:67 -#, fuzzy msgid "Edit site-wide message" -msgstr "Ðова порака" +msgstr "Уреди објава за цела веб-Ñтраница" #: actions/sitenoticeadminpanel.php:103 -#, fuzzy msgid "Unable to save site notice." -msgstr "Ðе можам да ги зачувам Вашите нагодувања за изглед." +msgstr "Ðе можам да ја зачувам објавата за веб-Ñтраницата." #: actions/sitenoticeadminpanel.php:113 msgid "Max length for the site-wide notice is 255 chars" -msgstr "" +msgstr "Објавата за цела веб-Ñтраница не треба да има повеќе од 255 знаци" #: actions/sitenoticeadminpanel.php:176 -#, fuzzy msgid "Site notice text" -msgstr "Ðапомена за веб-Ñтраницата" +msgstr "ТекÑÑ‚ на објавата за веб-Ñтраницата" #: actions/sitenoticeadminpanel.php:178 msgid "Site-wide notice text (255 chars max; HTML okay)" msgstr "" +"ТекÑÑ‚ за главна објава по цела веб-Ñтраница (највеќе до 255 знаци; дозволено " +"и HTML)" #: actions/sitenoticeadminpanel.php:198 -#, fuzzy msgid "Save site notice" -msgstr "Ðапомена за веб-Ñтраницата" +msgstr "Зачувај ја објавава" #: actions/smssettings.php:58 msgid "SMS settings" @@ -4006,9 +3996,8 @@ msgid "Snapshots" msgstr "Снимки" #: actions/snapshotadminpanel.php:65 -#, fuzzy msgid "Manage snapshot configuration" -msgstr "Промена на поÑтавките на веб-Ñтраницата" +msgstr "Раководење Ñо поÑтавки за Ñнимки" #: actions/snapshotadminpanel.php:127 msgid "Invalid snapshot run value." @@ -4055,9 +4044,8 @@ msgid "Snapshots will be sent to this URL" msgstr "Снимките ќе Ñе иÑпраќаат на оваа URL-адреÑа" #: actions/snapshotadminpanel.php:248 -#, fuzzy msgid "Save snapshot settings" -msgstr "Зачувај нагодувања на веб-Ñтраницата" +msgstr "Зачувај поÑтавки за Ñнимки" #: actions/subedit.php:70 msgid "You are not subscribed to that profile." @@ -4670,9 +4658,8 @@ msgid "Couldn't delete self-subscription." msgstr "Ðе можам да ја избришам Ñамопретплатата." #: classes/Subscription.php:190 -#, fuzzy msgid "Couldn't delete subscription OMB token." -msgstr "Претплата не може да Ñе избрише." +msgstr "Ðе можете да го избришете OMB-жетонот за претплата." #: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." @@ -4764,7 +4751,6 @@ msgid "Connect to services" msgstr "Поврзи Ñе Ñо уÑлуги" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "Поврзи Ñе" @@ -5053,15 +5039,13 @@ msgstr "Конфигурација на ÑеÑиите" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:396 -#, fuzzy msgid "Edit site notice" -msgstr "Ðапомена за веб-Ñтраницата" +msgstr "Уреди објава за веб-Ñтраницата" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:404 -#, fuzzy msgid "Snapshots configuration" -msgstr "Конфигурација на патеки" +msgstr "ПоÑтавки за Ñнимки" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5593,7 +5577,7 @@ msgstr "Оди" #: lib/grantroleform.php:91 #, php-format msgid "Grant this user the \"%s\" role" -msgstr "" +msgstr "Додели улога „%s“ на кориÑников" #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" @@ -6306,9 +6290,9 @@ msgid "Repeat this notice" msgstr "Повтори ја забелешкава" #: lib/revokeroleform.php:91 -#, fuzzy, php-format +#, php-format msgid "Revoke the \"%s\" role from this user" -msgstr "Блокирај го овој кориÑник од оваа група" +msgstr "Одземи му ја улогата „%s“ на кориÑников" #: lib/router.php:671 msgid "No single user defined for single-user mode." @@ -6465,21 +6449,18 @@ msgid "Moderate" msgstr "Модерирај" #: lib/userprofile.php:352 -#, fuzzy msgid "User role" -msgstr "КориÑнички профил" +msgstr "КориÑничка улога" #: lib/userprofile.php:354 -#, fuzzy msgctxt "role" msgid "Administrator" -msgstr "ÐдминиÑтратори" +msgstr "ÐдминиÑтратор" #: lib/userprofile.php:355 -#, fuzzy msgctxt "role" msgid "Moderator" -msgstr "Модерирај" +msgstr "Модератор" #: lib/util.php:1015 msgid "a few seconds ago" diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index 305303dea..61e5cfdcd 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -10,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:56:53+0000\n" +"PO-Revision-Date: 2010-03-05 22:36:06+0000\n" "Language-Team: Norwegian (bokmÃ¥l)‬\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: out-statusnet\n" @@ -4621,7 +4621,6 @@ msgid "Connect to services" msgstr "Koble til" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "Koble til" diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index 1f2a54970..2b1b48ade 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -11,11 +11,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:56:59+0000\n" +"PO-Revision-Date: 2010-03-05 22:36:21+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: out-statusnet\n" @@ -1597,23 +1597,20 @@ msgid "Cannot read file." msgstr "Het bestand kon niet gelezen worden." #: actions/grantrole.php:62 actions/revokerole.php:62 -#, fuzzy msgid "Invalid role." -msgstr "Ongeldig token." +msgstr "Ongeldige rol." #: actions/grantrole.php:66 actions/revokerole.php:66 msgid "This role is reserved and cannot be set." -msgstr "" +msgstr "Deze rol is gereserveerd en kan niet ingesteld worden." #: actions/grantrole.php:75 -#, fuzzy msgid "You cannot grant user roles on this site." -msgstr "Op deze website kunt u gebruikers niet in de zandbak plaatsen." +msgstr "Op deze website kunt u geen gebruikersrollen toekennen." #: actions/grantrole.php:82 -#, fuzzy msgid "User already has this role." -msgstr "Deze gebruiker is al gemuilkorfd." +msgstr "Deze gebruiker heeft deze rol al." #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 @@ -3372,14 +3369,12 @@ msgid "Replies to %1$s on %2$s!" msgstr "Antwoorden aan %1$s op %2$s." #: actions/revokerole.php:75 -#, fuzzy msgid "You cannot revoke user roles on this site." -msgstr "U kunt gebruikers op deze website niet muilkorven." +msgstr "U kunt geen gebruikersrollen intrekken op deze website." #: actions/revokerole.php:82 -#, fuzzy msgid "User doesn't have this role." -msgstr "Gebruiker zonder bijbehorend profiel." +msgstr "Deze gebruiker heeft deze rol niet." #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" @@ -3785,9 +3780,8 @@ msgid "User is already silenced." msgstr "Deze gebruiker is al gemuilkorfd." #: actions/siteadminpanel.php:69 -#, fuzzy msgid "Basic settings for this StatusNet site" -msgstr "Basisinstellingen voor deze StatusNet-website." +msgstr "Basisinstellingen voor deze StatusNet-website" #: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." @@ -3860,13 +3854,14 @@ msgid "Default timezone for the site; usually UTC." msgstr "Standaardtijdzone voor de website. Meestal UTC." #: actions/siteadminpanel.php:262 -#, fuzzy msgid "Default language" msgstr "Standaardtaal" #: actions/siteadminpanel.php:263 msgid "Site language when autodetection from browser settings is not available" msgstr "" +"De taal voor de website als deze niet uit de browserinstellingen opgemaakt " +"kan worden" #: actions/siteadminpanel.php:271 msgid "Limits" @@ -3891,37 +3886,34 @@ msgstr "" "zenden." #: actions/sitenoticeadminpanel.php:56 -#, fuzzy msgid "Site Notice" -msgstr "Mededeling van de website" +msgstr "Websitebrede mededeling" #: actions/sitenoticeadminpanel.php:67 -#, fuzzy msgid "Edit site-wide message" -msgstr "Nieuw bericht" +msgstr "Websitebrede mededeling bewerken" #: actions/sitenoticeadminpanel.php:103 -#, fuzzy msgid "Unable to save site notice." -msgstr "Het was niet mogelijk om uw ontwerpinstellingen op te slaan." +msgstr "Het was niet mogelijk om de websitebrede mededeling op te slaan." #: actions/sitenoticeadminpanel.php:113 msgid "Max length for the site-wide notice is 255 chars" -msgstr "" +msgstr "De maximale lengte voor de websitebrede aankondiging is 255 tekens" #: actions/sitenoticeadminpanel.php:176 -#, fuzzy msgid "Site notice text" -msgstr "Mededeling van de website" +msgstr "Tekst voor websitebrede mededeling" #: actions/sitenoticeadminpanel.php:178 msgid "Site-wide notice text (255 chars max; HTML okay)" msgstr "" +"Tekst voor websitebrede aankondiging (maximaal 255 tekens - HTML is " +"toegestaan)" #: actions/sitenoticeadminpanel.php:198 -#, fuzzy msgid "Save site notice" -msgstr "Mededeling van de website" +msgstr "Websitebrede mededeling opslaan" #: actions/smssettings.php:58 msgid "SMS settings" @@ -4029,9 +4021,8 @@ msgid "Snapshots" msgstr "Snapshots" #: actions/snapshotadminpanel.php:65 -#, fuzzy msgid "Manage snapshot configuration" -msgstr "Websiteinstellingen wijzigen" +msgstr "Snapshotinstellingen beheren" #: actions/snapshotadminpanel.php:127 msgid "Invalid snapshot run value." @@ -4079,9 +4070,8 @@ msgid "Snapshots will be sent to this URL" msgstr "Snapshots worden naar deze URL verzonden" #: actions/snapshotadminpanel.php:248 -#, fuzzy msgid "Save snapshot settings" -msgstr "Websiteinstellingen opslaan" +msgstr "Snapshotinstellingen opslaan" #: actions/subedit.php:70 msgid "You are not subscribed to that profile." @@ -4705,9 +4695,9 @@ msgid "Couldn't delete self-subscription." msgstr "Het was niet mogelijk het abonnement op uzelf te verwijderen." #: classes/Subscription.php:190 -#, fuzzy msgid "Couldn't delete subscription OMB token." -msgstr "Kon abonnement niet verwijderen." +msgstr "" +"Het was niet mogelijk om het OMB-token voor het abonnement te verwijderen." #: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." @@ -4799,9 +4789,8 @@ msgid "Connect to services" msgstr "Met andere diensten koppelen" #: lib/action.php:443 -#, fuzzy msgid "Connect" -msgstr "Koppelingen" +msgstr "Koppelen" #. TRANS: Tooltip for menu option "Admin" #: lib/action.php:446 @@ -5088,15 +5077,13 @@ msgstr "Sessieinstellingen" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:396 -#, fuzzy msgid "Edit site notice" -msgstr "Mededeling van de website" +msgstr "Websitebrede mededeling opslaan" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:404 -#, fuzzy msgid "Snapshots configuration" -msgstr "Padinstellingen" +msgstr "Snapshotinstellingen" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5637,7 +5624,7 @@ msgstr "OK" #: lib/grantroleform.php:91 #, php-format msgid "Grant this user the \"%s\" role" -msgstr "" +msgstr "Deze gebruiker de rol \"%s\" geven" #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" @@ -6350,9 +6337,9 @@ msgid "Repeat this notice" msgstr "Deze mededeling herhalen" #: lib/revokeroleform.php:91 -#, fuzzy, php-format +#, php-format msgid "Revoke the \"%s\" role from this user" -msgstr "Deze gebruiker de toegang tot deze groep ontzeggen" +msgstr "De gebruikersrol \"%s\" voor deze gebruiker intrekken" #: lib/router.php:671 msgid "No single user defined for single-user mode." @@ -6509,21 +6496,18 @@ msgid "Moderate" msgstr "Modereren" #: lib/userprofile.php:352 -#, fuzzy msgid "User role" -msgstr "Gebruikersprofiel" +msgstr "Gebruikersrol" #: lib/userprofile.php:354 -#, fuzzy msgctxt "role" msgid "Administrator" -msgstr "Beheerders" +msgstr "Beheerder" #: lib/userprofile.php:355 -#, fuzzy msgctxt "role" msgid "Moderator" -msgstr "Modereren" +msgstr "Moderator" #: lib/util.php:1015 msgid "a few seconds ago" diff --git a/locale/nn/LC_MESSAGES/statusnet.po b/locale/nn/LC_MESSAGES/statusnet.po index c6576fbcf..72fe47924 100644 --- a/locale/nn/LC_MESSAGES/statusnet.po +++ b/locale/nn/LC_MESSAGES/statusnet.po @@ -8,11 +8,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:56:56+0000\n" +"PO-Revision-Date: 2010-03-05 22:36:11+0000\n" "Language-Team: Norwegian Nynorsk\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nn\n" "X-Message-Group: out-statusnet\n" @@ -4796,7 +4796,6 @@ msgid "Connect to services" msgstr "Klarte ikkje Ã¥ omdirigera til tenaren: %s" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "Kopla til" diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index 402bd78af..e592ff747 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -11,7 +11,7 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:57:02+0000\n" +"PO-Revision-Date: 2010-03-05 22:36:24+0000\n" "Last-Translator: Piotr DrÄ…g \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -19,7 +19,7 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: out-statusnet\n" @@ -4741,7 +4741,6 @@ msgid "Connect to services" msgstr "PoÅ‚Ä…cz z serwisami" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "PoÅ‚Ä…cz" diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index 8dd23b162..27e75fe97 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -10,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:57:05+0000\n" +"PO-Revision-Date: 2010-03-05 22:36:27+0000\n" "Language-Team: Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: out-statusnet\n" @@ -4791,7 +4791,6 @@ msgid "Connect to services" msgstr "Ligar aos serviços" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "Ligar" diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index 7ba00b717..65061f02d 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -12,11 +12,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:57:07+0000\n" +"PO-Revision-Date: 2010-03-05 22:36:30+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" @@ -4778,7 +4778,6 @@ msgid "Connect to services" msgstr "Conecte-se a outros serviços" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "Conectar" diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index c97bb5461..94e9a7902 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -13,11 +13,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:57:17+0000\n" +"PO-Revision-Date: 2010-03-05 22:36:33+0000\n" "Language-Team: Russian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: out-statusnet\n" @@ -1589,24 +1589,20 @@ msgid "Cannot read file." msgstr "Ðе удалоÑÑŒ прочеÑÑ‚ÑŒ файл." #: actions/grantrole.php:62 actions/revokerole.php:62 -#, fuzzy msgid "Invalid role." -msgstr "Ðеправильный токен" +msgstr "ÐÐµÐ²ÐµÑ€Ð½Ð°Ñ Ñ€Ð¾Ð»ÑŒ." #: actions/grantrole.php:66 actions/revokerole.php:66 msgid "This role is reserved and cannot be set." -msgstr "" +msgstr "Эта роль зарезервирована и не может быть уÑтановлена." #: actions/grantrole.php:75 -#, fuzzy msgid "You cannot grant user roles on this site." -msgstr "" -"Ð’Ñ‹ не можете уÑтанавливать режим пеÑочницы Ð´Ð»Ñ Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»ÐµÐ¹ Ñтого Ñайта." +msgstr "Ð’Ñ‹ не можете назначать пользователю роли на Ñтом Ñайте." #: actions/grantrole.php:82 -#, fuzzy msgid "User already has this role." -msgstr "Пользователь уже заглушён." +msgstr "Пользователь уже имеет Ñту роль." #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 @@ -3342,14 +3338,12 @@ msgid "Replies to %1$s on %2$s!" msgstr "Ответы на запиÑи %1$s на %2$s!" #: actions/revokerole.php:75 -#, fuzzy msgid "You cannot revoke user roles on this site." -msgstr "Ð’Ñ‹ не можете заглушать пользователей на Ñтом Ñайте." +msgstr "Ð’Ñ‹ не можете Ñнимать роли пользователей на Ñтом Ñайте." #: actions/revokerole.php:82 -#, fuzzy msgid "User doesn't have this role." -msgstr "Пользователь без ÑоответÑтвующего профилÑ." +msgstr "Пользователь не имеет Ñтой роли." #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" @@ -3756,9 +3750,8 @@ msgid "User is already silenced." msgstr "Пользователь уже заглушён." #: actions/siteadminpanel.php:69 -#, fuzzy msgid "Basic settings for this StatusNet site" -msgstr "ОÑновные наÑтройки Ð´Ð»Ñ Ñтого Ñайта StatusNet." +msgstr "ОÑновные наÑтройки Ð´Ð»Ñ Ñтого Ñайта StatusNet" #: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." @@ -3828,13 +3821,13 @@ msgid "Default timezone for the site; usually UTC." msgstr "ЧаÑовой поÑÑ Ð¿Ð¾ умолчанию Ð´Ð»Ñ Ñайта; обычно UTC." #: actions/siteadminpanel.php:262 -#, fuzzy msgid "Default language" -msgstr "Язык Ñайта по умолчанию" +msgstr "Язык по умолчанию" #: actions/siteadminpanel.php:263 msgid "Site language when autodetection from browser settings is not available" msgstr "" +"Язык Ñайта в Ñлучае, еÑли автоопределение из наÑтроек браузера не Ñработало" #: actions/siteadminpanel.php:271 msgid "Limits" @@ -3858,37 +3851,32 @@ msgstr "" "Сколько нужно ждать пользователÑм (в Ñекундах) Ð´Ð»Ñ Ð¾Ñ‚Ð¿Ñ€Ð°Ð²ÐºÐ¸ того же ещё раз." #: actions/sitenoticeadminpanel.php:56 -#, fuzzy msgid "Site Notice" -msgstr "ÐÐ¾Ð²Ð°Ñ Ð·Ð°Ð¿Ð¸ÑÑŒ" +msgstr "Уведомление Ñайта" #: actions/sitenoticeadminpanel.php:67 -#, fuzzy msgid "Edit site-wide message" -msgstr "Ðовое Ñообщение" +msgstr "Изменить уведомление Ð´Ð»Ñ Ð²Ñего Ñайта" #: actions/sitenoticeadminpanel.php:103 -#, fuzzy msgid "Unable to save site notice." -msgstr "Ðе удаётÑÑ Ñохранить ваши наÑтройки оформлениÑ!" +msgstr "Ðе удаётÑÑ Ñохранить уведомление Ñайта." #: actions/sitenoticeadminpanel.php:113 msgid "Max length for the site-wide notice is 255 chars" -msgstr "" +msgstr "МакÑÐ¸Ð¼Ð°Ð»ÑŒÐ½Ð°Ñ Ð´Ð»Ð¸Ð½Ð° ÑƒÐ²ÐµÐ´Ð¾Ð¼Ð»ÐµÐ½Ð¸Ñ Ñайта ÑоÑтавлÑет 255 Ñимволов" #: actions/sitenoticeadminpanel.php:176 -#, fuzzy msgid "Site notice text" -msgstr "ÐÐ¾Ð²Ð°Ñ Ð·Ð°Ð¿Ð¸ÑÑŒ" +msgstr "ТекÑÑ‚ ÑƒÐ²ÐµÐ´Ð¾Ð¼Ð»ÐµÐ½Ð¸Ñ Ñайта" #: actions/sitenoticeadminpanel.php:178 msgid "Site-wide notice text (255 chars max; HTML okay)" -msgstr "" +msgstr "ТекÑÑ‚ ÑƒÐ²ÐµÐ´Ð¾Ð¼Ð»ÐµÐ½Ð¸Ñ Ñайта (макÑимум 255 Ñимволов; допуÑтим HTML)" #: actions/sitenoticeadminpanel.php:198 -#, fuzzy msgid "Save site notice" -msgstr "ÐÐ¾Ð²Ð°Ñ Ð·Ð°Ð¿Ð¸ÑÑŒ" +msgstr "Сохранить уведомление Ñайта" #: actions/smssettings.php:58 msgid "SMS settings" @@ -3998,9 +3986,8 @@ msgid "Snapshots" msgstr "Снимки" #: actions/snapshotadminpanel.php:65 -#, fuzzy msgid "Manage snapshot configuration" -msgstr "Изменить конфигурацию Ñайта" +msgstr "Управление Ñнимками конфигурации" #: actions/snapshotadminpanel.php:127 msgid "Invalid snapshot run value." @@ -4047,9 +4034,8 @@ msgid "Snapshots will be sent to this URL" msgstr "Снимки будут отправлÑÑ‚ÑŒÑÑ Ð¿Ð¾ Ñтому URL-адреÑу" #: actions/snapshotadminpanel.php:248 -#, fuzzy msgid "Save snapshot settings" -msgstr "Сохранить наÑтройки Ñайта" +msgstr "Сохранить наÑтройки Ñнимка" #: actions/subedit.php:70 msgid "You are not subscribed to that profile." @@ -4660,9 +4646,8 @@ msgid "Couldn't delete self-subscription." msgstr "Ðевозможно удалить ÑамоподпиÑку." #: classes/Subscription.php:190 -#, fuzzy msgid "Couldn't delete subscription OMB token." -msgstr "Ðе удаётÑÑ ÑƒÐ´Ð°Ð»Ð¸Ñ‚ÑŒ подпиÑку." +msgstr "Ðе удаётÑÑ ÑƒÐ´Ð°Ð»Ð¸Ñ‚ÑŒ подпиÑочный жетон OMB." #: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." @@ -4754,7 +4739,6 @@ msgid "Connect to services" msgstr "Соединить Ñ ÑервиÑами" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "Соединить" @@ -5043,15 +5027,13 @@ msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ ÑеÑÑий" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:396 -#, fuzzy msgid "Edit site notice" -msgstr "ÐÐ¾Ð²Ð°Ñ Ð·Ð°Ð¿Ð¸ÑÑŒ" +msgstr "Изменить уведомление Ñайта" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:404 -#, fuzzy msgid "Snapshots configuration" -msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ð¿ÑƒÑ‚ÐµÐ¹" +msgstr "ÐšÐ¾Ð½Ñ„Ð¸Ð³ÑƒÑ€Ð°Ñ†Ð¸Ñ Ñнимков" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5586,7 +5568,7 @@ msgstr "Перейти" #: lib/grantroleform.php:91 #, php-format msgid "Grant this user the \"%s\" role" -msgstr "" +msgstr "Ðазначить Ñтому пользователю роль «%s»" #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" @@ -6294,9 +6276,9 @@ msgid "Repeat this notice" msgstr "Повторить Ñту запиÑÑŒ" #: lib/revokeroleform.php:91 -#, fuzzy, php-format +#, php-format msgid "Revoke the \"%s\" role from this user" -msgstr "Заблокировать Ñтого Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð¸Ð· Ñтой группы" +msgstr "Отозвать у Ñтого Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ñ€Ð¾Ð»ÑŒ «%s»" #: lib/router.php:671 msgid "No single user defined for single-user mode." @@ -6453,21 +6435,18 @@ msgid "Moderate" msgstr "Модерировать" #: lib/userprofile.php:352 -#, fuzzy msgid "User role" -msgstr "Профиль пользователÑ" +msgstr "Роль пользователÑ" #: lib/userprofile.php:354 -#, fuzzy msgctxt "role" msgid "Administrator" -msgstr "ÐдминиÑтраторы" +msgstr "ÐдминиÑтратор" #: lib/userprofile.php:355 -#, fuzzy msgctxt "role" msgid "Moderator" -msgstr "Модерировать" +msgstr "Модератор" #: lib/util.php:1015 msgid "a few seconds ago" diff --git a/locale/statusnet.po b/locale/statusnet.po index b4b22d311..0f6185ffc 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 19:12+0000\n" +"POT-Creation-Date: 2010-03-05 22:34+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index b9f921c7f..ffafd9f93 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -10,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:57:20+0000\n" +"PO-Revision-Date: 2010-03-05 22:36:36+0000\n" "Language-Team: Swedish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: out-statusnet\n" @@ -1569,23 +1569,20 @@ msgid "Cannot read file." msgstr "Kan inte läsa fil." #: actions/grantrole.php:62 actions/revokerole.php:62 -#, fuzzy msgid "Invalid role." -msgstr "Ogiltig token." +msgstr "Ogiltig roll." #: actions/grantrole.php:66 actions/revokerole.php:66 msgid "This role is reserved and cannot be set." -msgstr "" +msgstr "Denna roll är reserverad och kan inte ställas in" #: actions/grantrole.php:75 -#, fuzzy msgid "You cannot grant user roles on this site." -msgstr "Du kan inte flytta användare till sandlÃ¥dan pÃ¥ denna webbplats." +msgstr "Du kan inte bevilja användare roller pÃ¥ denna webbplats." #: actions/grantrole.php:82 -#, fuzzy msgid "User already has this role." -msgstr "Användaren är redan nedtystad." +msgstr "Användaren har redan denna roll." #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 @@ -3326,9 +3323,8 @@ msgid "Replies to %1$s on %2$s!" msgstr "Svar till %1$s pÃ¥ %2$s" #: actions/revokerole.php:75 -#, fuzzy msgid "You cannot revoke user roles on this site." -msgstr "Du kan inte tysta ned användare pÃ¥ denna webbplats." +msgstr "Du kan inte Ã¥terkalla användarroller pÃ¥ denna webbplats." #: actions/revokerole.php:82 #, fuzzy @@ -4730,7 +4726,6 @@ msgid "Connect to services" msgstr "Anslut till tjänster" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "Anslut" diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index f2e49f934..f32e1499e 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -10,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:57:23+0000\n" +"PO-Revision-Date: 2010-03-05 22:36:39+0000\n" "Language-Team: Telugu\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: out-statusnet\n" @@ -4592,7 +4592,6 @@ msgid "Connect to services" msgstr "à°…à°¨à±à°¸à°‚ధానాలà±" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "à°…à°¨à±à°¸à°‚ధానించà±" diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index 8051f448b..80dba9abf 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -10,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:57:26+0000\n" +"PO-Revision-Date: 2010-03-05 22:36:42+0000\n" "Language-Team: Turkish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: out-statusnet\n" @@ -4713,7 +4713,6 @@ msgid "Connect to services" msgstr "Sunucuya yönlendirme yapılamadı: %s" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "BaÄŸlan" diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index 08f93f255..145eb3854 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -11,11 +11,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:57:28+0000\n" +"PO-Revision-Date: 2010-03-05 22:36:45+0000\n" "Language-Team: Ukrainian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: out-statusnet\n" @@ -622,11 +622,11 @@ msgstr "Такого допиÑу немає." #: actions/apistatusesretweet.php:83 msgid "Cannot repeat your own notice." -msgstr "Ðе можу вторувати Вашому влаÑному допиÑу." +msgstr "Ðе можу повторити Ваш влаÑний допиÑ." #: actions/apistatusesretweet.php:91 msgid "Already repeated that notice." -msgstr "Цьому допиÑу вже вторували." +msgstr "Цей Ð´Ð¾Ð¿Ð¸Ñ Ð²Ð¶Ðµ повторено." #: actions/apistatusesshow.php:138 msgid "Status deleted." @@ -690,12 +690,12 @@ msgstr "%s Ð¾Ð½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð²Ñ–Ð´ уÑÑ–Ñ…!" #: actions/apitimelineretweetedtome.php:111 #, php-format msgid "Repeated to %s" -msgstr "Ð’Ñ‚Ð¾Ñ€ÑƒÐ²Ð°Ð½Ð½Ñ Ð·Ð° %s" +msgstr "Повторено Ð´Ð»Ñ %s" #: actions/apitimelineretweetsofme.php:114 #, php-format msgid "Repeats of %s" -msgstr "Ð’Ñ‚Ð¾Ñ€ÑƒÐ²Ð°Ð½Ð½Ñ %s" +msgstr "ÐŸÐ¾Ð²Ñ‚Ð¾Ñ€ÐµÐ½Ð½Ñ %s" #: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format @@ -1573,23 +1573,20 @@ msgid "Cannot read file." msgstr "Ðе можу прочитати файл." #: actions/grantrole.php:62 actions/revokerole.php:62 -#, fuzzy msgid "Invalid role." -msgstr "Ðевірний токен." +msgstr "Ðевірна роль." #: actions/grantrole.php:66 actions/revokerole.php:66 msgid "This role is reserved and cannot be set." -msgstr "" +msgstr "Цю роль вже зарезервовано Ñ– не може бути вÑтановлено." #: actions/grantrole.php:75 -#, fuzzy msgid "You cannot grant user roles on this site." -msgstr "Ви не можете нікого ізолювати на цьому Ñайті." +msgstr "Ви не можете надавати кориÑтувачеві жодних ролей на цьому Ñайті." #: actions/grantrole.php:82 -#, fuzzy msgid "User already has this role." -msgstr "КориÑтувачу наразі заклеїли рота Ñкотчем." +msgstr "КориÑтувач вже має цю роль." #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 @@ -3252,7 +3249,7 @@ msgstr "Ðе вдалоÑÑ Ð¾Ñ‚Ñ€Ð¸Ð¼Ð°Ñ‚Ð¸ токен запиту." #: actions/repeat.php:57 msgid "Only logged-in users can repeat notices." -msgstr "Лише кориÑтувачі, що знаходÑÑ‚ÑŒÑÑ Ñƒ ÑиÑтемі, можуть вторувати допиÑам." +msgstr "Лише кориÑтувачі, що знаходÑÑ‚ÑŒÑÑ Ñƒ ÑиÑтемі, можуть повторювати допиÑи." #: actions/repeat.php:64 actions/repeat.php:71 msgid "No notice specified." @@ -3260,19 +3257,19 @@ msgstr "Зазначеного допиÑу немає." #: actions/repeat.php:76 msgid "You can't repeat your own notice." -msgstr "Ви не можете вторувати Ñвоїм влаÑним допиÑам." +msgstr "Ви не можете повторювати Ñвої влаÑні допиÑи." #: actions/repeat.php:90 msgid "You already repeated that notice." -msgstr "Ви вже вторували цьому допиÑу." +msgstr "Ви вже повторили цей допиÑ." #: actions/repeat.php:114 lib/noticelist.php:674 msgid "Repeated" -msgstr "ВторуваннÑ" +msgstr "Повторено" #: actions/repeat.php:119 msgid "Repeated!" -msgstr "Вторувати!" +msgstr "Повторено!" #: actions/replies.php:126 actions/repliesrss.php:68 #: lib/personalgroupnav.php:105 @@ -3333,14 +3330,12 @@ msgid "Replies to %1$s on %2$s!" msgstr "Відповіді до %1$s на %2$s!" #: actions/revokerole.php:75 -#, fuzzy msgid "You cannot revoke user roles on this site." -msgstr "Ви не можете позбавлÑти кориÑтувачів права голоÑу на цьому Ñайті." +msgstr "Ви не можете позбавлÑти кориÑтувачів ролей на цьому Ñайті." #: actions/revokerole.php:82 -#, fuzzy msgid "User doesn't have this role." -msgstr "КориÑтувач без відповідного профілю." +msgstr "КориÑтувач не має цієї ролі." #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" @@ -3731,7 +3726,7 @@ msgstr "" #: actions/showstream.php:305 #, php-format msgid "Repeat of %s" -msgstr "Ð’Ñ‚Ð¾Ñ€ÑƒÐ²Ð°Ð½Ð½Ñ %s" +msgstr "ÐŸÐ¾Ð²Ñ‚Ð¾Ñ€ÐµÐ½Ð½Ñ Ð·Ð° %s" #: actions/silence.php:65 actions/unsilence.php:65 msgid "You cannot silence users on this site." @@ -3742,9 +3737,8 @@ msgid "User is already silenced." msgstr "КориÑтувачу наразі заклеїли рота Ñкотчем." #: actions/siteadminpanel.php:69 -#, fuzzy msgid "Basic settings for this StatusNet site" -msgstr "Загальні Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ñ†ÑŒÐ¾Ð³Ð¾ Ñайту StatusNet." +msgstr "ОÑновні Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ñ†ÑŒÐ¾Ð³Ð¾ Ñайту StatusNet" #: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." @@ -3814,13 +3808,14 @@ msgid "Default timezone for the site; usually UTC." msgstr "ЧаÑовий поÑÑ Ð·Ð° замовчуваннÑм Ð´Ð»Ñ Ñайту; зазвичай UTC." #: actions/siteadminpanel.php:262 -#, fuzzy msgid "Default language" -msgstr "Мова Ñайту за замовчуваннÑм" +msgstr "Мова за замовчуваннÑм" #: actions/siteadminpanel.php:263 msgid "Site language when autodetection from browser settings is not available" msgstr "" +"Мова Ñайту на випадок, коли Ð°Ð²Ñ‚Ð¾Ð²Ð¸Ð·Ð½Ð°Ñ‡ÐµÐ½Ð½Ñ Ð¼Ð¾Ð²Ð¸ за наÑтройками браузера не " +"доÑтупно" #: actions/siteadminpanel.php:271 msgid "Limits" @@ -3845,37 +3840,32 @@ msgstr "" "Ð´Ð¾Ð¿Ð¸Ñ Ñ‰Ðµ раз." #: actions/sitenoticeadminpanel.php:56 -#, fuzzy msgid "Site Notice" -msgstr "Ð—Ð°ÑƒÐ²Ð°Ð¶ÐµÐ½Ð½Ñ Ñайту" +msgstr "ÐŸÐ¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ñайту" #: actions/sitenoticeadminpanel.php:67 -#, fuzzy msgid "Edit site-wide message" -msgstr "Ðове повідомленнÑ" +msgstr "Змінити Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ñайту" #: actions/sitenoticeadminpanel.php:103 -#, fuzzy msgid "Unable to save site notice." -msgstr "Ðе маю можливоÑÑ‚Ñ– зберегти Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ð´Ð¸Ð·Ð°Ð¹Ð½Ñƒ." +msgstr "Ðе вдаєтьÑÑ Ð·Ð±ÐµÑ€ÐµÐ³Ñ‚Ð¸ Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ñайту." #: actions/sitenoticeadminpanel.php:113 msgid "Max length for the site-wide notice is 255 chars" -msgstr "" +msgstr "МакÑимальна довжина Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ñайту Ñтановить 255 Ñимволів" #: actions/sitenoticeadminpanel.php:176 -#, fuzzy msgid "Site notice text" -msgstr "Ð—Ð°ÑƒÐ²Ð°Ð¶ÐµÐ½Ð½Ñ Ñайту" +msgstr "ТекÑÑ‚ Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ñайту" #: actions/sitenoticeadminpanel.php:178 msgid "Site-wide notice text (255 chars max; HTML okay)" -msgstr "" +msgstr "ТекÑÑ‚ Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ñайту (255 Ñимволів макÑимум; HTML дозволено)" #: actions/sitenoticeadminpanel.php:198 -#, fuzzy msgid "Save site notice" -msgstr "Ð—Ð°ÑƒÐ²Ð°Ð¶ÐµÐ½Ð½Ñ Ñайту" +msgstr "Зберегти Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ñайту" #: actions/smssettings.php:58 msgid "SMS settings" @@ -3983,9 +3973,8 @@ msgid "Snapshots" msgstr "Снепшоти" #: actions/snapshotadminpanel.php:65 -#, fuzzy msgid "Manage snapshot configuration" -msgstr "Змінити конфігурацію Ñайту" +msgstr "ÐšÐµÑ€ÑƒÐ²Ð°Ð½Ð½Ñ ÐºÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ”ÑŽ знімку" #: actions/snapshotadminpanel.php:127 msgid "Invalid snapshot run value." @@ -4032,9 +4021,8 @@ msgid "Snapshots will be sent to this URL" msgstr "Снепшоти надÑилатимутьÑÑ Ð½Ð° цю URL-адреÑу" #: actions/snapshotadminpanel.php:248 -#, fuzzy msgid "Save snapshot settings" -msgstr "Зберегти Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ñайту" +msgstr "Зберегти Ð½Ð°Ð»Ð°ÑˆÑ‚ÑƒÐ²Ð°Ð½Ð½Ñ Ð·Ð½Ñ–Ð¼ÐºÑƒ" #: actions/subedit.php:70 msgid "You are not subscribed to that profile." @@ -4643,9 +4631,8 @@ msgid "Couldn't delete self-subscription." msgstr "Ðе можу видалити ÑамопідпиÑку." #: classes/Subscription.php:190 -#, fuzzy msgid "Couldn't delete subscription OMB token." -msgstr "Ðе вдалоÑÑ Ð²Ð¸Ð´Ð°Ð»Ð¸Ñ‚Ð¸ підпиÑку." +msgstr "Ðе вдаєтьÑÑ Ð²Ð¸Ð´Ð°Ð»Ð¸Ñ‚Ð¸ токен підпиÑки OMB." #: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." @@ -4737,7 +4724,6 @@ msgid "Connect to services" msgstr "Ð—â€™Ñ”Ð´Ð½Ð°Ð½Ð½Ñ Ð· ÑервіÑами" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "З’єднаннÑ" @@ -5023,15 +5009,13 @@ msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÑеÑій" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:396 -#, fuzzy msgid "Edit site notice" -msgstr "Ð—Ð°ÑƒÐ²Ð°Ð¶ÐµÐ½Ð½Ñ Ñайту" +msgstr "Редагувати Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ñайту" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:404 -#, fuzzy msgid "Snapshots configuration" -msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ ÑˆÐ»Ñху" +msgstr "ÐšÐ¾Ð½Ñ„Ñ–Ð³ÑƒÑ€Ð°Ñ†Ñ–Ñ Ð·Ð½Ñ–Ð¼ÐºÑ–Ð²" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5253,20 +5237,20 @@ msgstr "Помилка при відправці прÑмого повідомл #: lib/command.php:413 msgid "Cannot repeat your own notice" -msgstr "Ðе можу вторувати Вашому влаÑному допиÑу" +msgstr "Ðе можу повторити Ваш влаÑний допиÑ" #: lib/command.php:418 msgid "Already repeated that notice" -msgstr "Цьому допиÑу вже вторували" +msgstr "Цей Ð´Ð¾Ð¿Ð¸Ñ Ð²Ð¶Ðµ повторили" #: lib/command.php:426 #, php-format msgid "Notice from %s repeated" -msgstr "ДопиÑу від %s вторували" +msgstr "Ð”Ð¾Ð¿Ð¸Ñ %s повторили" #: lib/command.php:428 msgid "Error repeating notice." -msgstr "Помилка із вторуваннÑм допиÑу." +msgstr "Помилка при повторенні допиÑу." #: lib/command.php:482 #, php-format @@ -5563,7 +5547,7 @@ msgstr "Вперед" #: lib/grantroleform.php:91 #, php-format msgid "Grant this user the \"%s\" role" -msgstr "" +msgstr "Ðадати цьому кориÑтувачеві роль \"%s\"" #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" @@ -6122,7 +6106,7 @@ msgstr "в контекÑÑ‚Ñ–" #: lib/noticelist.php:601 msgid "Repeated by" -msgstr "Вторуванні" +msgstr "Повторено" #: lib/noticelist.php:628 msgid "Reply to this notice" @@ -6134,7 +6118,7 @@ msgstr "ВідповіÑти" #: lib/noticelist.php:673 msgid "Notice repeated" -msgstr "Ð”Ð¾Ð¿Ð¸Ñ Ð²Ñ‚Ð¾Ñ€ÑƒÐ²Ð°Ð»Ð¸" +msgstr "Ð”Ð¾Ð¿Ð¸Ñ Ð¿Ð¾Ð²Ñ‚Ð¾Ñ€Ð¸Ð»Ð¸" #: lib/nudgeform.php:116 msgid "Nudge this user" @@ -6267,12 +6251,12 @@ msgstr "Повторити цей допиÑ?" #: lib/repeatform.php:132 msgid "Repeat this notice" -msgstr "Вторувати цьому допиÑу" +msgstr "Повторити цей допиÑ" #: lib/revokeroleform.php:91 -#, fuzzy, php-format +#, php-format msgid "Revoke the \"%s\" role from this user" -msgstr "Блокувати кориÑтувача цієї групи" +msgstr "Відкликати роль \"%s\" Ð´Ð»Ñ Ñ†ÑŒÐ¾Ð³Ð¾ кориÑтувача" #: lib/router.php:671 msgid "No single user defined for single-user mode." @@ -6429,21 +6413,18 @@ msgid "Moderate" msgstr "Модерувати" #: lib/userprofile.php:352 -#, fuzzy msgid "User role" -msgstr "Профіль кориÑтувача." +msgstr "Роль кориÑтувача" #: lib/userprofile.php:354 -#, fuzzy msgctxt "role" msgid "Administrator" -msgstr "Ðдміни" +msgstr "ÐдмініÑтратор" #: lib/userprofile.php:355 -#, fuzzy msgctxt "role" msgid "Moderator" -msgstr "Модерувати" +msgstr "Модератор" #: lib/util.php:1015 msgid "a few seconds ago" diff --git a/locale/vi/LC_MESSAGES/statusnet.po b/locale/vi/LC_MESSAGES/statusnet.po index 2a3c0ceeb..dec9eeeba 100644 --- a/locale/vi/LC_MESSAGES/statusnet.po +++ b/locale/vi/LC_MESSAGES/statusnet.po @@ -8,11 +8,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:57:31+0000\n" +"PO-Revision-Date: 2010-03-05 22:36:48+0000\n" "Language-Team: Vietnamese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: vi\n" "X-Message-Group: out-statusnet\n" @@ -4867,7 +4867,6 @@ msgid "Connect to services" msgstr "Không thể chuyển đến máy chủ: %s" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "Kết nối" diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index 5b2dae110..36e3a7946 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -11,11 +11,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:57:34+0000\n" +"PO-Revision-Date: 2010-03-05 22:37:13+0000\n" "Language-Team: Simplified Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: out-statusnet\n" @@ -4793,7 +4793,6 @@ msgid "Connect to services" msgstr "无法é‡å®šå‘到æœåŠ¡å™¨ï¼š%s" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "连接" diff --git a/locale/zh_TW/LC_MESSAGES/statusnet.po b/locale/zh_TW/LC_MESSAGES/statusnet.po index e7314d5e6..2829f707e 100644 --- a/locale/zh_TW/LC_MESSAGES/statusnet.po +++ b/locale/zh_TW/LC_MESSAGES/statusnet.po @@ -8,11 +8,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-04 18:57:37+0000\n" +"PO-Revision-Date: 2010-03-05 22:37:16+0000\n" "Language-Team: Traditional Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hant\n" "X-Message-Group: out-statusnet\n" @@ -4629,7 +4629,6 @@ msgid "Connect to services" msgstr "無法連çµåˆ°ä¼ºæœå™¨:%s" #: lib/action.php:443 -#, fuzzy msgid "Connect" msgstr "連çµ" -- cgit v1.2.3-54-g00ecf From f39d3e34bb5298f13824699c7090e05b75d7549b Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 5 Mar 2010 16:20:33 -0800 Subject: Fix for blank RSS1 tag feeds --- actions/tagrss.php | 1 + 1 file changed, 1 insertion(+) diff --git a/actions/tagrss.php b/actions/tagrss.php index 75cbfa274..467a64abe 100644 --- a/actions/tagrss.php +++ b/actions/tagrss.php @@ -35,6 +35,7 @@ class TagrssAction extends Rss10Action $this->clientError(_('No such tag.')); return false; } else { + $this->notices = $this->getNotices($this->limit); return true; } } -- cgit v1.2.3-54-g00ecf From 43cc24a0ccd89081effa26361e861ba26a9cd842 Mon Sep 17 00:00:00 2001 From: Christopher Vollick Date: Thu, 11 Feb 2010 11:19:50 -0500 Subject: UserRSS Didn't Use the Tag Propery. This meant that server.com/user/tag/TAG/rss just returned all user data. That was incorrect. --- actions/userrss.php | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/actions/userrss.php b/actions/userrss.php index 19e610551..6029f4431 100644 --- a/actions/userrss.php +++ b/actions/userrss.php @@ -38,7 +38,11 @@ class UserrssAction extends Rss10Action $this->clientError(_('No such user.')); return false; } else { - $this->notices = $this->getNotices($this->limit); + if ($this->tag) { + $this->notices = $this->getTaggedNotices($tag, $this->limit); + } else { + $this->notices = $this->getNotices($this->limit); + } return true; } } -- cgit v1.2.3-54-g00ecf From 8029faadaecaa2b3b253fa7086be0a25bece0ce5 Mon Sep 17 00:00:00 2001 From: Ciaran Gultnieks Date: Sat, 6 Mar 2010 00:30:15 +0000 Subject: Fixed problem causing 500 error on notices containing a non-existent group --- classes/Group_alias.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/classes/Group_alias.php b/classes/Group_alias.php index be3d0a6c6..c5a1895a1 100644 --- a/classes/Group_alias.php +++ b/classes/Group_alias.php @@ -34,7 +34,7 @@ class Group_alias extends Memcached_DataObject public $modified; // timestamp() not_null default_CURRENT_TIMESTAMP /* Static get */ - function staticGet($k,$v=NULL) { return DB_DataObject::staticGet('Group_alias',$k,$v); } + function staticGet($k,$v=NULL) { return Memcached_DataObject::staticGet('Group_alias',$k,$v); } /* the code above is auto generated do not remove the tag below */ ###END_AUTOCODE -- cgit v1.2.3-54-g00ecf From f653c3b914d7983618bd4141fe57a37e9537ec45 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 5 Mar 2010 16:40:35 -0800 Subject: Fix undefined variable error and some other cleanup --- actions/userrss.php | 35 +++++++++++++++++------------------ 1 file changed, 17 insertions(+), 18 deletions(-) diff --git a/actions/userrss.php b/actions/userrss.php index 6029f4431..77bd316b2 100644 --- a/actions/userrss.php +++ b/actions/userrss.php @@ -29,6 +29,8 @@ class UserrssAction extends Rss10Action function prepare($args) { + common_debug("UserrssAction"); + parent::prepare($args); $nickname = $this->trimmed('nickname'); $this->user = User::staticGet('nickname', $nickname); @@ -38,8 +40,8 @@ class UserrssAction extends Rss10Action $this->clientError(_('No such user.')); return false; } else { - if ($this->tag) { - $this->notices = $this->getTaggedNotices($tag, $this->limit); + if (!empty($this->tag)) { + $this->notices = $this->getTaggedNotices($this->tag, $this->limit); } else { $this->notices = $this->getNotices($this->limit); } @@ -47,15 +49,15 @@ class UserrssAction extends Rss10Action } } - function getTaggedNotices($tag = null, $limit=0) + function getTaggedNotices() { - $user = $this->user; - - if (is_null($user)) { - return null; - } - - $notice = $user->getTaggedNotices(0, ($limit == 0) ? NOTICES_PER_PAGE : $limit, 0, 0, null, $tag); + $notice = $this->user->getTaggedNotices( + $this->tag, + 0, + ($this->limit == 0) ? NOTICES_PER_PAGE : $this->limit, + 0, + 0 + ); $notices = array(); while ($notice->fetch()) { @@ -66,15 +68,12 @@ class UserrssAction extends Rss10Action } - function getNotices($limit=0) + function getNotices() { - $user = $this->user; - - if (is_null($user)) { - return null; - } - - $notice = $user->getNotices(0, ($limit == 0) ? NOTICES_PER_PAGE : $limit); + $notice = $this->user->getNotices( + 0, + ($limit == 0) ? NOTICES_PER_PAGE : $limit + ); $notices = array(); while ($notice->fetch()) { -- cgit v1.2.3-54-g00ecf From 421041c51aa4a92fa2c6f03cedcbd30d8cdfb7d4 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 5 Mar 2010 16:52:15 -0800 Subject: No need to pass in $this->limit and $this-tag --- actions/userrss.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/actions/userrss.php b/actions/userrss.php index 77bd316b2..e03eb9356 100644 --- a/actions/userrss.php +++ b/actions/userrss.php @@ -41,9 +41,9 @@ class UserrssAction extends Rss10Action return false; } else { if (!empty($this->tag)) { - $this->notices = $this->getTaggedNotices($this->tag, $this->limit); + $this->notices = $this->getTaggedNotices(); } else { - $this->notices = $this->getNotices($this->limit); + $this->notices = $this->getNotices(); } return true; } -- cgit v1.2.3-54-g00ecf From e97515c8779705bf732840df0611cc2025a4781f Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 5 Mar 2010 17:05:00 -0800 Subject: Remove unused variables, update Twitter ones --- config.php.sample | 9 +-------- 1 file changed, 1 insertion(+), 8 deletions(-) diff --git a/config.php.sample b/config.php.sample index 5c5fb5b53..9e0b4e2ac 100644 --- a/config.php.sample +++ b/config.php.sample @@ -188,9 +188,6 @@ $config['sphinx']['port'] = 3312; // Disable SMS // $config['sms']['enabled'] = false; -// Disable Twitter integration -// $config['twitter']['enabled'] = false; - // Twitter integration source attribute. Note: default is StatusNet // $config['integration']['source'] = 'StatusNet'; @@ -198,7 +195,7 @@ $config['sphinx']['port'] = 3312; // // NOTE: if you enable this you must also set $config['avatar']['path'] // -// $config['twitterbridge']['enabled'] = true; +// $config['twitterimport']['enabled'] = true; // Twitter OAuth settings // $config['twitter']['consumer_key'] = 'YOURKEY'; @@ -212,10 +209,6 @@ $config['sphinx']['port'] = 3312; // $config['throttle']['count'] = 100; // $config['throttle']['timespan'] = 3600; -// List of users banned from posting (nicknames and/or IDs) -// $config['profile']['banned'][] = 'hacker'; -// $config['profile']['banned'][] = 12345; - // Config section for the built-in Facebook application // $config['facebook']['apikey'] = 'APIKEY'; // $config['facebook']['secret'] = 'SECRET'; -- cgit v1.2.3-54-g00ecf From a5cbd1918bfaa20e1f03e6330f479a062361236d Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Sun, 7 Mar 2010 00:54:04 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans Signed-off-by: Siebrand Mazeland --- locale/ar/LC_MESSAGES/statusnet.po | 76 ++++--- locale/arz/LC_MESSAGES/statusnet.po | 54 ++--- locale/bg/LC_MESSAGES/statusnet.po | 54 ++--- locale/br/LC_MESSAGES/statusnet.po | 76 +++---- locale/ca/LC_MESSAGES/statusnet.po | 54 ++--- locale/cs/LC_MESSAGES/statusnet.po | 54 ++--- locale/de/LC_MESSAGES/statusnet.po | 416 ++++++++++++++++------------------ locale/el/LC_MESSAGES/statusnet.po | 54 ++--- locale/en_GB/LC_MESSAGES/statusnet.po | 57 ++--- locale/es/LC_MESSAGES/statusnet.po | 54 ++--- locale/fa/LC_MESSAGES/statusnet.po | 54 ++--- locale/fi/LC_MESSAGES/statusnet.po | 54 ++--- locale/fr/LC_MESSAGES/statusnet.po | 54 ++--- locale/ga/LC_MESSAGES/statusnet.po | 54 ++--- locale/he/LC_MESSAGES/statusnet.po | 54 ++--- locale/hsb/LC_MESSAGES/statusnet.po | 54 ++--- locale/ia/LC_MESSAGES/statusnet.po | 54 ++--- locale/is/LC_MESSAGES/statusnet.po | 54 ++--- locale/it/LC_MESSAGES/statusnet.po | 54 ++--- locale/ja/LC_MESSAGES/statusnet.po | 54 ++--- locale/ko/LC_MESSAGES/statusnet.po | 54 ++--- locale/mk/LC_MESSAGES/statusnet.po | 54 ++--- locale/nb/LC_MESSAGES/statusnet.po | 54 ++--- locale/nl/LC_MESSAGES/statusnet.po | 54 ++--- locale/nn/LC_MESSAGES/statusnet.po | 54 ++--- locale/pl/LC_MESSAGES/statusnet.po | 152 +++++-------- locale/pt/LC_MESSAGES/statusnet.po | 54 ++--- locale/pt_BR/LC_MESSAGES/statusnet.po | 54 ++--- locale/ru/LC_MESSAGES/statusnet.po | 54 ++--- locale/statusnet.po | 50 ++-- locale/sv/LC_MESSAGES/statusnet.po | 54 ++--- locale/te/LC_MESSAGES/statusnet.po | 54 ++--- locale/tr/LC_MESSAGES/statusnet.po | 54 ++--- locale/uk/LC_MESSAGES/statusnet.po | 54 ++--- locale/vi/LC_MESSAGES/statusnet.po | 54 ++--- locale/zh_CN/LC_MESSAGES/statusnet.po | 54 ++--- locale/zh_TW/LC_MESSAGES/statusnet.po | 54 ++--- 37 files changed, 1228 insertions(+), 1273 deletions(-) diff --git a/locale/ar/LC_MESSAGES/statusnet.po b/locale/ar/LC_MESSAGES/statusnet.po index 9f7bd5cbb..56029bc82 100644 --- a/locale/ar/LC_MESSAGES/statusnet.po +++ b/locale/ar/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:34:53+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:49:16+0000\n" "Language-Team: Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ar\n" "X-Message-Group: out-statusnet\n" @@ -102,7 +102,7 @@ msgstr "لا صÙحة كهذه" #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -549,7 +549,7 @@ msgstr "" #: actions/apioauthauthorize.php:276 msgid "Allow or deny access" -msgstr "" +msgstr "اسمح أو امنع الوصول" #: actions/apioauthauthorize.php:292 #, php-format @@ -681,7 +681,7 @@ msgstr "تكرارات %s" msgid "Notices tagged with %s" msgstr "الإشعارات الموسومة ب%s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "" @@ -721,7 +721,7 @@ msgstr "بإمكانك رÙع Ø£Ùتارك الشخصي. أقصى حجم للم #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "" @@ -1691,7 +1691,7 @@ msgstr "" msgid "Make this user an admin" msgstr "اجعل هذا المستخدم إداريًا" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -2353,7 +2353,7 @@ msgstr "كلمة السر القديمة" #: actions/passwordsettings.php:108 actions/recoverpassword.php:235 msgid "New password" -msgstr "كلمة سر جديدة" +msgstr "كلمة السر الجديدة" #: actions/passwordsettings.php:109 msgid "6 or more characters" @@ -4229,7 +4229,7 @@ msgstr "%s ليس عضوًا ÙÙŠ أي مجموعة." msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -4486,10 +4486,9 @@ msgstr "الصÙحة الشخصية" #. TRANS: Tooltip for main menu option "Account" #: lib/action.php:435 -#, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" -msgstr "غير كلمة سرّك" +msgstr "غير بريدك الإلكتروني وكلمة سرّك وأÙتارك وملÙÙƒ الشخصي" #. TRANS: Tooltip for main menu option "Services" #: lib/action.php:440 @@ -4977,12 +4976,12 @@ msgstr "%s ترك المجموعة %s" msgid "Fullname: %s" msgstr "الاسم الكامل: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "الموقع: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "الصÙحة الرئيسية: %s" @@ -5042,9 +5041,8 @@ msgid "Specify the name of the user to subscribe to" msgstr "" #: lib/command.php:554 lib/command.php:589 -#, fuzzy msgid "No such user" -msgstr "لا مستخدم كهذا." +msgstr "لا مستخدم كهذا" #: lib/command.php:561 #, php-format @@ -5427,11 +5425,11 @@ msgstr "Ù„Ùج باسم مستخدم وكلمة سر" msgid "Sign up for a new account" msgstr "سجّل حسابًا جديدًا" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "تأكيد عنوان البريد الإلكتروني" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5447,13 +5445,25 @@ msgid "" "Thanks for your time, \n" "%s\n" msgstr "" +"مرحبًا، %s.\n" +"\n" +"لقد أدخل أحدهم قبل لحظات عنوان البريد الإلكتروني هذا على %s.\n" +"\n" +"إذا كنت هو، وإذا كنت تريد تأكيد هذه المدخلة، Ùاستخدم المسار أدناه:\n" +"\n" +" %s\n" +"\n" +"إذا كان الأمر خلا٠ذلك، Ùتجاهل هذه الرسالة.\n" +"\n" +"شكرًا على الوقت الذي أمضيته، \n" +"%s\n" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s يستمع الآن إلى إشعاراتك على %2$s." -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5478,17 +5488,17 @@ msgstr "" "----\n" "غيّر خيارات البريد الإلكتروني والإشعار ÙÙŠ %8$s\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, php-format msgid "Bio: %s" msgstr "السيرة: %s" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "عنوان بريد إلكتروني جديد للإرسال إلى %s" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5501,21 +5511,21 @@ msgid "" "%4$s" msgstr "" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "حالة %s" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "تأكيد الرسالة القصيرة" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "لقد نبهك %s" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5531,12 +5541,12 @@ msgid "" "%4$s\n" msgstr "" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "رسالة خاصة جديدة من %s" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5555,12 +5565,12 @@ msgid "" "%5$s\n" msgstr "" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "لقد أضا٠%s (@%s) إشعارك إلى Ù…Ùضلاته" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5581,12 +5591,12 @@ msgid "" "%6$s\n" msgstr "" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "لقد أرسل %s (@%s) إشعارًا إليك" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/arz/LC_MESSAGES/statusnet.po b/locale/arz/LC_MESSAGES/statusnet.po index 3654f6326..aaf1d89bd 100644 --- a/locale/arz/LC_MESSAGES/statusnet.po +++ b/locale/arz/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:34:56+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:49:19+0000\n" "Language-Team: Egyptian Spoken Arabic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: arz\n" "X-Message-Group: out-statusnet\n" @@ -108,7 +108,7 @@ msgstr "لا صÙحه كهذه" #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -687,7 +687,7 @@ msgstr "تكرارات %s" msgid "Notices tagged with %s" msgstr "الإشعارات الموسومه ب%s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "" @@ -727,7 +727,7 @@ msgstr "" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "" @@ -1703,7 +1703,7 @@ msgstr "" msgid "Make this user an admin" msgstr "اجعل هذا المستخدم إداريًا" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4234,7 +4234,7 @@ msgstr "" msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5002,12 +5002,12 @@ msgstr "%s ساب الجروپ %s" msgid "Fullname: %s" msgstr "الاسم الكامل: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "الموقع: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "الصÙحه الرئيسية: %s" @@ -5452,11 +5452,11 @@ msgstr "" msgid "Sign up for a new account" msgstr "" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "تأكيد عنوان البريد الإلكتروني" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5473,12 +5473,12 @@ msgid "" "%s\n" msgstr "" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "" -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5493,17 +5493,17 @@ msgid "" "Change your email address or notification options at %8$s\n" msgstr "" -#: lib/mail.php:258 +#: lib/mail.php:262 #, php-format msgid "Bio: %s" msgstr "عن Ù†Ùسك: %s" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5516,21 +5516,21 @@ msgid "" "%4$s" msgstr "" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "حاله %s" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5546,12 +5546,12 @@ msgid "" "%4$s\n" msgstr "" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "رساله خاصه جديده من %s" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5570,12 +5570,12 @@ msgid "" "%5$s\n" msgstr "" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5596,12 +5596,12 @@ msgid "" "%6$s\n" msgstr "" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/bg/LC_MESSAGES/statusnet.po b/locale/bg/LC_MESSAGES/statusnet.po index 71b22dd4f..3a6b5b047 100644 --- a/locale/bg/LC_MESSAGES/statusnet.po +++ b/locale/bg/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:34:58+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:49:22+0000\n" "Language-Team: Bulgarian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: bg\n" "X-Message-Group: out-statusnet\n" @@ -103,7 +103,7 @@ msgstr "ÐÑма такака Ñтраница." #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -694,7 +694,7 @@ msgstr "ÐŸÐ¾Ð²Ñ‚Ð¾Ñ€ÐµÐ½Ð¸Ñ Ð½Ð° %s" msgid "Notices tagged with %s" msgstr "Бележки Ñ ÐµÑ‚Ð¸ÐºÐµÑ‚ %s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Бележки от %1$s в %2$s." @@ -736,7 +736,7 @@ msgstr "" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "Потребител без ÑъответÑтващ профил" @@ -1753,7 +1753,7 @@ msgstr "" msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4414,7 +4414,7 @@ msgstr "%s не членува в Ð½Ð¸ÐºÐ¾Ñ Ð³Ñ€ÑƒÐ¿Ð°." msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5211,12 +5211,12 @@ msgstr "%s напуÑна групата %s" msgid "Fullname: %s" msgstr "Пълно име: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "МеÑтоположение: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "Домашна Ñтраница: %s" @@ -5657,11 +5657,11 @@ msgstr "Вход Ñ Ð¸Ð¼Ðµ и парола" msgid "Sign up for a new account" msgstr "Създаване на нова Ñметка" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "Потвърждаване адреÑа на е-поща" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5678,12 +5678,12 @@ msgid "" "%s\n" msgstr "" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s вече получава бележките ви в %2$s." -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5708,17 +5708,17 @@ msgstr "" "----\n" "Може да Ñмените адреÑа и наÑтройките за уведомÑване по е-поща на %8$s\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, php-format msgid "Bio: %s" msgstr "БиографиÑ: %s" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "Ðов Ð°Ð´Ñ€ÐµÑ Ð½Ð° е-поща за публикщуване в %s" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5731,21 +5731,21 @@ msgid "" "%4$s" msgstr "" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "СъÑтоÑние на %s" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "Потвърждение за SMS" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "Побутнати Ñте от %s" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5761,12 +5761,12 @@ msgid "" "%4$s\n" msgstr "" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "Ðово лично Ñъобщение от %s" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5785,12 +5785,12 @@ msgid "" "%5$s\n" msgstr "" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%s (@%s) отбелÑза бележката ви като любима" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5811,12 +5811,12 @@ msgid "" "%6$s\n" msgstr "" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/br/LC_MESSAGES/statusnet.po b/locale/br/LC_MESSAGES/statusnet.po index 53e971a31..2197b9e74 100644 --- a/locale/br/LC_MESSAGES/statusnet.po +++ b/locale/br/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 19:12+0000\n" -"PO-Revision-Date: 2010-03-04 19:12:57+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:49:25+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63249); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: br\n" "X-Message-Group: out-statusnet\n" @@ -101,7 +101,7 @@ msgstr "N'eus ket eus ar bajenn-se" #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -680,7 +680,7 @@ msgstr "Adkemeret eus %s" msgid "Notices tagged with %s" msgstr "Alioù merket gant %s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "" @@ -720,7 +720,7 @@ msgstr "" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "Implijer hep profil klotaus" @@ -1533,23 +1533,20 @@ msgid "Cannot read file." msgstr "Diposupl eo lenn ar restr." #: actions/grantrole.php:62 actions/revokerole.php:62 -#, fuzzy msgid "Invalid role." -msgstr "Fichenn direizh." +msgstr "Roll direizh." #: actions/grantrole.php:66 actions/revokerole.php:66 msgid "This role is reserved and cannot be set." msgstr "" #: actions/grantrole.php:75 -#, fuzzy msgid "You cannot grant user roles on this site." -msgstr "Ne c'helloc'h ket kas kemennadennoù d'an implijer-mañ." +msgstr "Ne c'helloc'h ket reiñ rolloù d'an implijerien eus al lec'hienn-mañ." #: actions/grantrole.php:82 -#, fuzzy msgid "User already has this role." -msgstr "An implijer-mañ n'eus profil ebet dezhañ." +msgstr "An implijer-mañ en deus dija ar roll-mañ." #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 @@ -1691,7 +1688,7 @@ msgstr "Lakaat ur merour" msgid "Make this user an admin" msgstr "Lakaat an implijer-mañ da verour" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -2384,7 +2381,7 @@ msgstr "Kemmañ" #: actions/passwordsettings.php:154 actions/register.php:230 msgid "Password must be 6 or more characters." -msgstr "" +msgstr "Rankout a ra ar ger-tremen bezañ gant 6 arouezenn d'an nebeutañ." #: actions/passwordsettings.php:157 actions/register.php:233 msgid "Passwords don't match." @@ -2489,7 +2486,7 @@ msgstr "Hentad an tem" #: actions/pathsadminpanel.php:272 msgid "Theme directory" -msgstr "" +msgstr "Doser an temoù" #: actions/pathsadminpanel.php:279 msgid "Avatars" @@ -2600,7 +2597,7 @@ msgstr "" #: actions/profilesettings.php:99 msgid "Profile information" -msgstr "" +msgstr "Titouroù ar profil" #: actions/profilesettings.php:108 lib/groupeditform.php:154 msgid "1-64 lowercase letters or numbers, no punctuation or spaces" @@ -2684,7 +2681,7 @@ msgstr "" #: actions/profilesettings.php:228 actions/register.php:223 #, php-format msgid "Bio is too long (max %d chars)." -msgstr "" +msgstr "Re hir eo ar bio (%d arouezenn d'ar muiañ)." #: actions/profilesettings.php:235 actions/siteadminpanel.php:151 msgid "Timezone not selected." @@ -2692,7 +2689,7 @@ msgstr "N'eo bet dibabet gwerzhid-eur ebet." #: actions/profilesettings.php:241 msgid "Language is too long (max 50 chars)." -msgstr "" +msgstr "Re hir eo ar yezh (255 arouezenn d'ar muiañ)." #: actions/profilesettings.php:253 actions/tagother.php:178 #, php-format @@ -4217,7 +4214,7 @@ msgstr "" msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -4480,9 +4477,8 @@ msgid "Connect to services" msgstr "" #: lib/action.php:443 -#, fuzzy msgid "Connect" -msgstr "Endalc'h" +msgstr "Kevreañ" #. TRANS: Tooltip for menu option "Admin" #: lib/action.php:446 @@ -4951,12 +4947,12 @@ msgstr "%s {{Gender:.|en|he}} deus kuitaet ar strollad %s" msgid "Fullname: %s" msgstr "Anv klok : %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "" @@ -5391,11 +5387,11 @@ msgstr "" msgid "Sign up for a new account" msgstr "" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5412,12 +5408,12 @@ msgid "" "%s\n" msgstr "" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "" -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5432,17 +5428,17 @@ msgid "" "Change your email address or notification options at %8$s\n" msgstr "" -#: lib/mail.php:258 +#: lib/mail.php:262 #, php-format msgid "Bio: %s" msgstr "" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5455,21 +5451,21 @@ msgid "" "%4$s" msgstr "" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "Statud %s" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5485,12 +5481,12 @@ msgid "" "%4$s\n" msgstr "" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "Kemenadenn personel nevez a-berzh %s" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5509,12 +5505,12 @@ msgid "" "%5$s\n" msgstr "" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5535,12 +5531,12 @@ msgid "" "%6$s\n" msgstr "" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/ca/LC_MESSAGES/statusnet.po b/locale/ca/LC_MESSAGES/statusnet.po index 8a91dad60..bd7c5cd5a 100644 --- a/locale/ca/LC_MESSAGES/statusnet.po +++ b/locale/ca/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:35:02+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:49:29+0000\n" "Language-Team: Catalan\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ca\n" "X-Message-Group: out-statusnet\n" @@ -109,7 +109,7 @@ msgstr "No existeix la pàgina." #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -713,7 +713,7 @@ msgstr "Repeticions de %s" msgid "Notices tagged with %s" msgstr "Aviso etiquetats amb %s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Actualitzacions etiquetades amb %1$s el %2$s!" @@ -754,7 +754,7 @@ msgstr "" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "Usuari sense perfil coincident" @@ -1772,7 +1772,7 @@ msgstr "Fes-lo administrador" msgid "Make this user an admin" msgstr "Fes l'usuari administrador" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4478,7 +4478,7 @@ msgstr "%s no és membre de cap grup." msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5268,12 +5268,12 @@ msgstr "%s ha abandonat el grup %s" msgid "Fullname: %s" msgstr "Nom complet: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "Localització: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "Pàgina web: %s" @@ -5713,11 +5713,11 @@ msgstr "Accedir amb el nom d'usuari i contrasenya" msgid "Sign up for a new account" msgstr "Crear nou compte" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "Confirmació de l'adreça de correu electrònic" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5734,12 +5734,12 @@ msgid "" "%s\n" msgstr "" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s ara està escoltant els teus avisos a %2$s." -#: lib/mail.php:241 +#: lib/mail.php:245 #, fuzzy, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5760,19 +5760,19 @@ msgstr "" "Atentament,\n" "%4$s.\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, fuzzy, php-format msgid "Bio: %s" msgstr "" "Biografia: %s\n" "\n" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "Nou correu electrònic per publicar a %s" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5793,21 +5793,21 @@ msgstr "" "Sincerament teus,\n" "%4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "%s estat" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "Confirmació SMS" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "Has estat reclamat per %s" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5823,12 +5823,12 @@ msgid "" "%4$s\n" msgstr "" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "Nou missatge privat de %s" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5847,12 +5847,12 @@ msgid "" "%5$s\n" msgstr "" -#: lib/mail.php:559 +#: lib/mail.php:568 #, fuzzy, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%s ha afegit la teva nota com a favorita" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5873,12 +5873,12 @@ msgid "" "%6$s\n" msgstr "" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/cs/LC_MESSAGES/statusnet.po b/locale/cs/LC_MESSAGES/statusnet.po index 8a8ccf6e6..a48ec5885 100644 --- a/locale/cs/LC_MESSAGES/statusnet.po +++ b/locale/cs/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:35:06+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:49:32+0000\n" "Language-Team: Czech\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: cs\n" "X-Message-Group: out-statusnet\n" @@ -109,7 +109,7 @@ msgstr "Žádné takové oznámení." #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -709,7 +709,7 @@ msgstr "OdpovÄ›di na %s" msgid "Notices tagged with %s" msgstr "" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Mikroblog od %s" @@ -751,7 +751,7 @@ msgstr "" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "" @@ -1779,7 +1779,7 @@ msgstr "" msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4422,7 +4422,7 @@ msgstr "Neodeslal jste nám profil" msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5214,12 +5214,12 @@ msgstr "%1 statusů na %2" msgid "Fullname: %s" msgstr "Celé jméno" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "" @@ -5675,11 +5675,11 @@ msgstr "Neplatné jméno nebo heslo" msgid "Sign up for a new account" msgstr "VytvoÅ™it nový úÄet" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "Potvrzení emailové adresy" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5696,12 +5696,12 @@ msgid "" "%s\n" msgstr "" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1 od teÄ naslouchá tvým sdÄ›lením v %2" -#: lib/mail.php:241 +#: lib/mail.php:245 #, fuzzy, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5722,17 +5722,17 @@ msgstr "" "S úctou váš,\n" "%4$s.\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, fuzzy, php-format msgid "Bio: %s" msgstr "O mÄ›" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5745,21 +5745,21 @@ msgid "" "%4$s" msgstr "" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5775,12 +5775,12 @@ msgid "" "%4$s\n" msgstr "" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5799,12 +5799,12 @@ msgid "" "%5$s\n" msgstr "" -#: lib/mail.php:559 +#: lib/mail.php:568 #, fuzzy, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%1 od teÄ naslouchá tvým sdÄ›lením v %2" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5825,12 +5825,12 @@ msgid "" "%6$s\n" msgstr "" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index 5007074b7..fb91e4768 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -15,12 +15,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:35:09+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:49:34+0000\n" "Language-Team: German\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: out-statusnet\n" @@ -108,7 +108,7 @@ msgstr "Seite nicht vorhanden" #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -273,6 +273,8 @@ msgid "" "The server was unable to handle that much POST data (%s bytes) due to its " "current configuration." msgstr "" +"Der Server kann so große POST Abfragen (%s bytes) aufgrund der Konfiguration " +"nicht verarbeiten." #: actions/apiaccountupdateprofilebackgroundimage.php:136 #: actions/apiaccountupdateprofilebackgroundimage.php:146 @@ -505,7 +507,7 @@ msgstr "Gruppen von %s" #: actions/apioauthauthorize.php:101 msgid "No oauth_token parameter provided." -msgstr "" +msgstr "Kein oauth_token Parameter angegeben." #: actions/apioauthauthorize.php:106 #, fuzzy @@ -540,9 +542,8 @@ msgid "Database error deleting OAuth application user." msgstr "Fehler bei den Nutzereinstellungen." #: actions/apioauthauthorize.php:185 -#, fuzzy msgid "Database error inserting OAuth application user." -msgstr "Datenbankfehler beim Einfügen des Hashtags: %s" +msgstr "Datenbankfehler beim Einfügen des OAuth Programm Benutzers." #: actions/apioauthauthorize.php:214 #, php-format @@ -550,11 +551,13 @@ msgid "" "The request token %s has been authorized. Please exchange it for an access " "token." msgstr "" +"Die Anfrage %s wurde nicht autorisiert. Bitte gegen einen Zugriffstoken " +"austauschen." #: actions/apioauthauthorize.php:227 #, php-format msgid "The request token %s has been denied and revoked." -msgstr "" +msgstr "Die Anfrage %s wurde gesperrt und widerrufen." #: actions/apioauthauthorize.php:232 actions/avatarsettings.php:281 #: actions/designadminpanel.php:103 actions/editapplication.php:139 @@ -567,7 +570,7 @@ msgstr "Unerwartete Formulareingabe." #: actions/apioauthauthorize.php:259 msgid "An application would like to connect to your account" -msgstr "" +msgstr "Ein Programm will eine Verbindung zu deinem Konto aufbauen" #: actions/apioauthauthorize.php:276 msgid "Allow or deny access" @@ -662,14 +665,14 @@ msgid "Unsupported format." msgstr "Bildformat wird nicht unterstützt." #: actions/apitimelinefavorites.php:108 -#, fuzzy, php-format +#, php-format msgid "%1$s / Favorites from %2$s" -msgstr "%s / Favoriten von %s" +msgstr "%1$s / Favoriten von %2$s" #: actions/apitimelinefavorites.php:117 -#, fuzzy, php-format +#, php-format msgid "%1$s updates favorited by %2$s / %2$s." -msgstr "%s Aktualisierung in den Favoriten von %s / %s." +msgstr "%1$s Aktualisierung in den Favoriten von %2$s / %2$s." #: actions/apitimelinementions.php:117 #, php-format @@ -692,21 +695,21 @@ msgid "%s updates from everyone!" msgstr "%s Nachrichten von allen!" #: actions/apitimelineretweetedtome.php:111 -#, fuzzy, php-format +#, php-format msgid "Repeated to %s" msgstr "Antworten an %s" #: actions/apitimelineretweetsofme.php:114 -#, fuzzy, php-format +#, php-format msgid "Repeats of %s" -msgstr "Antworten an %s" +msgstr "Antworten von %s" #: actions/apitimelinetag.php:102 actions/tag.php:67 #, php-format msgid "Notices tagged with %s" msgstr "Nachrichten, die mit %s getagt sind" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Aktualisierungen mit %1$s getagt auf %2$s!" @@ -747,7 +750,7 @@ msgstr "" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "Benutzer ohne passendes Profil" @@ -862,9 +865,9 @@ msgid "%s blocked profiles" msgstr "%s blockierte Benutzerprofile" #: actions/blockedfromgroup.php:100 -#, fuzzy, php-format +#, php-format msgid "%1$s blocked profiles, page %2$d" -msgstr "%s blockierte Benutzerprofile, Seite %d" +msgstr "%1$s blockierte Benutzerprofile, Seite %2$d" #: actions/blockedfromgroup.php:115 msgid "A list of the users blocked from joining this group." @@ -921,7 +924,6 @@ msgid "Couldn't delete email confirmation." msgstr "Konnte E-Mail-Bestätigung nicht löschen." #: actions/confirmaddress.php:144 -#, fuzzy msgid "Confirm address" msgstr "Adresse bestätigen" @@ -940,14 +942,12 @@ msgid "Notices" msgstr "Nachrichten" #: actions/deleteapplication.php:63 -#, fuzzy msgid "You must be logged in to delete an application." -msgstr "Du musst angemeldet sein, um eine Gruppe zu bearbeiten." +msgstr "Du musst angemeldet sein, um dieses Programm zu entfernen." #: actions/deleteapplication.php:71 -#, fuzzy msgid "Application not found." -msgstr "Nachricht hat kein Profil" +msgstr "Programm nicht gefunden." #: actions/deleteapplication.php:78 actions/editapplication.php:77 #: actions/showapplication.php:94 @@ -970,11 +970,12 @@ msgid "" "about the application from the database, including all existing user " "connections." msgstr "" +"Bist du sicher, dass du dieses Programm löschen willst? Es werden alle Daten " +"aus der Datenbank entfernt, auch alle bestehenden Benutzer-Verbindungen." #: actions/deleteapplication.php:156 -#, fuzzy msgid "Do not delete this application" -msgstr "Diese Nachricht nicht löschen" +msgstr "Dieses Programm nicht löschen" #: actions/deleteapplication.php:160 msgid "Delete this application" @@ -1239,9 +1240,8 @@ msgid "Callback URL is not valid." msgstr "Antwort URL ist nicht gültig" #: actions/editapplication.php:258 -#, fuzzy msgid "Could not update application." -msgstr "Konnte Gruppe nicht aktualisieren." +msgstr "Konnte Programm nicht aktualisieren." #: actions/editgroup.php:56 #, php-format @@ -1254,7 +1254,6 @@ msgstr "Du musst angemeldet sein, um eine Gruppe zu erstellen." #: actions/editgroup.php:107 actions/editgroup.php:172 #: actions/groupdesignsettings.php:107 actions/grouplogo.php:109 -#, fuzzy msgid "You must be an admin to edit the group." msgstr "Du musst ein Administrator sein, um die Gruppe zu bearbeiten" @@ -1488,12 +1487,16 @@ msgstr "Die momentan beliebtesten Nachrichten auf dieser Seite." #: actions/favorited.php:150 msgid "Favorite notices appear on this page but no one has favorited one yet." msgstr "" +"Favorisierte Mitteilungen werden auf dieser Seite angezeigt; es wurden aber " +"noch keine Favoriten markiert." #: actions/favorited.php:153 msgid "" "Be the first to add a notice to your favorites by clicking the fave button " "next to any notice you like." msgstr "" +"Sei der erste der eine Nachricht favorisiert indem du auf die entsprechenden " +"Schaltfläche neben der Nachricht klickst." #: actions/favorited.php:156 #, php-format @@ -1501,6 +1504,8 @@ msgid "" "Why not [register an account](%%action.register%%) and be the first to add a " "notice to your favorites!" msgstr "" +"Warum [registrierst Du nicht einen Account](%%%%action.register%%%%) und " +"bist der erste der eine Nachricht favorisiert!" #: actions/favoritesrss.php:111 actions/showfavorites.php:77 #: lib/personalgroupnav.php:115 @@ -1524,9 +1529,9 @@ msgid "Featured users, page %d" msgstr "Top-Benutzer, Seite %d" #: actions/featured.php:99 -#, fuzzy, php-format +#, php-format msgid "A selection of some great users on %s" -msgstr "Eine Auswahl der tollen Benutzer auf %s" +msgstr "Eine Auswahl toller Benutzer auf %s" #: actions/file.php:34 msgid "No notice ID." @@ -1641,6 +1646,10 @@ msgid "" "will be removed from the group, unable to post, and unable to subscribe to " "the group in the future." msgstr "" +"Bist du sicher, dass du den Benutzer \"%1$s\" in der Gruppe \"%2$s\" " +"blockieren willst? Er wird aus der Gruppe gelöscht, kann keine Beiträge mehr " +"abschicken und wird auch in Zukunft dieser Gruppe nicht mehr beitreten " +"können." #: actions/groupblock.php:178 msgid "Do not block this user from this group" @@ -1696,7 +1705,6 @@ msgstr "" "s." #: actions/grouplogo.php:181 -#, fuzzy msgid "User without matching profile." msgstr "Benutzer ohne passendes Profil" @@ -1718,9 +1726,9 @@ msgid "%s group members" msgstr "%s Gruppen-Mitglieder" #: actions/groupmembers.php:103 -#, fuzzy, php-format +#, php-format msgid "%1$s group members, page %2$d" -msgstr "%s Gruppen-Mitglieder, Seite %d" +msgstr "%1$s Gruppen-Mitglieder, Seite %2$d" #: actions/groupmembers.php:118 msgid "A list of the users in this group." @@ -1746,7 +1754,7 @@ msgstr "Zum Admin ernennen" msgid "Make this user an admin" msgstr "Diesen Benutzer zu einem Admin ernennen" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -1867,7 +1875,6 @@ msgstr "" "Freundesliste hinzugefügt?)" #: actions/imsettings.php:124 -#, fuzzy msgid "IM address" msgstr "IM-Adresse" @@ -2172,9 +2179,9 @@ msgid "Only an admin can make another user an admin." msgstr "Nur Administratoren können andere Nutzer zu Administratoren ernennen." #: actions/makeadmin.php:96 -#, fuzzy, php-format +#, php-format msgid "%1$s is already an admin for group \"%2$s\"." -msgstr "%s ist bereits ein Administrator der Gruppe „%s“." +msgstr "%1$s ist bereits Administrator der Gruppe \"%2$s\"." #: actions/makeadmin.php:133 #, fuzzy, php-format @@ -2182,37 +2189,33 @@ msgid "Can't get membership record for %1$s in group %2$s." msgstr "Konnte Benutzer %s aus der Gruppe %s nicht entfernen" #: actions/makeadmin.php:146 -#, fuzzy, php-format +#, php-format msgid "Can't make %1$s an admin for group %2$s." -msgstr "Konnte %s nicht zum Administrator der Gruppe %s machen" +msgstr "Konnte %1$s nicht zum Administrator der Gruppe %2$s machen" #: actions/microsummary.php:69 msgid "No current status" msgstr "Kein aktueller Status" #: actions/newapplication.php:52 -#, fuzzy msgid "New Application" -msgstr "Unbekannte Nachricht." +msgstr "Neues Programm" #: actions/newapplication.php:64 -#, fuzzy msgid "You must be logged in to register an application." -msgstr "Du musst angemeldet sein, um eine Gruppe zu erstellen." +msgstr "Du musst angemeldet sein, um ein Programm zu registrieren." #: actions/newapplication.php:143 -#, fuzzy msgid "Use this form to register a new application." -msgstr "Benutzer dieses Formular, um eine neue Gruppe zu erstellen." +msgstr "Benutzer dieses Formular, um eine neues Programm zu erstellen." #: actions/newapplication.php:176 msgid "Source URL is required." msgstr "Quell-URL ist erforderlich." #: actions/newapplication.php:258 actions/newapplication.php:267 -#, fuzzy msgid "Could not create application." -msgstr "Konnte keinen Favoriten erstellen." +msgstr "Konnte das Programm nicht erstellen." #: actions/newgroup.php:53 msgid "New group" @@ -2250,7 +2253,7 @@ msgid "Message sent" msgstr "Nachricht gesendet" #: actions/newmessage.php:185 -#, fuzzy, php-format +#, php-format msgid "Direct message to %s sent." msgstr "Direkte Nachricht an %s abgeschickt" @@ -2281,9 +2284,9 @@ msgid "Text search" msgstr "Volltextsuche" #: actions/noticesearch.php:91 -#, fuzzy, php-format +#, php-format msgid "Search results for \"%1$s\" on %2$s" -msgstr "Suchergebnisse für „%s“ auf %s" +msgstr "Suchergebnisse für \"%1$s\" auf %2$s" #: actions/noticesearch.php:121 #, php-format @@ -2300,6 +2303,9 @@ msgid "" "Why not [register an account](%%%%action.register%%%%) and be the first to " "[post on this topic](%%%%action.newnotice%%%%?status_textarea=%s)!" msgstr "" +"Warum [registrierst Du nicht einen Account](%%%%action.register%%%%) und " +"bist der erste der [auf diese Nachricht antwortet](%%%%action.newnotice%%%%?" +"status_textarea=%s)!" #: actions/noticesearchrss.php:96 #, php-format @@ -2350,6 +2356,8 @@ msgstr "Verbundene Programme" #: actions/oauthconnectionssettings.php:83 msgid "You have allowed the following applications to access you account." msgstr "" +"Du hast das folgende Programm die Erlaubnis erteilt sich mit deinem Profil " +"zu verbinden." #: actions/oauthconnectionssettings.php:175 msgid "You are not a user of that application." @@ -2363,10 +2371,12 @@ msgstr "Kann Zugang dieses Programm nicht entfernen: " #, php-format msgid "You have not authorized any applications to use your account." msgstr "" +"Du hast noch kein Programm die Erlaubnis gegeben dein Profil zu benutzen." #: actions/oauthconnectionssettings.php:211 msgid "Developers can edit the registration settings for their applications " msgstr "" +"Entwickler können die Registrierungseinstellungen ihrer Programme ändern " #: actions/oembed.php:79 actions/shownotice.php:100 msgid "Notice has no profile" @@ -2435,9 +2445,8 @@ msgid "No user ID specified." msgstr "Keine Benutzer ID angegeben" #: actions/otp.php:83 -#, fuzzy msgid "No login token specified." -msgstr "Kein Profil angegeben." +msgstr "Kein Zugangstoken angegeben." #: actions/otp.php:90 #, fuzzy @@ -2450,9 +2459,8 @@ msgid "Invalid login token specified." msgstr "Token ungültig oder abgelaufen." #: actions/otp.php:104 -#, fuzzy msgid "Login token expired." -msgstr "An Seite anmelden" +msgstr "Zugangstoken ist abgelaufen." #: actions/outbox.php:58 #, php-format @@ -2537,7 +2545,7 @@ msgstr "Pfad" #: actions/pathsadminpanel.php:70 msgid "Path and server settings for this StatusNet site." -msgstr "" +msgstr "Pfad- und Serverangaben für diese StatusNet Seite." #: actions/pathsadminpanel.php:157 #, php-format @@ -2557,7 +2565,7 @@ msgstr "Hintergrund Verzeichnis ist nicht beschreibbar: %s" #: actions/pathsadminpanel.php:177 #, php-format msgid "Locales directory not readable: %s" -msgstr "" +msgstr "Sprachverzeichnis nicht lesbar: %s" #: actions/pathsadminpanel.php:183 msgid "Invalid SSL server. The maximum length is 255 characters." @@ -2585,11 +2593,11 @@ msgstr "Seitenpfad" #: actions/pathsadminpanel.php:246 msgid "Path to locales" -msgstr "" +msgstr "Sprachverzeichnis" #: actions/pathsadminpanel.php:246 msgid "Directory path to locales" -msgstr "" +msgstr "Pfad zu den Sprachen" #: actions/pathsadminpanel.php:250 msgid "Fancy URLs" @@ -2915,6 +2923,11 @@ msgid "" "tool. [Join now](%%action.register%%) to share notices about yourself with " "friends, family, and colleagues! ([Read more](%%doc.help%%))" msgstr "" +"Das ist %%site.name%%, ein [Mikroblogging](http://de.wikipedia.org/wiki/" +"Mikroblogging) Dienst auf Basis der freien Software [StatusNet](http://" +"status.net/). [Melde dich jetzt an](%%action.register%%) und tausche " +"Nachrichten mit deinen Freunden, Familie oder Kollegen aus! ([Mehr " +"Informationen](%%doc.help%%))" #: actions/public.php:247 #, php-format @@ -2953,6 +2966,8 @@ msgid "" "Why not [register an account](%%action.register%%) and be the first to post " "one!" msgstr "" +"Warum [registrierst Du nicht einen Account](%%%%action.register%%%%) und " +"bist der erste der eine Nachricht abschickt!" #: actions/publictagcloud.php:134 msgid "Tag cloud" @@ -2991,10 +3006,12 @@ msgid "" "If you have forgotten or lost your password, you can get a new one sent to " "the email address you have stored in your account." msgstr "" +"Wenn du dein Passwort vergessen hast kannst du dir ein neues an deine " +"hinterlegte Email schicken lassen." #: actions/recoverpassword.php:158 msgid "You have been identified. Enter a new password below. " -msgstr "" +msgstr "Du wurdest identifiziert. Gib ein neues Passwort ein. " #: actions/recoverpassword.php:188 msgid "Password recovery" @@ -3118,6 +3135,8 @@ msgid "" "With this form you can create a new account. You can then post notices and " "link up to friends and colleagues. " msgstr "" +"Hier kannst du einen neuen Zugang einrichten. Danach kannst du Nachrichten " +"und Links an deine Freunde und Kollegen schicken. " #: actions/register.php:425 msgid "1-64 lowercase letters or numbers, no punctuation or spaces. Required." @@ -3222,7 +3241,6 @@ msgid "Remote subscribe" msgstr "Entferntes Abonnement" #: actions/remotesubscribe.php:124 -#, fuzzy msgid "Subscribe to a remote user" msgstr "Abonniere diesen Benutzer" @@ -3315,12 +3333,12 @@ msgid "Replies feed for %s (Atom)" msgstr "Feed der Nachrichten von %s (Atom)" #: actions/replies.php:199 -#, fuzzy, php-format +#, php-format msgid "" "This is the timeline showing replies to %1$s but %2$s hasn't received a " "notice to his attention yet." msgstr "" -"Dies ist die Zeitleiste für %s und Freunde aber bisher hat niemand etwas " +"Dies ist die Zeitleiste für %1$s und Freunde aber bisher hat niemand etwas " "gepostet." #: actions/replies.php:204 @@ -3365,9 +3383,8 @@ msgid "You cannot sandbox users on this site." msgstr "Du kannst diesem Benutzer keine Nachricht schicken." #: actions/sandbox.php:72 -#, fuzzy msgid "User is already sandboxed." -msgstr "Dieser Benutzer hat dich blockiert." +msgstr "Benutzer ist schon blockiert." #. TRANS: Menu item for site administration #: actions/sessionsadminpanel.php:54 actions/sessionsadminpanel.php:170 @@ -3376,9 +3393,8 @@ msgid "Sessions" msgstr "Sitzung" #: actions/sessionsadminpanel.php:65 -#, fuzzy msgid "Session settings for this StatusNet site." -msgstr "Design-Einstellungen für diese StatusNet-Website." +msgstr "Sitzungs-Einstellungen für diese StatusNet-Website." #: actions/sessionsadminpanel.php:175 msgid "Handle sessions" @@ -3386,15 +3402,15 @@ msgstr "Sitzung verwalten" #: actions/sessionsadminpanel.php:177 msgid "Whether to handle sessions ourselves." -msgstr "" +msgstr "Sitzungsverwaltung selber übernehmen." #: actions/sessionsadminpanel.php:181 msgid "Session debugging" -msgstr "" +msgstr "Sitzung untersuchen" #: actions/sessionsadminpanel.php:183 msgid "Turn on debugging output for sessions." -msgstr "" +msgstr "Fehleruntersuchung für Sitzungen aktivieren" #: actions/sessionsadminpanel.php:199 actions/siteadminpanel.php:292 #: actions/useradminpanel.php:294 @@ -3402,9 +3418,8 @@ msgid "Save site settings" msgstr "Site-Einstellungen speichern" #: actions/showapplication.php:82 -#, fuzzy msgid "You must be logged in to view an application." -msgstr "Du musst angemeldet sein, um aus einer Gruppe auszutreten." +msgstr "Du musst angemeldet sein, um aus dieses Programm zu betrachten." #: actions/showapplication.php:157 #, fuzzy @@ -3421,9 +3436,8 @@ msgid "Name" msgstr "Name" #: actions/showapplication.php:178 lib/applicationeditform.php:222 -#, fuzzy msgid "Organization" -msgstr "Seitenerstellung" +msgstr "Organisation" #: actions/showapplication.php:187 actions/version.php:198 #: lib/applicationeditform.php:209 lib/groupeditform.php:172 @@ -3438,19 +3452,19 @@ msgstr "Statistiken" #: actions/showapplication.php:203 #, php-format msgid "Created by %1$s - %2$s access by default - %3$d users" -msgstr "" +msgstr "Erstellt von %1$s - %2$s Standard Zugang - %3$d Benutzer" #: actions/showapplication.php:213 msgid "Application actions" -msgstr "" +msgstr "Programmaktionen" #: actions/showapplication.php:236 msgid "Reset key & secret" -msgstr "" +msgstr "Schlüssel zurücksetzen" #: actions/showapplication.php:261 msgid "Application info" -msgstr "" +msgstr "Programminformation" #: actions/showapplication.php:263 msgid "Consumer key" @@ -3462,32 +3476,32 @@ msgstr "" #: actions/showapplication.php:273 msgid "Request token URL" -msgstr "" +msgstr "Anfrage-Token Adresse" #: actions/showapplication.php:278 msgid "Access token URL" -msgstr "" +msgstr "Zugriffs-Token Adresse" #: actions/showapplication.php:283 -#, fuzzy msgid "Authorize URL" -msgstr "Autor" +msgstr "Autorisationadresse" #: actions/showapplication.php:288 msgid "" "Note: We support HMAC-SHA1 signatures. We do not support the plaintext " "signature method." msgstr "" +"Hinweis: Wir unterstützen HMAC-SHA1 Signaturen. Wir unterstützen keine " +"Klartext Signaturen." #: actions/showapplication.php:309 -#, fuzzy msgid "Are you sure you want to reset your consumer key and secret?" -msgstr "Bist du sicher, dass du diese Nachricht löschen möchtest?" +msgstr "Bist du sicher, dass du den Schlüssel zurücksetzen willst?" #: actions/showfavorites.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s's favorite notices, page %2$d" -msgstr "%ss favorisierte Nachrichten" +msgstr "%1$ss favorisierte Nachrichten, Seite %2$d" #: actions/showfavorites.php:132 msgid "Could not retrieve favorite notices." @@ -3539,9 +3553,9 @@ msgid "%s group" msgstr "%s Gruppe" #: actions/showgroup.php:84 -#, fuzzy, php-format +#, php-format msgid "%1$s group, page %2$d" -msgstr "%s Gruppen-Mitglieder, Seite %d" +msgstr "%1$s Gruppe, Seite %d" #: actions/showgroup.php:226 msgid "Group profile" @@ -3559,7 +3573,7 @@ msgstr "Nachricht" #: actions/showgroup.php:292 lib/groupeditform.php:184 msgid "Aliases" -msgstr "" +msgstr "Pseudonyme" #: actions/showgroup.php:301 msgid "Group actions" @@ -3658,14 +3672,14 @@ msgid " tagged %s" msgstr "Nachrichten, die mit %s getagt sind" #: actions/showstream.php:79 -#, fuzzy, php-format +#, php-format msgid "%1$s, page %2$d" -msgstr "%s blockierte Benutzerprofile, Seite %d" +msgstr "%1$s, Seite %2$d" #: actions/showstream.php:122 -#, fuzzy, php-format +#, php-format msgid "Notice feed for %1$s tagged %2$s (RSS 1.0)" -msgstr "Nachrichtenfeed der Gruppe %s" +msgstr "Nachrichtenfeed für %1$s tagged %2$s (RSS 1.0)" #: actions/showstream.php:129 #, php-format @@ -3688,10 +3702,10 @@ msgid "FOAF for %s" msgstr "FOAF von %s" #: actions/showstream.php:200 -#, fuzzy, php-format +#, php-format msgid "This is the timeline for %1$s but %2$s hasn't posted anything yet." msgstr "" -"Dies ist die Zeitleiste für %s und Freunde aber bisher hat niemand etwas " +"Dies ist die Zeitleiste für %1$s und Freunde aber bisher hat niemand etwas " "gepostet." #: actions/showstream.php:205 @@ -3699,16 +3713,17 @@ msgid "" "Seen anything interesting recently? You haven't posted any notices yet, now " "would be a good time to start :)" msgstr "" +"In letzter Zeit irgendwas interessantes erlebt? Du hast noch nichts " +"geschrieben, jetzt wäre doch ein guter Zeitpunkt los zu legen :)" #: actions/showstream.php:207 -#, fuzzy, php-format +#, php-format msgid "" "You can try to nudge %1$s or [post something to his or her attention](%%%%" "action.newnotice%%%%?status_textarea=%2$s)." msgstr "" -"Du kannst [%s in seinem Profil einen Stups geben](../%s) oder [ihm etwas " -"posten](%%%%action.newnotice%%%%?status_textarea=%s) um seine Aufmerksamkeit " -"zu erregen." +"Du kannst %1$s in seinem Profil einen Stups geben oder [ihm etwas posten](%%%" +"%action.newnotice%%%%?status_textarea=%s) um seine Aufmerksamkeit zu erregen." #: actions/showstream.php:243 #, php-format @@ -3744,7 +3759,6 @@ msgid "User is already silenced." msgstr "Nutzer ist bereits ruhig gestellt." #: actions/siteadminpanel.php:69 -#, fuzzy msgid "Basic settings for this StatusNet site" msgstr "Grundeinstellungen für diese StatusNet Seite." @@ -3767,7 +3781,7 @@ msgstr "Minimale Textlänge ist 140 Zeichen." #: actions/siteadminpanel.php:171 msgid "Dupe limit must 1 or more seconds." -msgstr "" +msgstr "Duplikatlimit muss mehr als 1 Sekunde sein" #: actions/siteadminpanel.php:221 msgid "General" @@ -3783,19 +3797,21 @@ msgstr "Der Name deiner Seite, sowas wie \"DeinUnternehmen Mircoblog\"" #: actions/siteadminpanel.php:229 msgid "Brought by" -msgstr "" +msgstr "Erstellt von" #: actions/siteadminpanel.php:230 msgid "Text used for credits link in footer of each page" msgstr "" +"Text der für den Credit-Link im Fußbereich auf jeder Seite benutzt wird" #: actions/siteadminpanel.php:234 msgid "Brought by URL" -msgstr "" +msgstr "Erstellt von Adresse" #: actions/siteadminpanel.php:235 msgid "URL used for credits link in footer of each page" msgstr "" +"Adresse die für den Credit-Link im Fußbereich auf jeder Seite benutzt wird" #: actions/siteadminpanel.php:239 msgid "Contact email address for your site" @@ -3869,9 +3885,8 @@ msgid "Site-wide notice text (255 chars max; HTML okay)" msgstr "Systembenachrichtigung (max. 255 Zeichen; HTML erlaubt)" #: actions/sitenoticeadminpanel.php:198 -#, fuzzy msgid "Save site notice" -msgstr "Seitennachricht" +msgstr "Systemnachricht speichern" #: actions/smssettings.php:58 msgid "SMS settings" @@ -4010,7 +4025,7 @@ msgstr "" #: actions/snapshotadminpanel.php:208 msgid "When to send statistical data to status.net servers" -msgstr "" +msgstr "Wann sollen Statistiken zum status.net Server geschickt werden" #: actions/snapshotadminpanel.php:217 msgid "Frequency" @@ -4162,9 +4177,8 @@ msgid "Notice feed for tag %s (Atom)" msgstr "Nachrichten Feed für Tag %s (Atom)" #: actions/tagother.php:39 -#, fuzzy msgid "No ID argument." -msgstr "Kein id Argument." +msgstr "Kein ID Argument." #: actions/tagother.php:65 #, php-format @@ -4222,9 +4236,8 @@ msgid "You haven't blocked that user." msgstr "Du hast diesen Benutzer nicht blockiert." #: actions/unsandbox.php:72 -#, fuzzy msgid "User is not sandboxed." -msgstr "Dieser Benutzer hat dich blockiert." +msgstr "Benutzer ist nicht blockiert." #: actions/unsilence.php:72 msgid "User is not silenced." @@ -4239,12 +4252,12 @@ msgid "Unsubscribed" msgstr "Abbestellt" #: actions/updateprofile.php:64 actions/userauthorization.php:337 -#, fuzzy, php-format +#, php-format msgid "" "Listenee stream license ‘%1$s’ is not compatible with site license ‘%2$s’." msgstr "" -"Die Nachrichtenlizenz '%s' ist nicht kompatibel mit der Lizenz der Seite '%" -"s'." +"Die Benutzerlizenz ‘%1$s’ ist nicht kompatibel mit der Lizenz der Seite ‘%2" +"$s’." #. TRANS: User admin panel title #: actions/useradminpanel.php:59 @@ -4372,14 +4385,13 @@ msgid "Subscription rejected" msgstr "Abonnement abgelehnt" #: actions/userauthorization.php:268 -#, fuzzy msgid "" "The subscription has been rejected, but no callback URL was passed. Check " "with the site’s instructions for details on how to fully reject the " "subscription." msgstr "" "Das Abonnement wurde abgelehnt, aber es wurde keine Callback-URL " -"zurückgegeben. Lies nochmal die Anweisungen der Site, wie Abonnements " +"zurückgegeben. Lies nochmal die Anweisungen der Seite, wie Abonnements " "vollständig abgelehnt werden. Dein Abonnement-Token ist:" #: actions/userauthorization.php:303 @@ -4453,7 +4465,7 @@ msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" "Versuche [Gruppen zu finden](%%action.groupsearch%%) und diesen beizutreten." -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -4631,14 +4643,12 @@ msgid "Not subscribed!" msgstr "Nicht abonniert!" #: classes/Subscription.php:163 -#, fuzzy msgid "Couldn't delete self-subscription." msgstr "Konnte Abonnement nicht löschen." #: classes/Subscription.php:190 -#, fuzzy msgid "Couldn't delete subscription OMB token." -msgstr "Konnte Abonnement nicht löschen." +msgstr "Konnte OMB-Abonnement nicht löschen." #: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." @@ -4727,10 +4737,9 @@ msgstr "Ändere deine E-Mail, Avatar, Passwort und Profil" #. TRANS: Tooltip for main menu option "Services" #: lib/action.php:440 -#, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" -msgstr "Konnte nicht zum Server umleiten: %s" +msgstr "Zum Dienst verbinden" #: lib/action.php:443 msgid "Connect" @@ -4738,10 +4747,9 @@ msgstr "Verbinden" #. TRANS: Tooltip for menu option "Admin" #: lib/action.php:446 -#, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" -msgstr "Hauptnavigation" +msgstr "Seiteneinstellung ändern" #: lib/action.php:449 msgctxt "MENU" @@ -4862,9 +4870,8 @@ msgid "Contact" msgstr "Kontakt" #: lib/action.php:771 -#, fuzzy msgid "Badge" -msgstr "Stups" +msgstr "Plakette" #: lib/action.php:799 msgid "StatusNet software license" @@ -4947,9 +4954,8 @@ msgstr "" #. TRANS: Client error message #: lib/adminpanelaction.php:98 -#, fuzzy msgid "You cannot make changes to this site." -msgstr "Du kannst diesem Benutzer keine Nachricht schicken." +msgstr "Du kannst keine Änderungen an dieser Seite vornehmen." #. TRANS: Client error message #: lib/adminpanelaction.php:110 @@ -4985,9 +4991,8 @@ msgstr "Seite" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:356 -#, fuzzy msgid "Design configuration" -msgstr "SMS-Konfiguration" +msgstr "Motiv-Konfiguration" #. TRANS: Menu item for site administration #: lib/adminpanelaction.php:358 @@ -5007,15 +5012,13 @@ msgstr "Benutzer" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:372 -#, fuzzy msgid "Access configuration" -msgstr "SMS-Konfiguration" +msgstr "Zugangskonfiguration" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:380 -#, fuzzy msgid "Paths configuration" -msgstr "SMS-Konfiguration" +msgstr "Pfadkonfiguration" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:388 @@ -5024,9 +5027,8 @@ msgstr "Sitzungseinstellungen" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:396 -#, fuzzy msgid "Edit site notice" -msgstr "Seitennachricht" +msgstr "Seitennachricht bearbeiten" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:404 @@ -5057,19 +5059,16 @@ msgid "Describe your application in %d characters" msgstr "Beschreibe die Gruppe oder das Thema in 140 Zeichen" #: lib/applicationeditform.php:207 -#, fuzzy msgid "Describe your application" -msgstr "Beschreibe die Gruppe oder das Thema in 140 Zeichen" +msgstr "Beschreibe dein Programm" #: lib/applicationeditform.php:216 -#, fuzzy msgid "Source URL" -msgstr "Quellcode" +msgstr "Quelladresse" #: lib/applicationeditform.php:218 -#, fuzzy msgid "URL of the homepage of this application" -msgstr "URL der Homepage oder Blogs der Gruppe oder des Themas" +msgstr "Adresse der Homepage dieses Programms" #: lib/applicationeditform.php:224 msgid "Organization responsible for this application" @@ -5090,11 +5089,11 @@ msgstr "Browser" #: lib/applicationeditform.php:274 msgid "Desktop" -msgstr "" +msgstr "Arbeitsfläche" #: lib/applicationeditform.php:275 msgid "Type of application, browser or desktop" -msgstr "" +msgstr "Typ der Anwendung, Browser oder Arbeitsfläche" #: lib/applicationeditform.php:297 msgid "Read-only" @@ -5107,9 +5106,10 @@ msgstr "Lese/Schreibzugriff" #: lib/applicationeditform.php:316 msgid "Default access for this application: read-only, or read-write" msgstr "" +"Standardeinstellung dieses Programms: Schreibgeschützt oder Lese/" +"Schreibzugriff" #: lib/applicationlist.php:154 -#, fuzzy msgid "Revoke" msgstr "Entfernen" @@ -5138,9 +5138,8 @@ msgid "Password changing failed" msgstr "Passwort konnte nicht geändert werden" #: lib/authenticationplugin.php:235 -#, fuzzy msgid "Password changing is not allowed" -msgstr "Passwort geändert" +msgstr "Passwort kann nicht geändert werden" #: lib/channel.php:138 lib/channel.php:158 msgid "Command results" @@ -5165,12 +5164,12 @@ msgstr "Die bestätigte E-Mail-Adresse konnte nicht gespeichert werden." #: lib/command.php:92 msgid "It does not make a lot of sense to nudge yourself!" -msgstr "" +msgstr "Es macht keinen Sinn dich selbst anzustupsen!" #: lib/command.php:99 -#, fuzzy, php-format +#, php-format msgid "Nudge sent to %s" -msgstr "Stups abgeschickt" +msgstr "Stups an %s geschickt" #: lib/command.php:126 #, php-format @@ -5225,12 +5224,12 @@ msgstr "%s hat die Gruppe %s verlassen" msgid "Fullname: %s" msgstr "Vollständiger Name: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "Standort: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "Homepage: %s" @@ -5263,19 +5262,18 @@ msgid "Already repeated that notice" msgstr "Nachricht bereits wiederholt" #: lib/command.php:426 -#, fuzzy, php-format +#, php-format msgid "Notice from %s repeated" -msgstr "Nachricht hinzugefügt" +msgstr "Nachricht von %s wiederholt" #: lib/command.php:428 -#, fuzzy msgid "Error repeating notice." -msgstr "Problem beim Speichern der Nachricht." +msgstr "Fehler beim Wiederholen der Nachricht" #: lib/command.php:482 -#, fuzzy, php-format +#, php-format msgid "Notice too long - maximum is %d characters, you sent %d" -msgstr "Nachricht zu lange - maximal 140 Zeichen erlaubt, du hast %s gesendet" +msgstr "Nachricht zu lange - maximal %d Zeichen erlaubt, du hast %d gesendet" #: lib/command.php:491 #, php-format @@ -5330,12 +5328,12 @@ msgstr "Konnte Benachrichtigung nicht aktivieren." #: lib/command.php:654 msgid "Login command is disabled" -msgstr "" +msgstr "Anmeldung ist abgeschaltet" #: lib/command.php:665 #, php-format msgid "This link is useable only once, and is good for only 2 minutes: %s" -msgstr "" +msgstr "Der Link ist nur einmal benutzbar und für eine Dauer von 2 Minuten: %s" #: lib/command.php:692 #, php-format @@ -5343,9 +5341,8 @@ msgid "Unsubscribed %s" msgstr "%s nicht mehr abonniert" #: lib/command.php:709 -#, fuzzy msgid "You are not subscribed to anyone." -msgstr "Du hast dieses Profil nicht abonniert." +msgstr "Du hast niemanden abonniert." #: lib/command.php:711 msgid "You are subscribed to this person:" @@ -5425,12 +5422,11 @@ msgstr "Ich habe an folgenden Stellen nach Konfigurationsdateien gesucht: " #: lib/common.php:151 msgid "You may wish to run the installer to fix this." -msgstr "" +msgstr "Bitte die Installation erneut starten um das Problem zu beheben." #: lib/common.php:152 -#, fuzzy msgid "Go to the installer." -msgstr "Auf der Seite anmelden" +msgstr "Zur Installation gehen." #: lib/connectsettingsaction.php:110 msgid "IM" @@ -5445,13 +5441,12 @@ msgid "Updates by SMS" msgstr "Aktualisierungen via SMS" #: lib/connectsettingsaction.php:120 -#, fuzzy msgid "Connections" -msgstr "Verbinden" +msgstr "Verbindungen" #: lib/connectsettingsaction.php:121 msgid "Authorized connected applications" -msgstr "" +msgstr "Programme mit Zugriffserlaubnis" #: lib/dberroraction.php:60 msgid "Database error" @@ -5473,12 +5468,10 @@ msgid "Design defaults restored." msgstr "Standard Design wieder hergestellt." #: lib/disfavorform.php:114 lib/disfavorform.php:140 -#, fuzzy msgid "Disfavor this notice" msgstr "Aus Favoriten entfernen" #: lib/favorform.php:114 lib/favorform.php:140 -#, fuzzy msgid "Favor this notice" msgstr "Zu den Favoriten hinzufügen" @@ -5515,16 +5508,14 @@ msgid "All" msgstr "Alle" #: lib/galleryaction.php:139 -#, fuzzy msgid "Select tag to filter" -msgstr "Wähle einen Netzanbieter" +msgstr "Wähle ein Stichwort, um die Liste einzuschränken" #: lib/galleryaction.php:140 msgid "Tag" msgstr "Stichwort" #: lib/galleryaction.php:141 -#, fuzzy msgid "Choose a tag to narrow list" msgstr "Wähle ein Stichwort, um die Liste einzuschränken" @@ -5535,22 +5526,20 @@ msgstr "Los geht's" #: lib/grantroleform.php:91 #, php-format msgid "Grant this user the \"%s\" role" -msgstr "" +msgstr "Teile dem Benutzer die \"%s\" Rolle zu" #: lib/groupeditform.php:163 -#, fuzzy msgid "URL of the homepage or blog of the group or topic" -msgstr "URL der Homepage oder Blogs der Gruppe oder des Themas" +msgstr "Adresse der Homepage oder Blogs der Gruppe oder des Themas" #: lib/groupeditform.php:168 -#, fuzzy msgid "Describe the group or topic" -msgstr "Beschreibe die Gruppe oder das Thema in 140 Zeichen" +msgstr "Beschreibe die Gruppe oder das Thema" #: lib/groupeditform.php:170 -#, fuzzy, php-format +#, php-format msgid "Describe the group or topic in %d characters" -msgstr "Beschreibe die Gruppe oder das Thema in 140 Zeichen" +msgstr "Beschreibe die Gruppe oder das Thema in %d Zeichen" #: lib/groupeditform.php:179 msgid "" @@ -5675,11 +5664,11 @@ msgstr "Mit Nutzernamen und Passwort anmelden" msgid "Sign up for a new account" msgstr "Registriere ein neues Nutzerkonto" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "Bestätigung der E-Mail-Adresse" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5709,12 +5698,12 @@ msgstr "" "Vielen Dank!\n" "%s\n" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s hat deine Nachrichten auf %2$s abonniert." -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5740,17 +5729,17 @@ msgstr "" "Du kannst Deine E-Mail-Adresse und die Benachrichtigungseinstellungen auf %8" "$s ändern.\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, php-format msgid "Bio: %s" msgstr "Biografie: %s" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "Neue E-Mail-Adresse um auf %s zu schreiben" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5771,21 +5760,21 @@ msgstr "" "Viele Grüße,\n" "%4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "%s Status" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "SMS-Konfiguration" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "Du wurdest von %s angestupst" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5812,12 +5801,12 @@ msgstr "" "Mit freundlichen Grüßen,\n" "%4$s\n" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "Neue private Nachricht von %s" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5850,12 +5839,12 @@ msgstr "" "Mit freundlichen Grüßen,\n" "%5$s\n" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%s (@%s) hat deine Nachricht als Favorit gespeichert" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5876,12 +5865,13 @@ msgid "" "%6$s\n" msgstr "" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "" +"%s (@%s) hat dir eine Nachricht gesendet um deine Aufmerksamkeit zu erlangen" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -5972,11 +5962,11 @@ msgstr "Upload der Datei wurde wegen der Dateiendung gestoppt." #: lib/mediafile.php:179 lib/mediafile.php:216 msgid "File exceeds user's quota." -msgstr "" +msgstr "Dateigröße liegt über dem Benutzerlimit" #: lib/mediafile.php:196 lib/mediafile.php:233 msgid "File could not be moved to destination directory." -msgstr "" +msgstr "Datei konnte nicht in das Zielverzeichnis verschoben werden." #: lib/mediafile.php:201 lib/mediafile.php:237 #, fuzzy @@ -5986,12 +5976,12 @@ msgstr "Konnte öffentlichen Stream nicht abrufen." #: lib/mediafile.php:270 #, php-format msgid " Try using another %s format." -msgstr "" +msgstr "Versuche ein anderes %s Format." #: lib/mediafile.php:275 #, php-format msgid "%s is not a supported file type on this server." -msgstr "" +msgstr "%s ist kein unterstütztes Dateiformat auf diesem Server." #: lib/messageform.php:120 msgid "Send a direct notice" @@ -6040,6 +6030,8 @@ msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" msgstr "" +"Es tut uns Leid, aber die Abfrage deiner GPS Position hat zu lange gedauert. " +"Bitte versuche es später wieder." #: lib/noticelist.php:429 #, php-format @@ -6111,9 +6103,8 @@ msgid "Error inserting remote profile" msgstr "Fehler beim Einfügen des entfernten Profils" #: lib/oauthstore.php:345 -#, fuzzy msgid "Duplicate notice" -msgstr "Notiz löschen" +msgstr "Doppelte Nachricht" #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." @@ -6153,7 +6144,6 @@ msgid "Tags in %s's notices" msgstr "Stichworte in %ss Nachrichten" #: lib/plugin.php:114 -#, fuzzy msgid "Unknown" msgstr "Unbekannter Befehl" @@ -6192,7 +6182,7 @@ msgstr "Kein id Argument." #: lib/profileformaction.php:137 msgid "Unimplemented method." -msgstr "" +msgstr "Nicht unterstützte Methode." #: lib/publicgroupnav.php:78 msgid "Public" @@ -6245,16 +6235,15 @@ msgstr "Site durchsuchen" #: lib/searchaction.php:126 msgid "Keyword(s)" -msgstr "" +msgstr "Stichwort/Stichwörter" #: lib/searchaction.php:127 msgid "Search" msgstr "Suchen" #: lib/searchaction.php:162 -#, fuzzy msgid "Search help" -msgstr "Suchen" +msgstr "Hilfe suchen" #: lib/searchgroupnav.php:80 msgid "People" @@ -6278,7 +6267,7 @@ msgstr "Abschnitt ohne Titel" #: lib/section.php:106 msgid "More..." -msgstr "" +msgstr "Mehr..." #: lib/silenceform.php:67 msgid "Silence" @@ -6383,21 +6372,18 @@ msgid "Moderate" msgstr "Moderieren" #: lib/userprofile.php:352 -#, fuzzy msgid "User role" -msgstr "Benutzerprofil" +msgstr "Benutzerrolle" #: lib/userprofile.php:354 -#, fuzzy msgctxt "role" msgid "Administrator" -msgstr "Administratoren" +msgstr "Administrator" #: lib/userprofile.php:355 -#, fuzzy msgctxt "role" msgid "Moderator" -msgstr "Moderieren" +msgstr "Moderator" #: lib/util.php:1015 msgid "a few seconds ago" diff --git a/locale/el/LC_MESSAGES/statusnet.po b/locale/el/LC_MESSAGES/statusnet.po index 34c193e29..0ebe84fe7 100644 --- a/locale/el/LC_MESSAGES/statusnet.po +++ b/locale/el/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:35:20+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:49:37+0000\n" "Language-Team: Greek\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: el\n" "X-Message-Group: out-statusnet\n" @@ -105,7 +105,7 @@ msgstr "Δεν υπάÏχει τέτοια σελίδα" #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -695,7 +695,7 @@ msgstr "" msgid "Notices tagged with %s" msgstr "" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "" @@ -735,7 +735,7 @@ msgstr "" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "" @@ -1748,7 +1748,7 @@ msgstr "ΔιαχειÏιστής" msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4349,7 +4349,7 @@ msgstr "" msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5119,12 +5119,12 @@ msgstr "ομάδες των χÏηστών %s" msgid "Fullname: %s" msgstr "Ονοματεπώνυμο" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "" @@ -5565,11 +5565,11 @@ msgstr "ΣÏνδεση με όνομα χÏήστη και κωδικό" msgid "Sign up for a new account" msgstr "ΕγγÏαφή για ένα νέο λογαÏιασμό" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "Επιβεβαίωση διεÏθυνσης email" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5586,12 +5586,12 @@ msgid "" "%s\n" msgstr "" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "" -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5606,19 +5606,19 @@ msgid "" "Change your email address or notification options at %8$s\n" msgstr "" -#: lib/mail.php:258 +#: lib/mail.php:262 #, fuzzy, php-format msgid "Bio: %s" msgstr "" "ΒιογÏαφικό: %s\n" "\n" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5631,21 +5631,21 @@ msgid "" "%4$s" msgstr "" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "Κατάσταση του/της %s" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5661,12 +5661,12 @@ msgid "" "%4$s\n" msgstr "" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5685,12 +5685,12 @@ msgid "" "%5$s\n" msgstr "" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5711,12 +5711,12 @@ msgid "" "%6$s\n" msgstr "" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/en_GB/LC_MESSAGES/statusnet.po b/locale/en_GB/LC_MESSAGES/statusnet.po index d5bb03f3e..8d846c4e2 100644 --- a/locale/en_GB/LC_MESSAGES/statusnet.po +++ b/locale/en_GB/LC_MESSAGES/statusnet.po @@ -2,6 +2,7 @@ # # Author@translatewiki.net: Bruce89 # Author@translatewiki.net: CiaranG +# Author@translatewiki.net: Reedy # -- # This file is distributed under the same license as the StatusNet package. # @@ -9,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:35:23+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:49:40+0000\n" "Language-Team: British English\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: en-gb\n" "X-Message-Group: out-statusnet\n" @@ -103,7 +104,7 @@ msgstr "No such page" #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -697,7 +698,7 @@ msgstr "Repeats of %s" msgid "Notices tagged with %s" msgstr "Notices tagged with %s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Updates tagged with %1$s on %2$s!" @@ -737,7 +738,7 @@ msgstr "You can upload your personal avatar. The maximum file size is %s." #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "User without matching profile" @@ -1734,7 +1735,7 @@ msgstr "Make admin" msgid "Make this user an admin" msgstr "Make this user an admin" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4366,6 +4367,8 @@ msgid "" "Customize the way your profile looks with a background image and a colour " "palette of your choice." msgstr "" +"Customise the way your profile looks with a background image and a colour " +"palette of your choice." #: actions/userdesignsettings.php:282 msgid "Enjoy your hotdog!" @@ -4390,7 +4393,7 @@ msgstr "%s is not a member of any group." msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5162,12 +5165,12 @@ msgstr "%s left group %s" msgid "Fullname: %s" msgstr "Fullname: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "Location: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "Homepage: %s" @@ -5601,11 +5604,11 @@ msgstr "Login with a username and password" msgid "Sign up for a new account" msgstr "Sign up for a new account" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "E-mail address confirmation" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5622,12 +5625,12 @@ msgid "" "%s\n" msgstr "" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s is now listening to your notices on %2$s." -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5652,17 +5655,17 @@ msgstr "" "----\n" "Change your email address or notification options at %8$s\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, php-format msgid "Bio: %s" msgstr "Bio: %s" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "New e-mail address for posting to %s" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5683,21 +5686,21 @@ msgstr "" "Faithfully yours,\n" "%4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "%s status" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "SMS confirmation" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "You've been nudged by %s" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5713,12 +5716,12 @@ msgid "" "%4$s\n" msgstr "" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "New private message from %s" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5737,12 +5740,12 @@ msgid "" "%5$s\n" msgstr "" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%s (@%s) added your notice as a favorite" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5763,12 +5766,12 @@ msgid "" "%6$s\n" msgstr "" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/es/LC_MESSAGES/statusnet.po b/locale/es/LC_MESSAGES/statusnet.po index 04e49bc11..cdc0184e4 100644 --- a/locale/es/LC_MESSAGES/statusnet.po +++ b/locale/es/LC_MESSAGES/statusnet.po @@ -13,12 +13,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:35:26+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:49:43+0000\n" "Language-Team: Spanish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: es\n" "X-Message-Group: out-statusnet\n" @@ -107,7 +107,7 @@ msgstr "No existe tal página" #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -707,7 +707,7 @@ msgstr "Repeticiones de %s" msgid "Notices tagged with %s" msgstr "Avisos marcados con %s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Actualizaciones etiquetadas con %1$s en %2$s!" @@ -747,7 +747,7 @@ msgstr "Puedes subir tu imagen personal. El tamaño máximo de archivo es %s." #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "Usuario sin perfil equivalente" @@ -1753,7 +1753,7 @@ msgstr "Convertir en administrador" msgid "Make this user an admin" msgstr "Convertir a este usuario en administrador" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4443,7 +4443,7 @@ msgstr "No eres miembro de ese grupo" msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5230,12 +5230,12 @@ msgstr "%s dejó grupo %s" msgid "Fullname: %s" msgstr "Nombre completo: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "Lugar: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "Página de inicio: %s" @@ -5677,11 +5677,11 @@ msgstr "Ingresar con un nombre de usuario y contraseña." msgid "Sign up for a new account" msgstr "Registrarse para una nueva cuenta" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "Confirmación de correo electrónico" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5698,12 +5698,12 @@ msgid "" "%s\n" msgstr "" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s ahora está escuchando tus avisos en %2$s" -#: lib/mail.php:241 +#: lib/mail.php:245 #, fuzzy, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5724,19 +5724,19 @@ msgstr "" "Atentamente,\n" "%4$s.\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, fuzzy, php-format msgid "Bio: %s" msgstr "" "Bio: %s\n" "\n" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "Nueva dirección de correo para postear a %s" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5757,21 +5757,21 @@ msgstr "" "Attentamente, \n" "%4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "estado de %s" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "SMS confirmación" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "%s te mandó un zumbido " -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5787,12 +5787,12 @@ msgid "" "%4$s\n" msgstr "" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "Nuevo mensaje privado de %s" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5811,12 +5811,12 @@ msgid "" "%5$s\n" msgstr "" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%s (@%s) agregó tu aviso como un favorito" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5837,12 +5837,12 @@ msgid "" "%6$s\n" msgstr "" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/fa/LC_MESSAGES/statusnet.po b/locale/fa/LC_MESSAGES/statusnet.po index 8e2a72d04..955efd243 100644 --- a/locale/fa/LC_MESSAGES/statusnet.po +++ b/locale/fa/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:35:32+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:49:48+0000\n" "Last-Translator: Ahmad Sufi Mahmudi\n" "Language-Team: Persian\n" "MIME-Version: 1.0\n" @@ -20,7 +20,7 @@ msgstr "" "X-Language-Code: fa\n" "X-Message-Group: out-statusnet\n" "Plural-Forms: nplurals=1; plural=0;\n" -"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" #. TRANS: Page title @@ -109,7 +109,7 @@ msgstr "چنین صÙحه‌ای وجود ندارد" #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -699,7 +699,7 @@ msgstr "تکرار %s" msgid "Notices tagged with %s" msgstr "پیام‌هایی Ú©Ù‡ با %s نشانه گزاری شده اند." -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "پیام‌های نشانه گزاری شده با %1$s در %2$s" @@ -740,7 +740,7 @@ msgstr "" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "کاربر بدون مشخصات" @@ -1750,7 +1750,7 @@ msgstr "مدیر شود" msgid "Make this user an admin" msgstr "این کاربر یک مدیر شود" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4352,7 +4352,7 @@ msgstr "" msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5126,12 +5126,12 @@ msgstr "%s گروه %s را ترک کرد." msgid "Fullname: %s" msgstr "نام کامل : %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "موقعیت : %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "صÙحه خانگی : %s" @@ -5567,11 +5567,11 @@ msgstr "وارد شدن با یک نام کاربری Ùˆ کلمه ÛŒ عبور" msgid "Sign up for a new account" msgstr "عضویت برای حساب کاربری جدید" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "تاییدیه ÛŒ آدرس ایمیل" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5588,12 +5588,12 @@ msgid "" "%s\n" msgstr "" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%2$s از حالا به خبر های شما گوش میده %1$s" -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5608,17 +5608,17 @@ msgid "" "Change your email address or notification options at %8$s\n" msgstr "" -#: lib/mail.php:258 +#: lib/mail.php:262 #, fuzzy, php-format msgid "Bio: %s" msgstr "موقعیت : %s" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "%s ادرس ایمیل جدید برای" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5637,21 +5637,21 @@ msgstr "" ", ازروی ÙˆÙاداری خود شما \n" "%4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "وضعیت %s" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "تایید پیامک" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5667,12 +5667,12 @@ msgid "" "%4$s\n" msgstr "" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5691,12 +5691,12 @@ msgid "" "%5$s\n" msgstr "" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr " خبر شما را به علایق خود اضاÙÙ‡ کرد %s (@%s)" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5717,12 +5717,12 @@ msgid "" "%6$s\n" msgstr "" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "به توجه شما یک خبر Ùرستاده شده %s (@%s)" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/fi/LC_MESSAGES/statusnet.po b/locale/fi/LC_MESSAGES/statusnet.po index dc707ff1b..68a63537b 100644 --- a/locale/fi/LC_MESSAGES/statusnet.po +++ b/locale/fi/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:35:29+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:49:46+0000\n" "Language-Team: Finnish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fi\n" "X-Message-Group: out-statusnet\n" @@ -110,7 +110,7 @@ msgstr "Sivua ei ole." #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -717,7 +717,7 @@ msgstr "Vastaukset käyttäjälle %s" msgid "Notices tagged with %s" msgstr "Päivitykset joilla on tagi %s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Käyttäjän %1$s päivitykset palvelussa %2$s!" @@ -757,7 +757,7 @@ msgstr "Voit ladata oman profiilikuvasi. Maksimikoko on %s." #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "Käyttäjälle ei löydy profiilia" @@ -1782,7 +1782,7 @@ msgstr "Tee ylläpitäjäksi" msgid "Make this user an admin" msgstr "Tee tästä käyttäjästä ylläpitäjä" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4520,7 +4520,7 @@ msgstr "Sinä et kuulu tähän ryhmään." msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5318,12 +5318,12 @@ msgstr "%s erosi ryhmästä %s" msgid "Fullname: %s" msgstr "Koko nimi: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "Kotipaikka: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "Kotisivu: %s" @@ -5772,11 +5772,11 @@ msgstr "Kirjaudu sisään käyttäjätunnuksella ja salasanalla" msgid "Sign up for a new account" msgstr "Luo uusi käyttäjätili" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "Sähköpostiosoitteen vahvistus" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5793,12 +5793,12 @@ msgid "" "%s\n" msgstr "" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s seuraa nyt päivityksiäsi palvelussa %2$s." -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5823,19 +5823,19 @@ msgstr "" "----\n" "Voit vaihtaa sähköpostiosoitetta tai ilmoitusasetuksiasi %8$s\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, fuzzy, php-format msgid "Bio: %s" msgstr "" "Tietoja: %s\n" "\n" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "Uusi sähköpostiosoite päivityksien lähettämiseen palveluun %s" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5856,21 +5856,21 @@ msgstr "" "Terveisin,\n" "%4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "%s päivitys" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "SMS vahvistus" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "%s tönäisi sinua" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5886,12 +5886,12 @@ msgid "" "%4$s\n" msgstr "" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "Uusi yksityisviesti käyttäjältä %s" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5910,12 +5910,12 @@ msgid "" "%5$s\n" msgstr "" -#: lib/mail.php:559 +#: lib/mail.php:568 #, fuzzy, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%s lisäsi päivityksesi suosikkeihinsa" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5936,12 +5936,12 @@ msgid "" "%6$s\n" msgstr "" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/fr/LC_MESSAGES/statusnet.po b/locale/fr/LC_MESSAGES/statusnet.po index 1965123ea..4c9429e21 100644 --- a/locale/fr/LC_MESSAGES/statusnet.po +++ b/locale/fr/LC_MESSAGES/statusnet.po @@ -14,12 +14,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:35:34+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:49:51+0000\n" "Language-Team: French\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: fr\n" "X-Message-Group: out-statusnet\n" @@ -106,7 +106,7 @@ msgstr "Page non trouvée" #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -713,7 +713,7 @@ msgstr "Reprises de %s" msgid "Notices tagged with %s" msgstr "Avis marqués avec %s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Mises à jour marquées avec %1$s dans %2$s !" @@ -755,7 +755,7 @@ msgstr "" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "Utilisateur sans profil correspondant" @@ -1754,7 +1754,7 @@ msgstr "Faire un administrateur" msgid "Make this user an admin" msgstr "Faire de cet utilisateur un administrateur" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4503,7 +4503,7 @@ msgstr "" "Essayez de [rechercher un groupe](%%action.groupsearch%%) et de vous y " "inscrire." -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5270,12 +5270,12 @@ msgstr "%s a quitté le groupe %s" msgid "Fullname: %s" msgstr "Nom complet : %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "Emplacement : %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "Site Web : %s" @@ -5760,11 +5760,11 @@ msgstr "Ouvrez une session avec un identifiant et un mot de passe" msgid "Sign up for a new account" msgstr "Créer un nouveau compte" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "Confirmation de l’adresse courriel" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5794,12 +5794,12 @@ msgstr "" "Merci de votre attention,\n" "%s\n" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s suit maintenant vos avis sur %2$s." -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5824,17 +5824,17 @@ msgstr "" "----\n" "Changez votre adresse de courriel ou vos options de notification sur %8$s\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, php-format msgid "Bio: %s" msgstr "Bio : %s" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "Nouvelle adresse courriel pour poster dans %s" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5855,21 +5855,21 @@ msgstr "" "Cordialement,\n" "%4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "Statut de %s" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "Confirmation SMS" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "Vous avez reçu un clin d’œil de %s" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5896,12 +5896,12 @@ msgstr "" "Bien à vous,\n" "%4$s\n" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "Nouveau message personnel de %s" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5934,12 +5934,12 @@ msgstr "" "Bien à vous,\n" "%5$s\n" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%s (@%s) a ajouté un de vos avis à ses favoris" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5977,12 +5977,12 @@ msgstr "" "Cordialement,\n" "%6$s\n" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "%s (@%s) vous a envoyé un avis" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/ga/LC_MESSAGES/statusnet.po b/locale/ga/LC_MESSAGES/statusnet.po index b88dc4e2c..dea9dd11c 100644 --- a/locale/ga/LC_MESSAGES/statusnet.po +++ b/locale/ga/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:35:38+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:49:54+0000\n" "Language-Team: Irish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ga\n" "X-Message-Group: out-statusnet\n" @@ -110,7 +110,7 @@ msgstr "Non existe a etiqueta." #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -715,7 +715,7 @@ msgstr "Replies to %s" msgid "Notices tagged with %s" msgstr "Chíos tagueados con %s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Actualizacións dende %1$s en %2$s!" @@ -756,7 +756,7 @@ msgstr "Podes actualizar a túa información do perfil persoal aquí" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "Usuario sen un perfil que coincida." @@ -1816,7 +1816,7 @@ msgstr "" msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4575,7 +4575,7 @@ msgstr "%1s non é unha orixe fiable." msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5383,12 +5383,12 @@ msgstr "%s / Favoritos dende %s" msgid "Fullname: %s" msgstr "Nome completo: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "Ubicación: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "Páxina persoal: %s" @@ -5881,11 +5881,11 @@ msgstr "Accede co teu nome de usuario e contrasinal." msgid "Sign up for a new account" msgstr "Crear nova conta" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "Confirmar correo electrónico" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5914,12 +5914,12 @@ msgstr "" "Grazas polo teu tempo, \n" "%s\n" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s está a escoitar os teus chíos %2$s." -#: lib/mail.php:241 +#: lib/mail.php:245 #, fuzzy, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5940,17 +5940,17 @@ msgstr "" "Atentamente todo seu,\n" "%4$s.\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, fuzzy, php-format msgid "Bio: %s" msgstr "Ubicación: %s" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "Nova dirección de email para posterar en %s" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5971,21 +5971,21 @@ msgstr "" "Sempre teu...,\n" "%4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "Estado de %s" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "Confirmación de SMS" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "%s douche un toque" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -6011,12 +6011,12 @@ msgstr "" "With kind regards,\n" "%4$s\n" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "%s enviouche unha nova mensaxe privada" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -6049,12 +6049,12 @@ msgstr "" "With kind regards,\n" "%5$s\n" -#: lib/mail.php:559 +#: lib/mail.php:568 #, fuzzy, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%s gustoulle o teu chío" -#: lib/mail.php:561 +#: lib/mail.php:570 #, fuzzy, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -6087,12 +6087,12 @@ msgstr "" "Fielmente teu,\n" "%5$s\n" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/he/LC_MESSAGES/statusnet.po b/locale/he/LC_MESSAGES/statusnet.po index 0856fd8fe..49f229a96 100644 --- a/locale/he/LC_MESSAGES/statusnet.po +++ b/locale/he/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:35:40+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:49:57+0000\n" "Language-Team: Hebrew\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: he\n" "X-Message-Group: out-statusnet\n" @@ -107,7 +107,7 @@ msgstr "×ין הודעה כזו." #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -706,7 +706,7 @@ msgstr "תגובת עבור %s" msgid "Notices tagged with %s" msgstr "" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "מיקרובלוג מ×ת %s" @@ -748,7 +748,7 @@ msgstr "" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "" @@ -1787,7 +1787,7 @@ msgstr "" msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4424,7 +4424,7 @@ msgstr "×œ× ×©×œ×—× ×• ×לינו ×ת הפרופיל ×”×–×”" msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5216,12 +5216,12 @@ msgstr "הסטטוס של %1$s ב-%2$s " msgid "Fullname: %s" msgstr "×©× ×ž×œ×" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "" @@ -5676,11 +5676,11 @@ msgstr "×©× ×”×ž×©×ª×ž×© ×ו הסיסמה ×œ× ×—×•×§×™×™×" msgid "Sign up for a new account" msgstr "צור חשבון חדש" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5697,12 +5697,12 @@ msgid "" "%s\n" msgstr "" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s כעת מ×זין להודעות שלך ב-%2$s" -#: lib/mail.php:241 +#: lib/mail.php:245 #, fuzzy, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5722,17 +5722,17 @@ msgstr "" " שלך,\n" " %4$s.\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, fuzzy, php-format msgid "Bio: %s" msgstr "×ודות: %s" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5745,21 +5745,21 @@ msgid "" "%4$s" msgstr "" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5775,12 +5775,12 @@ msgid "" "%4$s\n" msgstr "" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5799,12 +5799,12 @@ msgid "" "%5$s\n" msgstr "" -#: lib/mail.php:559 +#: lib/mail.php:568 #, fuzzy, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%1$s כעת מ×זין להודעות שלך ב-%2$s" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5825,12 +5825,12 @@ msgid "" "%6$s\n" msgstr "" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/hsb/LC_MESSAGES/statusnet.po b/locale/hsb/LC_MESSAGES/statusnet.po index 8c129a376..91d9c9c73 100644 --- a/locale/hsb/LC_MESSAGES/statusnet.po +++ b/locale/hsb/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:35:43+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:50:00+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: hsb\n" "X-Message-Group: out-statusnet\n" @@ -107,7 +107,7 @@ msgstr "Strona njeeksistuje" #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -686,7 +686,7 @@ msgstr "" msgid "Notices tagged with %s" msgstr "" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "" @@ -727,7 +727,7 @@ msgstr "" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "Wužiwar bjez hodźaceho so profila" @@ -1707,7 +1707,7 @@ msgstr "" msgid "Make this user an admin" msgstr "Tutoho wužiwarja k administratorej Äinić" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4232,7 +4232,7 @@ msgstr "" msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -4992,12 +4992,12 @@ msgstr "%s je skupinu %s wopušćiÅ‚" msgid "Fullname: %s" msgstr "DospoÅ‚ne mjeno: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "MÄ›stno: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "" @@ -5436,11 +5436,11 @@ msgstr "PÅ™izjewjenje z wužiwarskim mjenom a hesÅ‚om" msgid "Sign up for a new account" msgstr "Nowe konto registrować" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "Wobkrućenje e-mejloweje adresy" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5457,12 +5457,12 @@ msgid "" "%s\n" msgstr "" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "" -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5477,17 +5477,17 @@ msgid "" "Change your email address or notification options at %8$s\n" msgstr "" -#: lib/mail.php:258 +#: lib/mail.php:262 #, php-format msgid "Bio: %s" msgstr "Biografija: %s" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5500,21 +5500,21 @@ msgid "" "%4$s" msgstr "" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "SMS-wobkrućenje" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5530,12 +5530,12 @@ msgid "" "%4$s\n" msgstr "" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "Nowa priwatna powÄ›sć wot %s" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5554,12 +5554,12 @@ msgid "" "%5$s\n" msgstr "" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%s (@%s) je twoju zdźělenku jako faworit pÅ™idaÅ‚" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5580,12 +5580,12 @@ msgid "" "%6$s\n" msgstr "" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/ia/LC_MESSAGES/statusnet.po b/locale/ia/LC_MESSAGES/statusnet.po index 4116b91d5..7a96686ed 100644 --- a/locale/ia/LC_MESSAGES/statusnet.po +++ b/locale/ia/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:35:46+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:50:08+0000\n" "Language-Team: Interlingua\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ia\n" "X-Message-Group: out-statusnet\n" @@ -102,7 +102,7 @@ msgstr "Pagina non existe" #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -702,7 +702,7 @@ msgstr "Repetitiones de %s" msgid "Notices tagged with %s" msgstr "Notas con etiquetta %s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Actualisationes con etiquetta %1$s in %2$s!" @@ -743,7 +743,7 @@ msgstr "" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "Usator sin profilo correspondente" @@ -1743,7 +1743,7 @@ msgstr "Facer administrator" msgid "Make this user an admin" msgstr "Facer iste usator administrator" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4466,7 +4466,7 @@ msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" "Tenta [cercar gruppos](%%action.groupsearch%%) e facer te membro de illos." -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5255,12 +5255,12 @@ msgstr "%s quitava le gruppo %s" msgid "Fullname: %s" msgstr "Nomine complete: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "Loco: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "Pagina personal: %s" @@ -5736,11 +5736,11 @@ msgstr "Aperir session con nomine de usator e contrasigno" msgid "Sign up for a new account" msgstr "Crear un nove conto" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "Confirmation del adresse de e-mail" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5769,12 +5769,12 @@ msgstr "" "Gratias pro tu attention,\n" "%s\n" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s seque ora tu notas in %2$s." -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5799,17 +5799,17 @@ msgstr "" "----\n" "Cambia tu adresse de e-mail o optiones de notification a %8$s\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, php-format msgid "Bio: %s" msgstr "Bio: %s" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "Nove adresse de e-mail pro publicar in %s" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5830,21 +5830,21 @@ msgstr "" "Cordialmente,\n" "%4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "Stato de %s" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "Confirmation SMS" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "%s te ha pulsate" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5871,12 +5871,12 @@ msgstr "" "Con salutes cordial,\n" "%4$s\n" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "Nove message private de %s" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5909,12 +5909,12 @@ msgstr "" "Con salutes cordial,\n" "%5$s\n" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%s (@%s) ha addite tu nota como favorite" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5952,12 +5952,12 @@ msgstr "" "Cordialmente,\n" "%6$s\n" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "%s (@%s) ha inviate un nota a tu attention" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/is/LC_MESSAGES/statusnet.po b/locale/is/LC_MESSAGES/statusnet.po index be9a80250..3c8f33565 100644 --- a/locale/is/LC_MESSAGES/statusnet.po +++ b/locale/is/LC_MESSAGES/statusnet.po @@ -8,12 +8,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:35:49+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:50:12+0000\n" "Language-Team: Icelandic\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: is\n" "X-Message-Group: out-statusnet\n" @@ -110,7 +110,7 @@ msgstr "Ekkert þannig merki." #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -707,7 +707,7 @@ msgstr "Svör við %s" msgid "Notices tagged with %s" msgstr "Babl merkt með %s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "" @@ -747,7 +747,7 @@ msgstr "" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "Notandi með enga persónulega síðu sem passar við" @@ -1769,7 +1769,7 @@ msgstr "" msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4472,7 +4472,7 @@ msgstr "" msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5265,12 +5265,12 @@ msgstr "%s gekk úr hópnum %s" msgid "Fullname: %s" msgstr "Fullt nafn: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "Staðsetning: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "Heimasíða: %s" @@ -5716,11 +5716,11 @@ msgstr "Skráðu þig inn með notendanafni og lykilorði" msgid "Sign up for a new account" msgstr "Búðu til nýjan aðgang" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "Staðfesting tölvupóstfangs" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5737,12 +5737,12 @@ msgid "" "%s\n" msgstr "" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s er að hlusta á bablið þitt á %2$s." -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5757,19 +5757,19 @@ msgid "" "Change your email address or notification options at %8$s\n" msgstr "" -#: lib/mail.php:258 +#: lib/mail.php:262 #, fuzzy, php-format msgid "Bio: %s" msgstr "" "Lýsing: %s\n" "\n" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "Nýtt tölvupóstfang til að senda á %s" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5790,21 +5790,21 @@ msgstr "" "Með kærri kveðju,\n" "%4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "Staða %s" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "SMS staðfesting" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "%s ýtti við þér" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5820,12 +5820,12 @@ msgid "" "%4$s\n" msgstr "" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "Ný persónuleg skilaboð frá %s" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5844,12 +5844,12 @@ msgid "" "%5$s\n" msgstr "" -#: lib/mail.php:559 +#: lib/mail.php:568 #, fuzzy, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%s heldur upp á babl frá þér" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5870,12 +5870,12 @@ msgid "" "%6$s\n" msgstr "" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/it/LC_MESSAGES/statusnet.po b/locale/it/LC_MESSAGES/statusnet.po index 05b829067..1bd3f26ad 100644 --- a/locale/it/LC_MESSAGES/statusnet.po +++ b/locale/it/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:35:52+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:50:15+0000\n" "Language-Team: Italian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: it\n" "X-Message-Group: out-statusnet\n" @@ -103,7 +103,7 @@ msgstr "Pagina inesistente." #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -701,7 +701,7 @@ msgstr "Ripetizioni di %s" msgid "Notices tagged with %s" msgstr "Messaggi etichettati con %s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Messaggi etichettati con %1$s su %2$s!" @@ -742,7 +742,7 @@ msgstr "" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "Utente senza profilo corrispondente" @@ -1742,7 +1742,7 @@ msgstr "Rendi amm." msgid "Make this user an admin" msgstr "Rende questo utente un amministratore" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4446,7 +4446,7 @@ msgstr "%s non fa parte di alcun gruppo." msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "Prova a [cercare dei gruppi](%%action.groupsearch%%) e iscriviti." -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5213,12 +5213,12 @@ msgstr "%1$s ha lasciato il gruppo %2$s" msgid "Fullname: %s" msgstr "Nome completo: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "Posizione: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "Pagina web: %s" @@ -5697,11 +5697,11 @@ msgstr "Accedi con nome utente e password" msgid "Sign up for a new account" msgstr "Iscriviti per un nuovo account" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "Conferma indirizzo email" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5731,12 +5731,12 @@ msgstr "" "Grazie per il tuo tempo, \n" "%s\n" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s sta ora seguendo i tuoi messaggi su %2$s." -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5761,17 +5761,17 @@ msgstr "" "----\n" "Modifica il tuo indirizzo email o le opzioni di notifica presso %8$s\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, php-format msgid "Bio: %s" msgstr "Biografia: %s" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "Nuovo indirizzo email per inviare messaggi a %s" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5792,21 +5792,21 @@ msgstr "" "Cordiali saluti,\n" "%4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "stato di %s" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "Conferma SMS" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "%s ti ha richiamato" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5833,12 +5833,12 @@ msgstr "" "Cordiali saluti,\n" "%4$s\n" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "Nuovo messaggio privato da %s" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5871,12 +5871,12 @@ msgstr "" "Cordiali saluti,\n" "%5$s\n" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%s (@%s) ha aggiunto il tuo messaggio tra i suoi preferiti" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5914,12 +5914,12 @@ msgstr "" "Cordiali saluti,\n" "%6$s\n" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "%s (@%s) ti ha inviato un messaggio" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/ja/LC_MESSAGES/statusnet.po b/locale/ja/LC_MESSAGES/statusnet.po index 95695792b..847f24c59 100644 --- a/locale/ja/LC_MESSAGES/statusnet.po +++ b/locale/ja/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:35:55+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:50:18+0000\n" "Language-Team: Japanese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63298); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ja\n" "X-Message-Group: out-statusnet\n" @@ -105,7 +105,7 @@ msgstr "ãã®ã‚ˆã†ãªãƒšãƒ¼ã‚¸ã¯ã‚ã‚Šã¾ã›ã‚“。" #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -696,7 +696,7 @@ msgstr "%s ã®è¿”ä¿¡" msgid "Notices tagged with %s" msgstr "%s ã¨ã‚¿ã‚°ä»˜ã‘ã•ã‚ŒãŸã¤ã¶ã‚„ã" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "%2$s ã« %1$s ã«ã‚ˆã‚‹æ›´æ–°ãŒã‚ã‚Šã¾ã™ï¼" @@ -736,7 +736,7 @@ msgstr "自分ã®ã‚¢ãƒã‚¿ãƒ¼ã‚’アップロードã§ãã¾ã™ã€‚最大サイズ #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "åˆã£ã¦ã„るプロフィールã®ãªã„ユーザ" @@ -1740,7 +1740,7 @@ msgstr "管ç†è€…ã«ã™ã‚‹" msgid "Make this user an admin" msgstr "ã“ã®ãƒ¦ãƒ¼ã‚¶ã‚’管ç†è€…ã«ã™ã‚‹" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4455,7 +4455,7 @@ msgstr "%s ã¯ã©ã®ã‚°ãƒ«ãƒ¼ãƒ—ã®ãƒ¡ãƒ³ãƒãƒ¼ã§ã‚‚ã‚ã‚Šã¾ã›ã‚“。" msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "[グループを探ã—ã¦](%%action.groupsearch%%)ãã‚Œã«åŠ å…¥ã—ã¦ãã ã•ã„。" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5233,12 +5233,12 @@ msgstr "%s ã¯ã‚°ãƒ«ãƒ¼ãƒ— %s ã«æ®‹ã‚Šã¾ã—ãŸã€‚" msgid "Fullname: %s" msgstr "フルãƒãƒ¼ãƒ ï¼š %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "場所: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "ホームページ: %s" @@ -5672,11 +5672,11 @@ msgstr "ユーザåã¨ãƒ‘スワードã§ãƒ­ã‚°ã‚¤ãƒ³" msgid "Sign up for a new account" msgstr "æ–°ã—ã„アカウントã§ã‚µã‚¤ãƒ³ã‚¢ãƒƒãƒ—" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "メールアドレス確èª" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5705,12 +5705,12 @@ msgstr "" "ã‚ã‚ŠãŒã¨ã†ã”ã–ã„ã¾ã™ã€‚\n" "%s\n" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s 㯠%2$s ã§ã‚ãªãŸã®ã¤ã¶ã‚„ãã‚’èžã„ã¦ã„ã¾ã™ã€‚" -#: lib/mail.php:241 +#: lib/mail.php:245 #, fuzzy, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5735,17 +5735,17 @@ msgstr "" "----\n" "%8$s ã§ãƒ¡ãƒ¼ãƒ«ã‚¢ãƒ‰ãƒ¬ã‚¹ã‹é€šçŸ¥ã‚ªãƒ—ションを変ãˆã¦ãã ã•ã„。\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, php-format msgid "Bio: %s" msgstr "自己紹介: %s" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "%s ã¸æŠ•ç¨¿ã®ãŸã‚ã®æ–°ã—ã„メールアドレス" -#: lib/mail.php:289 +#: lib/mail.php:293 #, fuzzy, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5766,21 +5766,21 @@ msgstr "" "忠実ã§ã‚ã‚‹ã€ã‚ãªãŸã®ã‚‚ã®ã€\n" "%4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "%s ã®çŠ¶æ…‹" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "SMS確èª" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "ã‚ãªãŸã¯ %s ã«åˆå›³ã•ã‚Œã¦ã„ã¾ã™" -#: lib/mail.php:467 +#: lib/mail.php:471 #, fuzzy, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5807,12 +5807,12 @@ msgstr "" "敬具\n" "%4$s\n" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "%s ã‹ã‚‰ã®æ–°ã—ã„プライベートメッセージ" -#: lib/mail.php:514 +#: lib/mail.php:521 #, fuzzy, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5845,12 +5845,12 @@ msgstr "" "敬具\n" "%5$s\n" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%s (@%s) ã¯ãŠæ°—ã«å…¥ã‚Šã¨ã—ã¦ã‚ãªãŸã®ã¤ã¶ã‚„ãを加ãˆã¾ã—ãŸ" -#: lib/mail.php:561 +#: lib/mail.php:570 #, fuzzy, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5888,12 +5888,12 @@ msgstr "" "忠実ã§ã‚ã‚‹ã€ã‚ãªãŸã®ã‚‚ã®ã€\n" "%6%s\n" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "%s (@%s) ã¯ã‚ãªãŸå®›ã¦ã«ã¤ã¶ã‚„ãã‚’é€ã‚Šã¾ã—ãŸ" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/ko/LC_MESSAGES/statusnet.po b/locale/ko/LC_MESSAGES/statusnet.po index 09af2e6f0..69bf4efb9 100644 --- a/locale/ko/LC_MESSAGES/statusnet.po +++ b/locale/ko/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:35:58+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:50:22+0000\n" "Language-Team: Korean\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ko\n" "X-Message-Group: out-statusnet\n" @@ -108,7 +108,7 @@ msgstr "그러한 태그가 없습니다." #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -711,7 +711,7 @@ msgstr "%sì— ë‹µì‹ " msgid "Notices tagged with %s" msgstr "%s íƒœê·¸ëœ í†µì§€" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "%2$sì— ìžˆëŠ” %1$sì˜ ì—…ë°ì´íŠ¸!" @@ -752,7 +752,7 @@ msgstr "ë‹¹ì‹ ì˜ ê°œì¸ì ì¸ 아바타를 업로드할 수 있습니다." #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "프로필 ë§¤ì¹­ì´ ì—†ëŠ” 사용ìž" @@ -1798,7 +1798,7 @@ msgstr "관리ìž" msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4493,7 +4493,7 @@ msgstr "ë‹¹ì‹ ì€ í•´ë‹¹ ê·¸ë£¹ì˜ ë©¤ë²„ê°€ 아닙니다." msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5292,12 +5292,12 @@ msgstr "%sê°€ 그룹%s를 떠났습니다." msgid "Fullname: %s" msgstr "ì „ì²´ì´ë¦„: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "위치: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "홈페ì´ì§€: %s" @@ -5741,11 +5741,11 @@ msgstr "ì‚¬ìš©ìž ì´ë¦„ê³¼ 비밀번호로 로그ì¸" msgid "Sign up for a new account" msgstr "새 ê³„ì •ì„ ìœ„í•œ 회ì›ê°€ìž…" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "ì´ë©”ì¼ ì£¼ì†Œ 확ì¸ì„œ" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5762,12 +5762,12 @@ msgid "" "%s\n" msgstr "" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$së‹˜ì´ ê·€í•˜ì˜ ì•Œë¦¼ 메시지를 %2$sì—ì„œ 듣고 있습니다." -#: lib/mail.php:241 +#: lib/mail.php:245 #, fuzzy, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5786,19 +5786,19 @@ msgstr "" "\n" "그럼 ì´ë§Œ,%4$s.\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, fuzzy, php-format msgid "Bio: %s" msgstr "" "소개: %s\n" "\n" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "%sì— í¬ìŠ¤íŒ… í•  새로운 ì´ë©”ì¼ ì£¼ì†Œ" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5813,21 +5813,21 @@ msgstr "" "í¬ìŠ¤íŒ… 주소는 %1$s입니다.새 메시지를 등ë¡í•˜ë ¤ë©´ %2$ 주소로 ì´ë©”ì¼ì„ ë³´ë‚´ì‹­ì‹œ" "오.ì´ë©”ì¼ ì‚¬ìš©ë²•ì€ %3$s 페ì´ì§€ë¥¼ 보십시오.안녕히,%4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "%s ìƒíƒœ" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "SMS ì¸ì¦" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "%s 사용ìžê°€ 찔러 봤습니다." -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5843,12 +5843,12 @@ msgid "" "%4$s\n" msgstr "" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "%s로부터 새로운 비밀 메시지가 ë„착하였습니다." -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5867,12 +5867,12 @@ msgid "" "%5$s\n" msgstr "" -#: lib/mail.php:559 +#: lib/mail.php:568 #, fuzzy, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%së‹˜ì´ ë‹¹ì‹ ì˜ ê²Œì‹œê¸€ì„ ì¢‹ì•„í•˜ëŠ” 글로 추가했습니다." -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5893,12 +5893,12 @@ msgid "" "%6$s\n" msgstr "" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/mk/LC_MESSAGES/statusnet.po b/locale/mk/LC_MESSAGES/statusnet.po index a5736795f..74b9cb228 100644 --- a/locale/mk/LC_MESSAGES/statusnet.po +++ b/locale/mk/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:36:01+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:50:24+0000\n" "Language-Team: Macedonian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: mk\n" "X-Message-Group: out-statusnet\n" @@ -103,7 +103,7 @@ msgstr "Ðема таква Ñтраница" #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -702,7 +702,7 @@ msgstr "Повторувања на %s" msgid "Notices tagged with %s" msgstr "Забелешки означени Ñо %s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Подновувањата Ñе означени Ñо %1$s на %2$s!" @@ -744,7 +744,7 @@ msgstr "" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "КориÑник без Ñоодветен профил" @@ -1747,7 +1747,7 @@ msgstr "Ðаправи го/ја админиÑтратор" msgid "Make this user an admin" msgstr "Ðаправи го кориÑникот админиÑтратор" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4469,7 +4469,7 @@ msgstr "" "Обидете Ñе Ñо [пребарување на групи](%%action.groupsearch%%) и придружете им " "Ñе." -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5235,12 +5235,12 @@ msgstr "%s ја напушти групата %s" msgid "Fullname: %s" msgstr "Име и презиме: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "Локација: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "Домашна Ñтраница: %s" @@ -5716,11 +5716,11 @@ msgstr "Ðајава Ñо кориÑничко име и лозинка" msgid "Sign up for a new account" msgstr "Создај нова Ñметка" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "Потврдување на адреÑата" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5750,12 +5750,12 @@ msgstr "" "Ви благодариме за потрошеното време, \n" "%s\n" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s Ñега ги Ñледи Вашите забелешки на %2$s." -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5781,17 +5781,17 @@ msgstr "" "Изменете Ñи ја е-поштенÑката адреÑа или ги нагодувањата за извеÑтувања на %8" "$s\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, php-format msgid "Bio: %s" msgstr "Биографија: %s" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "Ðова е-поштенÑка адреÑа за објавување на %s" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5812,21 +5812,21 @@ msgstr "" "Со иÑкрена почит,\n" "%4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "Ð¡Ñ‚Ð°Ñ‚ÑƒÑ Ð½Ð° %s" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "Потврда за СМС" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "%s Ве подбуцна" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5853,12 +5853,12 @@ msgstr "" "Со почит,\n" "%4$s\n" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "Ðова приватна порака од %s" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5891,12 +5891,12 @@ msgstr "" "Со почит,\n" "%5$s\n" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%s (@%s) додаде Ваша забелешка како омилена" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5934,12 +5934,12 @@ msgstr "" "Со иÑкрена почит,\n" "%6$s\n" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "%s (@%s) Ви иÑпрати забелешка што Ñака да ја прочитате" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index 61e5cfdcd..77588ef05 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:36:06+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:50:27+0000\n" "Language-Team: Norwegian (bokmÃ¥l)‬\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: out-statusnet\n" @@ -103,7 +103,7 @@ msgstr "Ingen slik side" #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -695,7 +695,7 @@ msgstr "Repetisjoner av %s" msgid "Notices tagged with %s" msgstr "Notiser merket med %s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Oppdateringer merket med %1$s pÃ¥ %2$s!" @@ -735,7 +735,7 @@ msgstr "Du kan laste opp en personlig avatar. Maks filstørrelse er %s." #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "Bruker uten samsvarende profil" @@ -1727,7 +1727,7 @@ msgstr "Gjør til administrator" msgid "Make this user an admin" msgstr "Gjør denne brukeren til administrator" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4343,7 +4343,7 @@ msgstr "Du er allerede logget inn!" msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5116,12 +5116,12 @@ msgstr "%1$s sin status pÃ¥ %2$s" msgid "Fullname: %s" msgstr "Fullt navn" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "" @@ -5572,11 +5572,11 @@ msgstr "Ugyldig brukernavn eller passord" msgid "Sign up for a new account" msgstr "Opprett en ny konto" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5593,12 +5593,12 @@ msgid "" "%s\n" msgstr "" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s lytter nÃ¥ til dine notiser pÃ¥ %2$s." -#: lib/mail.php:241 +#: lib/mail.php:245 #, fuzzy, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5619,17 +5619,17 @@ msgstr "" "Vennlig hilsen,\n" "%4$s.\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, fuzzy, php-format msgid "Bio: %s" msgstr "Om meg" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5642,21 +5642,21 @@ msgid "" "%4$s" msgstr "" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "%s status" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5672,12 +5672,12 @@ msgid "" "%4$s\n" msgstr "" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5696,12 +5696,12 @@ msgid "" "%5$s\n" msgstr "" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5722,12 +5722,12 @@ msgid "" "%6$s\n" msgstr "" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/nl/LC_MESSAGES/statusnet.po b/locale/nl/LC_MESSAGES/statusnet.po index 2b1b48ade..c73771f84 100644 --- a/locale/nl/LC_MESSAGES/statusnet.po +++ b/locale/nl/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:36:21+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:50:33+0000\n" "Language-Team: Dutch\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nl\n" "X-Message-Group: out-statusnet\n" @@ -102,7 +102,7 @@ msgstr "Deze pagina bestaat niet" #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -712,7 +712,7 @@ msgstr "Herhaald van %s" msgid "Notices tagged with %s" msgstr "Mededelingen met het label %s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Updates met het label %1$s op %2$s!" @@ -753,7 +753,7 @@ msgstr "" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "Gebruiker zonder bijbehorend profiel" @@ -1761,7 +1761,7 @@ msgstr "Beheerder maken" msgid "Make this user an admin" msgstr "Deze gebruiker beheerder maken" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4499,7 +4499,7 @@ msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" "U kunt [naar groepen zoeken](%%action.groupsearch%%) en daar lid van worden." -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5274,12 +5274,12 @@ msgstr "%s heeft de groep %s verlaten" msgid "Fullname: %s" msgstr "Volledige naam: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "Locatie: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "Thuispagina: %s" @@ -5763,11 +5763,11 @@ msgstr "Aanmelden met gebruikersnaam en wachtwoord" msgid "Sign up for a new account" msgstr "Nieuwe gebruiker aanmaken" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "E-mailadresbevestiging" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5797,12 +5797,12 @@ msgstr "" "Dank u wel voor uw tijd.\n" "%s\n" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s volgt nu uw berichten %2$s." -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5827,17 +5827,17 @@ msgstr "" "----\n" "Wijzig uw e-mailadres of instellingen op %8$s\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, php-format msgid "Bio: %s" msgstr "Beschrijving: %s" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "Nieuw e-mailadres om e-mail te versturen aan %s" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5858,21 +5858,21 @@ msgstr "" "Met vriendelijke groet,\n" "%4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "%s status" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "SMS-bevestiging" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "%s heeft u gepord" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5900,12 +5900,12 @@ msgstr "" "Met vriendelijke groet,\n" "%4$s\n" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "U hebt een nieuw privébericht van %s." -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5939,12 +5939,12 @@ msgstr "" "Met vriendelijke groet,\n" "%5$s\n" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%s (@%s) heeft uw mededeling als favoriet toegevoegd" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5982,12 +5982,12 @@ msgstr "" "Met vriendelijke groet,\n" "%6$s\n" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "%s (@%s) heeft u een mededeling gestuurd" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/nn/LC_MESSAGES/statusnet.po b/locale/nn/LC_MESSAGES/statusnet.po index 72fe47924..a16e15649 100644 --- a/locale/nn/LC_MESSAGES/statusnet.po +++ b/locale/nn/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:36:11+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:50:30+0000\n" "Language-Team: Norwegian Nynorsk\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: nn\n" "X-Message-Group: out-statusnet\n" @@ -108,7 +108,7 @@ msgstr "Dette emneord finst ikkje." #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -709,7 +709,7 @@ msgstr "Svar til %s" msgid "Notices tagged with %s" msgstr "Notisar merka med %s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Oppdateringar frÃ¥ %1$s pÃ¥ %2$s!" @@ -750,7 +750,7 @@ msgstr "Du kan laste opp ein personleg avatar." #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "Kan ikkje finne brukar" @@ -1798,7 +1798,7 @@ msgstr "Administrator" msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4512,7 +4512,7 @@ msgstr "Du er ikkje medlem av den gruppa." msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5309,12 +5309,12 @@ msgstr "%s forlot %s gruppa" msgid "Fullname: %s" msgstr "Fullt namn: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "Stad: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "Heimeside: %s" @@ -5761,11 +5761,11 @@ msgstr "Log inn med brukarnamn og passord." msgid "Sign up for a new account" msgstr "Opprett ny konto" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "Stadfesting av epostadresse" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5782,12 +5782,12 @@ msgid "" "%s\n" msgstr "" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s høyrer no pÃ¥ notisane dine pÃ¥ %2$s." -#: lib/mail.php:241 +#: lib/mail.php:245 #, fuzzy, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5808,19 +5808,19 @@ msgstr "" "Beste helsing,\n" "%4$s.\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, fuzzy, php-format msgid "Bio: %s" msgstr "" "Bio: %s\n" "\n" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "Ny epostadresse for Ã¥ oppdatera %s" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5840,21 +5840,21 @@ msgstr "" "\n" "Helsing frÃ¥ %4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "%s status" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "SMS bekreftelse" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "Du har blitt dulta av %s" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5870,12 +5870,12 @@ msgid "" "%4$s\n" msgstr "" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "Ny privat melding fra %s" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5894,12 +5894,12 @@ msgid "" "%5$s\n" msgstr "" -#: lib/mail.php:559 +#: lib/mail.php:568 #, fuzzy, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%s la til di melding som ein favoritt" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5920,12 +5920,12 @@ msgid "" "%6$s\n" msgstr "" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/pl/LC_MESSAGES/statusnet.po b/locale/pl/LC_MESSAGES/statusnet.po index e592ff747..3a0bd39c3 100644 --- a/locale/pl/LC_MESSAGES/statusnet.po +++ b/locale/pl/LC_MESSAGES/statusnet.po @@ -10,8 +10,8 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:36:24+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:50:36+0000\n" "Last-Translator: Piotr DrÄ…g \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" @@ -19,7 +19,7 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 " "|| n%100>=20) ? 1 : 2);\n" -"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pl\n" "X-Message-Group: out-statusnet\n" @@ -47,7 +47,6 @@ msgstr "Zabronić anonimowym użytkownikom (niezalogowanym) przeglÄ…dać witryn #. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -#, fuzzy msgctxt "LABEL" msgid "Private" msgstr "Prywatna" @@ -78,7 +77,6 @@ msgid "Save access settings" msgstr "Zapisz ustawienia dostÄ™pu" #: actions/accessadminpanel.php:203 -#, fuzzy msgctxt "BUTTON" msgid "Save" msgstr "Zapisz" @@ -107,7 +105,7 @@ msgstr "Nie ma takiej strony" #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -702,7 +700,7 @@ msgstr "Powtórzenia %s" msgid "Notices tagged with %s" msgstr "Wpisy ze znacznikiem %s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Aktualizacje ze znacznikiem %1$s na %2$s." @@ -742,7 +740,7 @@ msgstr "Można wysÅ‚ać osobisty awatar. Maksymalny rozmiar pliku to %s." #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "Użytkownik bez odpowiadajÄ…cego profilu" @@ -1575,23 +1573,20 @@ msgid "Cannot read file." msgstr "Nie można odczytać pliku." #: actions/grantrole.php:62 actions/revokerole.php:62 -#, fuzzy msgid "Invalid role." -msgstr "NieprawidÅ‚owy token." +msgstr "NieprawidÅ‚owa rola." #: actions/grantrole.php:66 actions/revokerole.php:66 msgid "This role is reserved and cannot be set." -msgstr "" +msgstr "Ta rola jest zastrzeżona i nie może zostać ustawiona." #: actions/grantrole.php:75 -#, fuzzy msgid "You cannot grant user roles on this site." -msgstr "Nie można ograniczać użytkowników na tej witrynie." +msgstr "Nie można udzielić rol użytkownikom na tej witrynie." #: actions/grantrole.php:82 -#, fuzzy msgid "User already has this role." -msgstr "Użytkownik jest już wyciszony." +msgstr "Użytkownik ma już tÄ™ rolÄ™." #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 @@ -1736,7 +1731,7 @@ msgstr "UczyÅ„ administratorem" msgid "Make this user an admin" msgstr "UczyÅ„ tego użytkownika administratorem" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -2008,7 +2003,6 @@ msgstr "Opcjonalnie dodaj osobistÄ… wiadomość do zaproszenia." #. TRANS: Send button for inviting friends #: actions/invite.php:198 -#, fuzzy msgctxt "BUTTON" msgid "Send" msgstr "WyÅ›lij" @@ -3327,14 +3321,12 @@ msgid "Replies to %1$s on %2$s!" msgstr "odpowiedzi dla użytkownika %1$s na %2$s." #: actions/revokerole.php:75 -#, fuzzy msgid "You cannot revoke user roles on this site." -msgstr "Nie można wyciszać użytkowników na tej witrynie." +msgstr "Nie można unieważnić rol użytkowników na tej witrynie." #: actions/revokerole.php:82 -#, fuzzy msgid "User doesn't have this role." -msgstr "Użytkownik bez odpowiadajÄ…cego profilu." +msgstr "Użytkownik nie ma tej roli." #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" @@ -3738,9 +3730,8 @@ msgid "User is already silenced." msgstr "Użytkownik jest już wyciszony." #: actions/siteadminpanel.php:69 -#, fuzzy msgid "Basic settings for this StatusNet site" -msgstr "Podstawowe ustawienia tej witryny StatusNet." +msgstr "Podstawowe ustawienia tej witryny StatusNet" #: actions/siteadminpanel.php:133 msgid "Site name must have non-zero length." @@ -3808,13 +3799,14 @@ msgid "Default timezone for the site; usually UTC." msgstr "DomyÅ›la strefa czasowa witryny, zwykle UTC." #: actions/siteadminpanel.php:262 -#, fuzzy msgid "Default language" -msgstr "DomyÅ›lny jÄ™zyk witryny" +msgstr "DomyÅ›lny jÄ™zyk" #: actions/siteadminpanel.php:263 msgid "Site language when autodetection from browser settings is not available" msgstr "" +"JÄ™zyk witryny, kiedy automatyczne wykrywanie z ustawieÅ„ przeglÄ…darki nie " +"jest dostÄ™pne" #: actions/siteadminpanel.php:271 msgid "Limits" @@ -3839,37 +3831,33 @@ msgstr "" "samo." #: actions/sitenoticeadminpanel.php:56 -#, fuzzy msgid "Site Notice" msgstr "Wpis witryny" #: actions/sitenoticeadminpanel.php:67 -#, fuzzy msgid "Edit site-wide message" -msgstr "Nowa wiadomość" +msgstr "Zmodyfikuj wiadomość witryny" #: actions/sitenoticeadminpanel.php:103 -#, fuzzy msgid "Unable to save site notice." -msgstr "Nie można zapisać ustawieÅ„ wyglÄ…du." +msgstr "Nie można zapisać wpisu witryny." #: actions/sitenoticeadminpanel.php:113 msgid "Max length for the site-wide notice is 255 chars" -msgstr "" +msgstr "Maksymalna dÅ‚ugość wpisu witryny to 255 znaków" #: actions/sitenoticeadminpanel.php:176 -#, fuzzy msgid "Site notice text" -msgstr "Wpis witryny" +msgstr "Tekst wpisu witryny" #: actions/sitenoticeadminpanel.php:178 msgid "Site-wide notice text (255 chars max; HTML okay)" msgstr "" +"Tekst wpisu witryny (maksymalnie 255 znaków, można używać znaczników HTML)" #: actions/sitenoticeadminpanel.php:198 -#, fuzzy msgid "Save site notice" -msgstr "Wpis witryny" +msgstr "Zapisz wpis witryny" #: actions/smssettings.php:58 msgid "SMS settings" @@ -3977,9 +3965,8 @@ msgid "Snapshots" msgstr "Migawki" #: actions/snapshotadminpanel.php:65 -#, fuzzy msgid "Manage snapshot configuration" -msgstr "ZmieÅ„ konfiguracjÄ™ witryny" +msgstr "ZarzÄ…dzaj konfiguracjÄ… migawki" #: actions/snapshotadminpanel.php:127 msgid "Invalid snapshot run value." @@ -4026,9 +4013,8 @@ msgid "Snapshots will be sent to this URL" msgstr "Migawki bÄ™dÄ… wysyÅ‚ane na ten adres URL" #: actions/snapshotadminpanel.php:248 -#, fuzzy msgid "Save snapshot settings" -msgstr "Zapisz ustawienia witryny" +msgstr "Zapisz ustawienia migawki" #: actions/subedit.php:70 msgid "You are not subscribed to that profile." @@ -4250,7 +4236,6 @@ msgstr "" #. TRANS: User admin panel title #: actions/useradminpanel.php:59 -#, fuzzy msgctxt "TITLE" msgid "User" msgstr "Użytkownik" @@ -4451,7 +4436,7 @@ msgstr "Użytkownik %s nie jest czÅ‚onkiem żadnej grupy." msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "Spróbuj [wyszukać grupy](%%action.groupsearch%%) i doÅ‚Ä…czyć do nich." -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -4643,9 +4628,8 @@ msgid "Couldn't delete self-subscription." msgstr "Nie można usunąć autosubskrypcji." #: classes/Subscription.php:190 -#, fuzzy msgid "Couldn't delete subscription OMB token." -msgstr "Nie można usunąć subskrypcji." +msgstr "Nie można usunąć tokenu subskrypcji OMB." #: classes/Subscription.php:201 lib/subs.php:69 msgid "Couldn't delete subscription." @@ -4715,27 +4699,23 @@ msgstr "Główna nawigacja witryny" #. TRANS: Tooltip for main menu option "Personal" #: lib/action.php:430 -#, fuzzy msgctxt "TOOLTIP" msgid "Personal profile and friends timeline" msgstr "Profil osobisty i oÅ› czasu przyjaciół" #: lib/action.php:433 -#, fuzzy msgctxt "MENU" msgid "Personal" msgstr "Osobiste" #. TRANS: Tooltip for main menu option "Account" #: lib/action.php:435 -#, fuzzy msgctxt "TOOLTIP" msgid "Change your email, avatar, password, profile" msgstr "ZmieÅ„ adres e-mail, awatar, hasÅ‚o, profil" #. TRANS: Tooltip for main menu option "Services" #: lib/action.php:440 -#, fuzzy msgctxt "TOOLTIP" msgid "Connect to services" msgstr "PoÅ‚Ä…cz z serwisami" @@ -4746,91 +4726,78 @@ msgstr "PoÅ‚Ä…cz" #. TRANS: Tooltip for menu option "Admin" #: lib/action.php:446 -#, fuzzy msgctxt "TOOLTIP" msgid "Change site configuration" msgstr "ZmieÅ„ konfiguracjÄ™ witryny" #: lib/action.php:449 -#, fuzzy msgctxt "MENU" msgid "Admin" msgstr "Administrator" #. TRANS: Tooltip for main menu option "Invite" #: lib/action.php:453 -#, fuzzy, php-format +#, php-format msgctxt "TOOLTIP" msgid "Invite friends and colleagues to join you on %s" msgstr "ZaproÅ› przyjaciół i kolegów do doÅ‚Ä…czenia do ciebie na %s" #: lib/action.php:456 -#, fuzzy msgctxt "MENU" msgid "Invite" msgstr "ZaproÅ›" #. TRANS: Tooltip for main menu option "Logout" #: lib/action.php:462 -#, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" msgstr "Wyloguj siÄ™ z witryny" #: lib/action.php:465 -#, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Wyloguj siÄ™" #. TRANS: Tooltip for main menu option "Register" #: lib/action.php:470 -#, fuzzy msgctxt "TOOLTIP" msgid "Create an account" msgstr "Utwórz konto" #: lib/action.php:473 -#, fuzzy msgctxt "MENU" msgid "Register" msgstr "Zarejestruj siÄ™" #. TRANS: Tooltip for main menu option "Login" #: lib/action.php:476 -#, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" msgstr "Zaloguj siÄ™ na witrynie" #: lib/action.php:479 -#, fuzzy msgctxt "MENU" msgid "Login" msgstr "Zaloguj siÄ™" #. TRANS: Tooltip for main menu option "Help" #: lib/action.php:482 -#, fuzzy msgctxt "TOOLTIP" msgid "Help me!" msgstr "Pomóż mi." #: lib/action.php:485 -#, fuzzy msgctxt "MENU" msgid "Help" msgstr "Pomoc" #. TRANS: Tooltip for main menu option "Search" #: lib/action.php:488 -#, fuzzy msgctxt "TOOLTIP" msgid "Search for people or text" msgstr "Wyszukaj osoby lub tekst" #: lib/action.php:491 -#, fuzzy msgctxt "MENU" msgid "Search" msgstr "Wyszukaj" @@ -5000,10 +4967,9 @@ msgstr "Podstawowa konfiguracja witryny" #. TRANS: Menu item for site administration #: lib/adminpanelaction.php:350 -#, fuzzy msgctxt "MENU" msgid "Site" -msgstr "Witryny" +msgstr "Witryna" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:356 @@ -5012,7 +4978,6 @@ msgstr "Konfiguracja wyglÄ…du" #. TRANS: Menu item for site administration #: lib/adminpanelaction.php:358 -#, fuzzy msgctxt "MENU" msgid "Design" msgstr "WyglÄ…d" @@ -5044,15 +5009,13 @@ msgstr "Konfiguracja sesji" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:396 -#, fuzzy msgid "Edit site notice" -msgstr "Wpis witryny" +msgstr "Zmodyfikuj wpis witryny" #. TRANS: Menu item title/tooltip #: lib/adminpanelaction.php:404 -#, fuzzy msgid "Snapshots configuration" -msgstr "Konfiguracja Å›cieżek" +msgstr "Konfiguracja migawek" #: lib/apiauth.php:94 msgid "API resource requires read-write access, but you only have read access." @@ -5244,12 +5207,12 @@ msgstr "Użytkownik %1$s opuÅ›ciÅ‚ grupÄ™ %2$s" msgid "Fullname: %s" msgstr "ImiÄ™ i nazwisko: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "PoÅ‚ożenie: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "Strona domowa: %s" @@ -5589,7 +5552,7 @@ msgstr "Przejdź" #: lib/grantroleform.php:91 #, php-format msgid "Grant this user the \"%s\" role" -msgstr "" +msgstr "Nadaj użytkownikowi rolÄ™ \"%s\"" #: lib/groupeditform.php:163 msgid "URL of the homepage or blog of the group or topic" @@ -5730,11 +5693,11 @@ msgstr "Zaloguj siÄ™ za pomocÄ… nazwy użytkownika i hasÅ‚a" msgid "Sign up for a new account" msgstr "Załóż nowe konto" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "Potwierdzenie adresu e-mail" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5764,12 +5727,12 @@ msgstr "" "DziÄ™kujemy za twój czas, \n" "%s\n" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "Użytkownik %1$s obserwuje teraz twoje wpisy na %2$s." -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5794,17 +5757,17 @@ msgstr "" "----\n" "ZmieÅ„ adres e-mail lub opcje powiadamiania na %8$s\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, php-format msgid "Bio: %s" msgstr "O mnie: %s" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "Nowy adres e-mail do wysyÅ‚ania do %s" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5825,21 +5788,21 @@ msgstr "" "Z poważaniem,\n" "%4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "Stan użytkownika %s" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "Potwierdzenie SMS" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "ZostaÅ‚eÅ› szturchniÄ™ty przez %s" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5866,12 +5829,12 @@ msgstr "" "Z poważaniem,\n" "%4$s\n" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "Nowa prywatna wiadomość od użytkownika %s" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5904,12 +5867,12 @@ msgstr "" "Z poważaniem,\n" "%5$s\n" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "Użytkownik %s (@%s) dodaÅ‚ twój wpis jako ulubiony" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5947,12 +5910,12 @@ msgstr "" "Z poważaniem,\n" "%6$s\n" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "Użytkownik %s (@%s) wysÅ‚aÅ‚ wpis wymagajÄ…cy twojej uwagi" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" @@ -6298,9 +6261,9 @@ msgid "Repeat this notice" msgstr "Powtórz ten wpis" #: lib/revokeroleform.php:91 -#, fuzzy, php-format +#, php-format msgid "Revoke the \"%s\" role from this user" -msgstr "Zablokuj tego użytkownika w tej grupie" +msgstr "Unieważnij rolÄ™ \"%s\" tego użytkownika" #: lib/router.php:671 msgid "No single user defined for single-user mode." @@ -6458,21 +6421,18 @@ msgid "Moderate" msgstr "Moderuj" #: lib/userprofile.php:352 -#, fuzzy msgid "User role" -msgstr "Profil użytkownika" +msgstr "Rola użytkownika" #: lib/userprofile.php:354 -#, fuzzy msgctxt "role" msgid "Administrator" -msgstr "Administratorzy" +msgstr "Administrator" #: lib/userprofile.php:355 -#, fuzzy msgctxt "role" msgid "Moderator" -msgstr "Moderuj" +msgstr "Moderator" #: lib/util.php:1015 msgid "a few seconds ago" diff --git a/locale/pt/LC_MESSAGES/statusnet.po b/locale/pt/LC_MESSAGES/statusnet.po index 27e75fe97..7041bea81 100644 --- a/locale/pt/LC_MESSAGES/statusnet.po +++ b/locale/pt/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:36:27+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:50:48+0000\n" "Language-Team: Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt\n" "X-Message-Group: out-statusnet\n" @@ -106,7 +106,7 @@ msgstr "Página não encontrada." #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -700,7 +700,7 @@ msgstr "Repetências de %s" msgid "Notices tagged with %s" msgstr "Notas categorizadas com %s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Actualizações categorizadas com %1$s em %2$s!" @@ -740,7 +740,7 @@ msgstr "Pode carregar o seu avatar pessoal. O tamanho máximo do ficheiro é %s. #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "Utilizador sem perfil correspondente" @@ -1763,7 +1763,7 @@ msgstr "Tornar Gestor" msgid "Make this user an admin" msgstr "Tornar este utilizador um gestor" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4499,7 +4499,7 @@ msgstr "%s não é membro de nenhum grupo." msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "Tente [pesquisar grupos](%%action.groupsearch%%) e juntar-se a eles." -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5293,12 +5293,12 @@ msgstr "%s deixou o grupo %s" msgid "Fullname: %s" msgstr "Nome completo: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "Localidade: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "Página pessoal: %s" @@ -5775,11 +5775,11 @@ msgstr "Iniciar sessão com um nome de utilizador e senha" msgid "Sign up for a new account" msgstr "Registar uma conta nova" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "Confirmação do endereço electrónico" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5808,12 +5808,12 @@ msgstr "" "Obrigado pelo tempo que dedicou, \n" "%s\n" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s está agora a ouvir as suas notas em %2$s." -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5839,17 +5839,17 @@ msgstr "" "Altere o seu endereço de correio electrónico ou as opções de notificação em %" "8$s\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, php-format msgid "Bio: %s" msgstr "Bio: %s" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "Novo endereço electrónico para publicar no site %s" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5870,21 +5870,21 @@ msgstr "" "Melhores cumprimentos,\n" "%4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "Estado de %s" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "Confirmação SMS" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "%s envia-lhe um toque" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5911,12 +5911,12 @@ msgstr "" "Graciosamente,\n" "%4$s\n" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "Nova mensagem privada de %s" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5949,12 +5949,12 @@ msgstr "" "Profusos cumprimentos,\n" "%5$s\n" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%s (@%s) adicionou a sua nota às favoritas." -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5991,12 +5991,12 @@ msgstr "" "Sinceramente,\n" "%6$s\n" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "%s (@%s) enviou uma nota à sua atenção" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/pt_BR/LC_MESSAGES/statusnet.po b/locale/pt_BR/LC_MESSAGES/statusnet.po index 65061f02d..51d926eba 100644 --- a/locale/pt_BR/LC_MESSAGES/statusnet.po +++ b/locale/pt_BR/LC_MESSAGES/statusnet.po @@ -11,12 +11,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:36:30+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:50:51+0000\n" "Language-Team: Brazilian Portuguese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: pt-br\n" "X-Message-Group: out-statusnet\n" @@ -105,7 +105,7 @@ msgstr "Esta página não existe." #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -707,7 +707,7 @@ msgstr "Repetições de %s" msgid "Notices tagged with %s" msgstr "Mensagens etiquetadas como %s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Mensagens etiquetadas como %1$s no %2$s!" @@ -748,7 +748,7 @@ msgstr "" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "Usuário sem um perfil correspondente" @@ -1755,7 +1755,7 @@ msgstr "Tornar administrador" msgid "Make this user an admin" msgstr "Torna este usuário um administrador" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4490,7 +4490,7 @@ msgstr "" "Experimente [procurar por grupos](%%action.groupsearch%%) e associar-se à " "eles." -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5279,12 +5279,12 @@ msgstr "%s deixou o grupo %s" msgid "Fullname: %s" msgstr "Nome completo: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "Localização: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "Site: %s" @@ -5763,11 +5763,11 @@ msgstr "Autentique-se com um nome de usuário e uma senha" msgid "Sign up for a new account" msgstr "Cadastre-se para uma nova conta" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "Confirmação do endereço de e-mail" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5796,12 +5796,12 @@ msgstr "" "Obrigado pela sua atenção, \n" "%s\n" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s agora está acompanhando suas mensagens no %2$s." -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5826,17 +5826,17 @@ msgstr "" "----\n" "Altere seu endereço de e-mail e suas opções de notificação em %8$s\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, php-format msgid "Bio: %s" msgstr "Descrição: %s" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "Novo endereço de e-mail para publicar no %s" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5857,21 +5857,21 @@ msgstr "" "Atenciosamente,\n" "%4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "Mensagem de %s" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "Confirmação de SMS" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "Você teve a atenção chamada por %s" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5898,12 +5898,12 @@ msgstr "" "Atenciosamente,\n" "%4$s\n" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "Nova mensagem particular de %s" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5936,12 +5936,12 @@ msgstr "" "Atenciosamente,\n" "%5$s\n" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%s (@%s) marcou sua mensagem como favorita" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5978,12 +5978,12 @@ msgstr "" "Atenciosamente,\n" "%6$s\n" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "%s (@%s) enviou uma mensagem citando você" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/ru/LC_MESSAGES/statusnet.po b/locale/ru/LC_MESSAGES/statusnet.po index 94e9a7902..03aaa074a 100644 --- a/locale/ru/LC_MESSAGES/statusnet.po +++ b/locale/ru/LC_MESSAGES/statusnet.po @@ -12,12 +12,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:36:33+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:50:54+0000\n" "Language-Team: Russian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: ru\n" "X-Message-Group: out-statusnet\n" @@ -106,7 +106,7 @@ msgstr "Ðет такой Ñтраницы" #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -703,7 +703,7 @@ msgstr "Повторы за %s" msgid "Notices tagged with %s" msgstr "ЗапиÑи Ñ Ñ‚ÐµÐ³Ð¾Ð¼ %s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "ÐžÐ±Ð½Ð¾Ð²Ð»ÐµÐ½Ð¸Ñ Ñ Ñ‚ÐµÐ³Ð¾Ð¼ %1$s на %2$s!" @@ -744,7 +744,7 @@ msgstr "" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "Пользователь без ÑоответÑтвующего профилÑ" @@ -1751,7 +1751,7 @@ msgstr "Сделать админиÑтратором" msgid "Make this user an admin" msgstr "Сделать Ñтого Ð¿Ð¾Ð»ÑŒÐ·Ð¾Ð²Ð°Ñ‚ÐµÐ»Ñ Ð°Ð´Ð¼Ð¸Ð½Ð¸Ñтратором" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4459,7 +4459,7 @@ msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" "Попробуйте [найти группы](%%action.groupsearch%%) и приÑоединитьÑÑ Ðº ним." -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5225,12 +5225,12 @@ msgstr "%1$s покинул группу %2$s" msgid "Fullname: %s" msgstr "Полное имÑ: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "МеÑтораÑположение: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "ДомашнÑÑ Ñтраница: %s" @@ -5707,11 +5707,11 @@ msgstr "Войти Ñ Ð²Ð°ÑˆÐ¸Ð¼ ником и паролем." msgid "Sign up for a new account" msgstr "Создать новый аккаунт" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "Подтверждение Ñлектронного адреÑа" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5741,12 +5741,12 @@ msgstr "" "Благодарим за потраченное времÑ, \n" "%s\n" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s теперь Ñледит за вашими запиÑÑми на %2$s." -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5771,17 +5771,17 @@ msgstr "" "----\n" "Измените email-Ð°Ð´Ñ€ÐµÑ Ð¸ наÑтройки уведомлений на %8$s\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, php-format msgid "Bio: %s" msgstr "БиографиÑ: %s" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "Ðовый Ñлектронный Ð°Ð´Ñ€ÐµÑ Ð´Ð»Ñ Ð¿Ð¾Ñтинга %s" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5802,21 +5802,21 @@ msgstr "" "ИÑкренне Ваш,\n" "%4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "%s ÑтатуÑ" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "Подтверждение СМС" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "Ð’Ð°Ñ Â«Ð¿Ð¾Ð´Ñ‚Ð¾Ð»ÐºÐ½ÑƒÐ»Â» пользователь %s" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5843,12 +5843,12 @@ msgstr "" "С уважением,\n" "%4$s\n" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "Ðовое приватное Ñообщение от %s" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5881,12 +5881,12 @@ msgstr "" "С уважением,\n" "%5$s\n" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%s (@%s) добавил вашу запиÑÑŒ в чиÑло Ñвоих любимых" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5923,12 +5923,12 @@ msgstr "" "С уважением,\n" "%6$s\n" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "%s (@%s) отправил запиÑÑŒ Ð´Ð»Ñ Ð²Ð°ÑˆÐµÐ³Ð¾ вниманиÑ" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/statusnet.po b/locale/statusnet.po index 0f6185ffc..0e0a236c0 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-05 22:34+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -98,7 +98,7 @@ msgstr "" #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -674,7 +674,7 @@ msgstr "" msgid "Notices tagged with %s" msgstr "" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "" @@ -714,7 +714,7 @@ msgstr "" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "" @@ -1681,7 +1681,7 @@ msgstr "" msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4184,7 +4184,7 @@ msgstr "" msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -4915,12 +4915,12 @@ msgstr "" msgid "Fullname: %s" msgstr "" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "" @@ -5352,11 +5352,11 @@ msgstr "" msgid "Sign up for a new account" msgstr "" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5373,12 +5373,12 @@ msgid "" "%s\n" msgstr "" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "" -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5393,17 +5393,17 @@ msgid "" "Change your email address or notification options at %8$s\n" msgstr "" -#: lib/mail.php:258 +#: lib/mail.php:262 #, php-format msgid "Bio: %s" msgstr "" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5416,21 +5416,21 @@ msgid "" "%4$s" msgstr "" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5446,12 +5446,12 @@ msgid "" "%4$s\n" msgstr "" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5470,12 +5470,12 @@ msgid "" "%5$s\n" msgstr "" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5496,12 +5496,12 @@ msgid "" "%6$s\n" msgstr "" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/sv/LC_MESSAGES/statusnet.po b/locale/sv/LC_MESSAGES/statusnet.po index ffafd9f93..2a508849f 100644 --- a/locale/sv/LC_MESSAGES/statusnet.po +++ b/locale/sv/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:36:36+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:50:58+0000\n" "Language-Team: Swedish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: sv\n" "X-Message-Group: out-statusnet\n" @@ -102,7 +102,7 @@ msgstr "Ingen sÃ¥dan sida" #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -691,7 +691,7 @@ msgstr "Upprepningar av %s" msgid "Notices tagged with %s" msgstr "Notiser taggade med %s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Uppdateringar taggade med %1$s pÃ¥ %2$s!" @@ -732,7 +732,7 @@ msgstr "" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "Användare utan matchande profil" @@ -1730,7 +1730,7 @@ msgstr "Gör till administratör" msgid "Make this user an admin" msgstr "Gör denna användare till administratör" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4445,7 +4445,7 @@ msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" "Prova att [söka efter grupper](%%action.groupsearch%%) och gÃ¥ med i dem." -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5210,12 +5210,12 @@ msgstr "%s lämnade grupp %s" msgid "Fullname: %s" msgstr "Fullständigt namn: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "Plats: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "Hemsida: %s" @@ -5688,11 +5688,11 @@ msgstr "Logga in med ett användarnamn och lösenord" msgid "Sign up for a new account" msgstr "Registrera dig för ett nytt konto" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "E-postadressbekräftelse" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5721,12 +5721,12 @@ msgstr "" "Tack för din tid, \n" "%s\n" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s lyssnar nu pÃ¥ dina notiser pÃ¥ %2$s." -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5751,17 +5751,17 @@ msgstr "" "----\n" "Ändra din e-postadress eller notiferingsinställningar pÃ¥ %8$s\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, php-format msgid "Bio: %s" msgstr "Biografi: %s" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "Ny e-postadress för att skicka till %s" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5782,21 +5782,21 @@ msgstr "" "Med vänliga hälsningar,\n" "%4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "%s status" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "SMS-bekräftelse" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "Du har blivit knuffad av %s" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5823,12 +5823,12 @@ msgstr "" "Med vänliga hälsningar,\n" "%4$s\n" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "Nytt privat meddelande frÃ¥n %s" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5861,12 +5861,12 @@ msgstr "" "Med vänliga hälsningar,\n" "%5$s\n" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%s (@%s) lade till din notis som en favorit" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5903,12 +5903,12 @@ msgstr "" "Med vänliga hälsningar,\n" "%6$s\n" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "%s (@%s) skickade en notis för din uppmärksamhet" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/te/LC_MESSAGES/statusnet.po b/locale/te/LC_MESSAGES/statusnet.po index f32e1499e..c8a2f5c1a 100644 --- a/locale/te/LC_MESSAGES/statusnet.po +++ b/locale/te/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:36:39+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:51:01+0000\n" "Language-Team: Telugu\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: te\n" "X-Message-Group: out-statusnet\n" @@ -106,7 +106,7 @@ msgstr "à°…à°Ÿà±à°µà°‚à°Ÿà°¿ పేజీ లేదà±" #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -692,7 +692,7 @@ msgstr "%s యొకà±à°• à°ªà±à°¨à°°à°¾à°µà±ƒà°¤à°¾à°²à±" msgid "Notices tagged with %s" msgstr "" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "%s యొకà±à°• మైకà±à°°à±‹à°¬à±à°²à°¾à°—à±" @@ -733,7 +733,7 @@ msgstr "మీ à°µà±à°¯à°•à±à°¤à°¿à°—à°¤ అవతారానà±à°¨à°¿ మీ #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "" @@ -1719,7 +1719,7 @@ msgstr "నిరà±à°µà°¾à°¹à°•à±à°¨à±à°¨à°¿ చేయి" msgid "Make this user an admin" msgstr "à°ˆ వాడà±à°•à°°à°¿à°¨à°¿ నిరà±à°µà°¾à°¹à°•à±à°¨à±à°¨à°¿ చేయి" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4317,7 +4317,7 @@ msgstr "%s à° à°—à±à°‚పౠలోనూ సభà±à°¯à±à°²à± కాదà±." msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "[à°—à±à°‚à°ªà±à°²à°¨à°¿ వెతికి](%%action.groupsearch%%) వాటిలో చేరడానికి à°ªà±à°°à°¯à°¤à±à°¨à°¿à°‚à°šà°‚à°¡à°¿." -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5099,12 +5099,12 @@ msgstr "%2$s à°—à±à°‚పౠనà±à°‚à°¡à°¿ %1$s వైదొలిగారౠmsgid "Fullname: %s" msgstr "పూరà±à°¤à°¿à°ªà±‡à°°à±: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "à°ªà±à°°à°¾à°‚తం: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "హోంపేజీ: %s" @@ -5545,11 +5545,11 @@ msgstr "వాడà±à°•à°°à°¿à°ªà±‡à°°à± మరియౠసంకేతపద msgid "Sign up for a new account" msgstr "కొతà±à°¤ ఖాతా సృషà±à°Ÿà°¿à°‚à°šà±à°•à±‹à°‚à°¡à°¿" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "ఈమెయిలౠచిరà±à°¨à°¾à°®à°¾ నిరà±à°§à°¾à°°à°£" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5566,12 +5566,12 @@ msgid "" "%s\n" msgstr "" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s ఇపà±à°ªà±à°¡à± %2$sలో మీ నోటీసà±à°²à°¨à°¿ వింటà±à°¨à±à°¨à°¾à°°à±." -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5596,17 +5596,17 @@ msgstr "" "----\n" "మీ ఈమెయిలౠచిరà±à°¨à°¾à°®à°¾à°¨à°¿ లేదా గమనింపà±à°² ఎంపికలనౠ%8$s వదà±à°¦ మారà±à°šà±à°•à±‹à°‚à°¡à°¿\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, php-format msgid "Bio: %s" msgstr "à°¸à±à°µà°ªà°°à°¿à°šà°¯à°‚: %s" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5619,21 +5619,21 @@ msgid "" "%4$s" msgstr "" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "%s à°¸à±à°¥à°¿à°¤à°¿" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "SMS నిరà±à°§à°¾à°°à°£" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5649,12 +5649,12 @@ msgid "" "%4$s\n" msgstr "" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "%s à°¨à±à°‚à°¡à°¿ కొతà±à°¤ అంతరంగిక సందేశం" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5673,12 +5673,12 @@ msgid "" "%5$s\n" msgstr "" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5699,12 +5699,12 @@ msgid "" "%6$s\n" msgstr "" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "%s (@%s) మీకౠఒక నోటీసà±à°¨à°¿ పంపించారà±" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/tr/LC_MESSAGES/statusnet.po b/locale/tr/LC_MESSAGES/statusnet.po index 80dba9abf..805e55268 100644 --- a/locale/tr/LC_MESSAGES/statusnet.po +++ b/locale/tr/LC_MESSAGES/statusnet.po @@ -9,12 +9,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:36:42+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:51:04+0000\n" "Language-Team: Turkish\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: tr\n" "X-Message-Group: out-statusnet\n" @@ -109,7 +109,7 @@ msgstr "Böyle bir durum mesajı yok." #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -712,7 +712,7 @@ msgstr "%s için cevaplar" msgid "Notices tagged with %s" msgstr "" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "%s adli kullanicinin durum mesajlari" @@ -754,7 +754,7 @@ msgstr "" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "" @@ -1788,7 +1788,7 @@ msgstr "" msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4430,7 +4430,7 @@ msgstr "Bize o profili yollamadınız" msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5224,12 +5224,12 @@ msgstr "%1$s'in %2$s'deki durum mesajları " msgid "Fullname: %s" msgstr "Tam Ä°sim" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "" @@ -5684,11 +5684,11 @@ msgstr "Geçersiz kullanıcı adı veya parola." msgid "Sign up for a new account" msgstr "Yeni hesap oluÅŸtur" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "Eposta adresi onayı" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5705,12 +5705,12 @@ msgid "" "%s\n" msgstr "" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s %2$s'da durumunuzu takip ediyor" -#: lib/mail.php:241 +#: lib/mail.php:245 #, fuzzy, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5731,17 +5731,17 @@ msgstr "" "Kendisini durumsuz bırakmayın!,\n" "%4$s.\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, fuzzy, php-format msgid "Bio: %s" msgstr "Hakkında" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5754,21 +5754,21 @@ msgid "" "%4$s" msgstr "" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "%s durum" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5784,12 +5784,12 @@ msgid "" "%4$s\n" msgstr "" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5808,12 +5808,12 @@ msgid "" "%5$s\n" msgstr "" -#: lib/mail.php:559 +#: lib/mail.php:568 #, fuzzy, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%1$s %2$s'da durumunuzu takip ediyor" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5834,12 +5834,12 @@ msgid "" "%6$s\n" msgstr "" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/uk/LC_MESSAGES/statusnet.po b/locale/uk/LC_MESSAGES/statusnet.po index 145eb3854..78aa5dc23 100644 --- a/locale/uk/LC_MESSAGES/statusnet.po +++ b/locale/uk/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:36:45+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:51:07+0000\n" "Language-Team: Ukrainian\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: uk\n" "X-Message-Group: out-statusnet\n" @@ -105,7 +105,7 @@ msgstr "Ðемає такої Ñторінки" #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -702,7 +702,7 @@ msgstr "ÐŸÐ¾Ð²Ñ‚Ð¾Ñ€ÐµÐ½Ð½Ñ %s" msgid "Notices tagged with %s" msgstr "ДопиÑи позначені з %s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "ÐžÐ½Ð¾Ð²Ð»ÐµÐ½Ð½Ñ Ð¿Ð¾Ð·Ð½Ð°Ñ‡ÐµÐ½Ñ– з %1$s на %2$s!" @@ -742,7 +742,7 @@ msgstr "Ви можете завантажити аватару. МакÑима #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "КориÑтувач з невідповідним профілем" @@ -1735,7 +1735,7 @@ msgstr "Зробити адміном" msgid "Make this user an admin" msgstr "Ðадати цьому кориÑтувачеві права адмініÑтратора" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4444,7 +4444,7 @@ msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" "Спробуйте [знайти ÑкіÑÑŒ групи](%%action.groupsearch%%) Ñ– приєднайтеÑÑ Ð´Ð¾ них." -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5206,12 +5206,12 @@ msgstr "%1$s залишив групу %2$s" msgid "Fullname: %s" msgstr "Повне ім’Ñ: %s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "ЛокаціÑ: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "Веб-Ñторінка: %s" @@ -5685,11 +5685,11 @@ msgstr "Увійти викориÑтовуючи Ñ–Ð¼â€™Ñ Ñ‚Ð° пароль" msgid "Sign up for a new account" msgstr "ЗареєÑтрувати новий акаунт" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "ÐŸÑ–Ð´Ñ‚Ð²ÐµÑ€Ð´Ð¶ÐµÐ½Ð½Ñ ÐµÐ»ÐµÐºÑ‚Ñ€Ð¾Ð½Ð½Ð¾Ñ— адреÑи" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5718,12 +5718,12 @@ msgstr "" "ДÑкуємо за Ваш Ñ‡Ð°Ñ \n" "%s\n" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s тепер Ñлідкує за Вашими допиÑами на %2$s." -#: lib/mail.php:241 +#: lib/mail.php:245 #, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5748,17 +5748,17 @@ msgstr "" "----\n" "Змінити електронну адреÑу або умови ÑÐ¿Ð¾Ð²Ñ–Ñ‰ÐµÐ½Ð½Ñ â€” %8$s\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, php-format msgid "Bio: %s" msgstr "Про Ñебе: %s" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "Ðова електронна адреÑа Ð´Ð»Ñ Ð½Ð°Ð´ÑÐ¸Ð»Ð°Ð½Ð½Ñ Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½ÑŒ на %s" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5779,21 +5779,21 @@ msgstr "" "Щиро Ваші,\n" "%4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "%s ÑтатуÑ" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "ÐŸÑ–Ð´Ñ‚Ð²ÐµÑ€Ð´Ð¶ÐµÐ½Ð½Ñ Ð¡ÐœÐ¡" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "Ð’Ð°Ñ Ñпробував «розштовхати» %s" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5820,12 +5820,12 @@ msgstr "" "З найкращими побажаннÑми,\n" "%4$s\n" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "Ðове приватне Ð¿Ð¾Ð²Ñ–Ð´Ð¾Ð¼Ð»ÐµÐ½Ð½Ñ Ð²Ñ–Ð´ %s" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5858,12 +5858,12 @@ msgstr "" "З найкращими побажаннÑми,\n" "%5$s\n" -#: lib/mail.php:559 +#: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%s (@%s) додав(ла) Ваш Ð´Ð¾Ð¿Ð¸Ñ Ð¾Ð±Ñ€Ð°Ð½Ð¸Ñ…" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5900,12 +5900,12 @@ msgstr "" "Щиро Ваші,\n" "%6$s\n" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "%s (@%s) пропонує до Вашої уваги наÑтупний допиÑ" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/vi/LC_MESSAGES/statusnet.po b/locale/vi/LC_MESSAGES/statusnet.po index dec9eeeba..59751aa5d 100644 --- a/locale/vi/LC_MESSAGES/statusnet.po +++ b/locale/vi/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:36:48+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:51:10+0000\n" "Language-Team: Vietnamese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: vi\n" "X-Message-Group: out-statusnet\n" @@ -108,7 +108,7 @@ msgstr "Không có tin nhắn nào." #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -713,7 +713,7 @@ msgstr "Trả lá»i cho %s" msgid "Notices tagged with %s" msgstr "Thông báo được gắn thẻ %s" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "Dòng tin nhắn cho %s" @@ -757,7 +757,7 @@ msgstr "" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 #, fuzzy msgid "User without matching profile" msgstr "Hồ sÆ¡ ở nÆ¡i khác không khá»›p vá»›i hồ sÆ¡ này của bạn" @@ -1833,7 +1833,7 @@ msgstr "" msgid "Make this user an admin" msgstr "Kênh mà bạn tham gia" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, fuzzy, php-format msgid "%s timeline" @@ -4580,7 +4580,7 @@ msgstr "Bạn chÆ°a cập nhật thông tin riêng" msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5386,12 +5386,12 @@ msgstr "%s và nhóm" msgid "Fullname: %s" msgstr "Tên đầy đủ" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, fuzzy, php-format msgid "Location: %s" msgstr "Thành phố: %s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, fuzzy, php-format msgid "Homepage: %s" msgstr "Trang chủ hoặc Blog: %s" @@ -5856,11 +5856,11 @@ msgstr "Sai tên đăng nhập hoặc mật khẩu." msgid "Sign up for a new account" msgstr "Tạo tài khoản má»›i" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "Xac nhan dia chi email" -#: lib/mail.php:174 +#: lib/mail.php:175 #, fuzzy, php-format msgid "" "Hey, %s.\n" @@ -5892,12 +5892,12 @@ msgstr "" "%4$s\n" "\n" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s Ä‘ang theo dõi lÆ°u ý của bạn trên %2$s." -#: lib/mail.php:241 +#: lib/mail.php:245 #, fuzzy, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5918,17 +5918,17 @@ msgstr "" "NgÆ°á»i bạn trung thành của bạn,\n" "%4$s.\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, fuzzy, php-format msgid "Bio: %s" msgstr "Thành phố: %s" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "Dia chi email moi de gui tin nhan den %s" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5949,21 +5949,21 @@ msgstr "" "Chúc sức khá»e,\n" "%4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, fuzzy, php-format msgid "%s status" msgstr "Trạng thái của %1$s vào %2$s" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "Xác nhận SMS" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5979,12 +5979,12 @@ msgid "" "%4$s\n" msgstr "" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "Bạn có tin nhắn riêng từ %s" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -6017,12 +6017,12 @@ msgstr "" "Chúc sức khá»e,\n" "%5$s\n" -#: lib/mail.php:559 +#: lib/mail.php:568 #, fuzzy, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%s da them tin nhan cua ban vao danh sach tin nhan ua thich" -#: lib/mail.php:561 +#: lib/mail.php:570 #, fuzzy, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -6056,12 +6056,12 @@ msgstr "" "Chúc sức khá»e,\n" "%5$s\n" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/zh_CN/LC_MESSAGES/statusnet.po b/locale/zh_CN/LC_MESSAGES/statusnet.po index 36e3a7946..cc1761616 100644 --- a/locale/zh_CN/LC_MESSAGES/statusnet.po +++ b/locale/zh_CN/LC_MESSAGES/statusnet.po @@ -10,12 +10,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:37:13+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:51:13+0000\n" "Language-Team: Simplified Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hans\n" "X-Message-Group: out-statusnet\n" @@ -110,7 +110,7 @@ msgstr "没有该页é¢" #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -711,7 +711,7 @@ msgstr "%s 的回å¤" msgid "Notices tagged with %s" msgstr "带 %s 标签的通告" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "%2$s 上 %1$s çš„æ›´æ–°ï¼" @@ -753,7 +753,7 @@ msgstr "您å¯ä»¥åœ¨è¿™é‡Œä¸Šä¼ ä¸ªäººå¤´åƒã€‚" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "找ä¸åˆ°åŒ¹é…的用户。" @@ -1810,7 +1810,7 @@ msgstr "admin管ç†å‘˜" msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4508,7 +4508,7 @@ msgstr "您未告知此个人信æ¯" msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5311,12 +5311,12 @@ msgstr "%s 离开群 %s" msgid "Fullname: %s" msgstr "å…¨å:%s" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "ä½ç½®ï¼š%s" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "主页:%s" @@ -5772,11 +5772,11 @@ msgstr "输入用户å和密ç ä»¥ç™»å½•ã€‚" msgid "Sign up for a new account" msgstr "创建新å¸å·" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "电å­é‚®ä»¶åœ°å€ç¡®è®¤" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5793,12 +5793,12 @@ msgid "" "%s\n" msgstr "" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s 开始关注您的 %2$s ä¿¡æ¯ã€‚" -#: lib/mail.php:241 +#: lib/mail.php:245 #, fuzzy, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5818,19 +5818,19 @@ msgstr "" "\n" "为您效力的 %4$s\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, fuzzy, php-format msgid "Bio: %s" msgstr "" "自传Bio: %s\n" "\n" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "新的电å­é‚®ä»¶åœ°å€ï¼Œç”¨äºŽå‘布 %s ä¿¡æ¯" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5850,21 +5850,21 @@ msgstr "" "\n" "为您效力的 %4$s" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "%s 状æ€" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "SMS短信确认" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "%s 振铃呼å«ä½ " -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5880,12 +5880,12 @@ msgid "" "%4$s\n" msgstr "" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "%s å‘é€äº†æ–°çš„ç§äººä¿¡æ¯" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5904,12 +5904,12 @@ msgid "" "%5$s\n" msgstr "" -#: lib/mail.php:559 +#: lib/mail.php:568 #, fuzzy, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "%s 收è—了您的通告" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5930,12 +5930,12 @@ msgid "" "%6$s\n" msgstr "" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" diff --git a/locale/zh_TW/LC_MESSAGES/statusnet.po b/locale/zh_TW/LC_MESSAGES/statusnet.po index 2829f707e..3ea887beb 100644 --- a/locale/zh_TW/LC_MESSAGES/statusnet.po +++ b/locale/zh_TW/LC_MESSAGES/statusnet.po @@ -7,12 +7,12 @@ msgid "" msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-04 18:55+0000\n" -"PO-Revision-Date: 2010-03-05 22:37:16+0000\n" +"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"PO-Revision-Date: 2010-03-06 23:51:15+0000\n" "Language-Team: Traditional Chinese\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63299); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: zh-hant\n" "X-Message-Group: out-statusnet\n" @@ -105,7 +105,7 @@ msgstr "無此通知" #: actions/otp.php:76 actions/remotesubscribe.php:145 #: actions/remotesubscribe.php:154 actions/replies.php:73 #: actions/repliesrss.php:38 actions/rsd.php:116 actions/showfavorites.php:105 -#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:38 +#: actions/userbyid.php:74 actions/usergroups.php:91 actions/userrss.php:40 #: actions/xrds.php:71 lib/command.php:163 lib/command.php:302 #: lib/command.php:355 lib/command.php:401 lib/command.php:462 #: lib/command.php:518 lib/galleryaction.php:59 lib/mailbox.php:82 @@ -701,7 +701,7 @@ msgstr "" msgid "Notices tagged with %s" msgstr "" -#: actions/apitimelinetag.php:104 actions/tagrss.php:64 +#: actions/apitimelinetag.php:104 actions/tagrss.php:65 #, fuzzy, php-format msgid "Updates tagged with %1$s on %2$s!" msgstr "&s的微型部è½æ ¼" @@ -743,7 +743,7 @@ msgstr "" #: actions/avatarsettings.php:106 actions/avatarsettings.php:185 #: actions/remotesubscribe.php:191 actions/userauthorization.php:72 -#: actions/userrss.php:103 +#: actions/userrss.php:106 msgid "User without matching profile" msgstr "" @@ -1768,7 +1768,7 @@ msgstr "" msgid "Make this user an admin" msgstr "" -#: actions/grouprss.php:138 actions/userrss.php:90 +#: actions/grouprss.php:138 actions/userrss.php:93 #: lib/atomgroupnoticefeed.php:61 lib/atomusernoticefeed.php:67 #, php-format msgid "%s timeline" @@ -4347,7 +4347,7 @@ msgstr "" msgid "Try [searching for groups](%%action.groupsearch%%) and joining them." msgstr "" -#: actions/userrss.php:92 lib/atomgroupnoticefeed.php:66 +#: actions/userrss.php:95 lib/atomgroupnoticefeed.php:66 #: lib/atomusernoticefeed.php:72 #, php-format msgid "Updates from %1$s on %2$s!" @@ -5125,12 +5125,12 @@ msgstr "%1$s的狀態是%2$s" msgid "Fullname: %s" msgstr "å…¨å" -#: lib/command.php:312 lib/mail.php:254 +#: lib/command.php:312 lib/mail.php:258 #, php-format msgid "Location: %s" msgstr "" -#: lib/command.php:315 lib/mail.php:256 +#: lib/command.php:315 lib/mail.php:260 #, php-format msgid "Homepage: %s" msgstr "" @@ -5577,11 +5577,11 @@ msgstr "使用者å稱或密碼無效" msgid "Sign up for a new account" msgstr "新增帳號" -#: lib/mail.php:172 +#: lib/mail.php:173 msgid "Email address confirmation" msgstr "確èªä¿¡ç®±" -#: lib/mail.php:174 +#: lib/mail.php:175 #, php-format msgid "" "Hey, %s.\n" @@ -5598,12 +5598,12 @@ msgid "" "%s\n" msgstr "" -#: lib/mail.php:236 +#: lib/mail.php:240 #, php-format msgid "%1$s is now listening to your notices on %2$s." msgstr "ç¾åœ¨%1$s在%2$sæˆç‚ºä½ çš„粉絲囉" -#: lib/mail.php:241 +#: lib/mail.php:245 #, fuzzy, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" @@ -5625,17 +5625,17 @@ msgstr "" "%4$s.\n" "敬上。\n" -#: lib/mail.php:258 +#: lib/mail.php:262 #, fuzzy, php-format msgid "Bio: %s" msgstr "自我介紹" -#: lib/mail.php:286 +#: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" msgstr "" -#: lib/mail.php:289 +#: lib/mail.php:293 #, php-format msgid "" "You have a new posting address on %1$s.\n" @@ -5648,21 +5648,21 @@ msgid "" "%4$s" msgstr "" -#: lib/mail.php:413 +#: lib/mail.php:417 #, php-format msgid "%s status" msgstr "" -#: lib/mail.php:439 +#: lib/mail.php:443 msgid "SMS confirmation" msgstr "" -#: lib/mail.php:463 +#: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" msgstr "" -#: lib/mail.php:467 +#: lib/mail.php:471 #, php-format msgid "" "%1$s (%2$s) is wondering what you are up to these days and is inviting you " @@ -5678,12 +5678,12 @@ msgid "" "%4$s\n" msgstr "" -#: lib/mail.php:510 +#: lib/mail.php:517 #, php-format msgid "New private message from %s" msgstr "" -#: lib/mail.php:514 +#: lib/mail.php:521 #, php-format msgid "" "%1$s (%2$s) sent you a private message:\n" @@ -5702,12 +5702,12 @@ msgid "" "%5$s\n" msgstr "" -#: lib/mail.php:559 +#: lib/mail.php:568 #, fuzzy, php-format msgid "%s (@%s) added your notice as a favorite" msgstr "ç¾åœ¨%1$s在%2$sæˆç‚ºä½ çš„粉絲囉" -#: lib/mail.php:561 +#: lib/mail.php:570 #, php-format msgid "" "%1$s (@%7$s) just added your notice from %2$s as one of their favorites.\n" @@ -5728,12 +5728,12 @@ msgid "" "%6$s\n" msgstr "" -#: lib/mail.php:624 +#: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" msgstr "" -#: lib/mail.php:626 +#: lib/mail.php:637 #, php-format msgid "" "%1$s (@%9$s) just sent a notice to your attention (an '@-reply') on %2$s.\n" -- cgit v1.2.3-54-g00ecf From b8cb3d2833a5de39e51d5beb463ab8a0d218bbdb Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Mon, 8 Mar 2010 16:08:03 +0000 Subject: Alignment fix for IE6 --- theme/base/css/ie6.css | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/theme/base/css/ie6.css b/theme/base/css/ie6.css index edc49478f..6df5e01ce 100644 --- a/theme/base/css/ie6.css +++ b/theme/base/css/ie6.css @@ -12,11 +12,11 @@ margin:0 auto; } #content { -width:69%; +width:66%; } #aside_primary { -padding:5%; -width:29.5%; +padding:1.8%; +width:24%; } .entity_profile .entity_nickname, .entity_profile .entity_location, @@ -32,9 +32,9 @@ margin-bottom:123px; width:20%; } .notice div.entry-content { -width:50%; +width:65%; margin-left:30px; } .notice-options a { width:16px; -} \ No newline at end of file +} -- cgit v1.2.3-54-g00ecf From 3f696ff0ed4be5791edd38cf7b2a98a364b95676 Mon Sep 17 00:00:00 2001 From: Jeffery To Date: Fri, 5 Mar 2010 17:54:53 +0800 Subject: ldap_get_connection() to return null when passed a config with bad user/pw. This mainly affects login; before if the user enters a valid username but invalid password, ldap_get_connection() throws an LDAP_INVALID_CREDENTIALS error. Now the user sees the regular "Incorrect username of password" error message. --- plugins/LdapAuthentication/LdapAuthenticationPlugin.php | 5 +++++ plugins/LdapAuthorization/LdapAuthorizationPlugin.php | 5 +++++ 2 files changed, 10 insertions(+) diff --git a/plugins/LdapAuthentication/LdapAuthenticationPlugin.php b/plugins/LdapAuthentication/LdapAuthenticationPlugin.php index e0fd615dd..483209676 100644 --- a/plugins/LdapAuthentication/LdapAuthenticationPlugin.php +++ b/plugins/LdapAuthentication/LdapAuthenticationPlugin.php @@ -224,6 +224,11 @@ class LdapAuthenticationPlugin extends AuthenticationPlugin $ldap->setErrorHandling(PEAR_ERROR_RETURN); $err=$ldap->bind(); if (Net_LDAP2::isError($err)) { + // if we were called with a config, assume caller will handle + // incorrect username/password (LDAP_INVALID_CREDENTIALS) + if (isset($config) && $err->getCode() == 0x31) { + return null; + } throw new Exception('Could not connect to LDAP server: '.$err->getMessage()); } if($config == null) $this->default_ldap=$ldap; diff --git a/plugins/LdapAuthorization/LdapAuthorizationPlugin.php b/plugins/LdapAuthorization/LdapAuthorizationPlugin.php index 19aff42b8..2608025dd 100644 --- a/plugins/LdapAuthorization/LdapAuthorizationPlugin.php +++ b/plugins/LdapAuthorization/LdapAuthorizationPlugin.php @@ -167,6 +167,11 @@ class LdapAuthorizationPlugin extends AuthorizationPlugin $ldap->setErrorHandling(PEAR_ERROR_RETURN); $err=$ldap->bind(); if (Net_LDAP2::isError($err)) { + // if we were called with a config, assume caller will handle + // incorrect username/password (LDAP_INVALID_CREDENTIALS) + if (isset($config) && $err->getCode() == 0x31) { + return null; + } throw new Exception('Could not connect to LDAP server: '.$err->getMessage()); return false; } -- cgit v1.2.3-54-g00ecf From ef3991dbbe0acdba2dd7050b99f951ccfe5b8258 Mon Sep 17 00:00:00 2001 From: Jeffery To Date: Mon, 8 Mar 2010 15:31:16 +0800 Subject: Fixed warning messages when auto-registering a new LDAP user. On my test system (without memcache), while testing the LDAP authentication plugin, when I sign in for the first time, triggering auto-registration, I get these messages in the output page: Warning: ksort() expects parameter 1 to be array, null given in /home/jeff/Documents/code/statusnet/classes/Memcached_DataObject.php on line 219 Warning: Invalid argument supplied for foreach() in /home/jeff/Documents/code/statusnet/classes/Memcached_DataObject.php on line 224 Warning: assert() [function.assert]: Assertion failed in /home/jeff/Documents/code/statusnet/classes/Memcached_DataObject.php on line 241 (plus two "Cannot modify header information..." messages as a result of the above warnings) This change appears to fix this (although I can't really explain exactly why). --- classes/User_username.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/classes/User_username.php b/classes/User_username.php index 853fd5cb8..8d99cddd3 100644 --- a/classes/User_username.php +++ b/classes/User_username.php @@ -55,7 +55,7 @@ class User_username extends Memcached_DataObject // now define the keys. function keys() { - return array('provider_name', 'username'); + return array('provider_name' => 'K', 'username' => 'K'); } } -- cgit v1.2.3-54-g00ecf From 6524efd2a0b8684500ef15eb61f740fc7365e1e3 Mon Sep 17 00:00:00 2001 From: Siebrand Mazeland Date: Mon, 8 Mar 2010 22:48:27 +0100 Subject: Localisation updates for !StatusNet from !translatewiki.net !sntrans Signed-off-by: Siebrand Mazeland --- locale/de/LC_MESSAGES/statusnet.po | 43 ++-- locale/nb/LC_MESSAGES/statusnet.po | 443 ++++++++++++++++++++----------------- locale/statusnet.po | 2 +- 3 files changed, 264 insertions(+), 224 deletions(-) diff --git a/locale/de/LC_MESSAGES/statusnet.po b/locale/de/LC_MESSAGES/statusnet.po index fb91e4768..4bad95b9e 100644 --- a/locale/de/LC_MESSAGES/statusnet.po +++ b/locale/de/LC_MESSAGES/statusnet.po @@ -16,11 +16,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-06 23:49+0000\n" -"PO-Revision-Date: 2010-03-06 23:49:34+0000\n" +"PO-Revision-Date: 2010-03-08 21:10:39+0000\n" "Language-Team: German\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63415); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: de\n" "X-Message-Group: out-statusnet\n" @@ -3364,14 +3364,12 @@ msgid "Replies to %1$s on %2$s!" msgstr "Antworten an %1$s auf %2$s!" #: actions/revokerole.php:75 -#, fuzzy msgid "You cannot revoke user roles on this site." -msgstr "Du kannst Nutzer dieser Seite nicht ruhig stellen." +msgstr "Du kannst die Rollen von Nutzern dieser Seite nicht widerrufen." #: actions/revokerole.php:82 -#, fuzzy msgid "User doesn't have this role." -msgstr "Benutzer ohne passendes Profil" +msgstr "Benutzer verfügt nicht über diese Rolle." #: actions/rsd.php:146 actions/version.php:157 msgid "StatusNet" @@ -4289,11 +4287,11 @@ msgstr "Profil" #: actions/useradminpanel.php:222 msgid "Bio Limit" -msgstr "" +msgstr "Bio Limit" #: actions/useradminpanel.php:223 msgid "Maximum length of a profile bio in characters." -msgstr "" +msgstr "Maximale Länge in Zeichen der Profil Bio." #: actions/useradminpanel.php:231 msgid "New users" @@ -4412,7 +4410,7 @@ msgstr "" #: actions/userauthorization.php:329 #, php-format msgid "Profile URL ‘%s’ is for a local user." -msgstr "" +msgstr "Profiladresse '%s' ist für einen lokalen Benutzer." #: actions/userauthorization.php:345 #, php-format @@ -4515,6 +4513,8 @@ msgid "" "You should have received a copy of the GNU Affero General Public License " "along with this program. If not, see %s." msgstr "" +"Du hast eine Kopie der GNU Affero General Public License zusammen mit diesem " +"Programm erhalten. Wenn nicht, siehe %s." #: actions/version.php:189 msgid "Plugins" @@ -4534,16 +4534,20 @@ msgid "" "No file may be larger than %d bytes and the file you sent was %d bytes. Try " "to upload a smaller version." msgstr "" +"Keine Datei darf größer als %d Bytes sein und die Datei die du verschicken " +"wolltest ist %d Bytes groß. Bitte eine kleinere Datei hoch laden." #: classes/File.php:154 #, php-format msgid "A file this large would exceed your user quota of %d bytes." -msgstr "" +msgstr "Eine Datei dieser Größe überschreitet deine User Quota von %d Byte." #: classes/File.php:161 #, php-format msgid "A file this large would exceed your monthly quota of %d bytes." msgstr "" +"Eine Datei dieser Größe würde deine monatliche Quota von %d Byte " +"überschreiten." #: classes/Group_member.php:41 msgid "Group join failed." @@ -4599,7 +4603,6 @@ msgstr "" "ein paar Minuten ab." #: classes/Notice.php:256 -#, fuzzy msgid "" "Too many duplicate messages too quickly; take a breather and post again in a " "few minutes." @@ -4915,6 +4918,8 @@ msgstr "" #, php-format msgid "Content and data copyright by %1$s. All rights reserved." msgstr "" +"Inhalt und Daten urheberrechtlich geschützt durch %1$s. Alle Rechte " +"vorbehalten." #: lib/action.php:834 msgid "Content and data copyright by contributors. All rights reserved." @@ -4946,7 +4951,7 @@ msgstr "" #: lib/activity.php:481 msgid "Can't handle embedded XML content yet." -msgstr "" +msgstr "Kann eingebundenen XML Inhalt nicht verarbeiten." #: lib/activity.php:485 msgid "Can't handle embedded Base64 content yet." @@ -4959,9 +4964,8 @@ msgstr "Du kannst keine Änderungen an dieser Seite vornehmen." #. TRANS: Client error message #: lib/adminpanelaction.php:110 -#, fuzzy msgid "Changes to that panel are not allowed." -msgstr "Registrierung nicht gestattet" +msgstr "Änderungen an dieser Seite sind nicht erlaubt." #. TRANS: Client error message #: lib/adminpanelaction.php:229 @@ -5054,9 +5058,9 @@ msgid "Icon for this application" msgstr "Programmsymbol" #: lib/applicationeditform.php:204 -#, fuzzy, php-format +#, php-format msgid "Describe your application in %d characters" -msgstr "Beschreibe die Gruppe oder das Thema in 140 Zeichen" +msgstr "Beschreibe dein Programm in %d Zeichen" #: lib/applicationeditform.php:207 msgid "Describe your application" @@ -5075,9 +5079,8 @@ msgid "Organization responsible for this application" msgstr "" #: lib/applicationeditform.php:230 -#, fuzzy msgid "URL for the homepage of the organization" -msgstr "URL der Homepage oder Blogs der Gruppe oder des Themas" +msgstr "Homepage der Gruppe oder des Themas" #: lib/applicationeditform.php:236 msgid "URL to redirect to after authentication" @@ -6213,9 +6216,9 @@ msgid "Repeat this notice" msgstr "Diese Nachricht wiederholen" #: lib/revokeroleform.php:91 -#, fuzzy, php-format +#, php-format msgid "Revoke the \"%s\" role from this user" -msgstr "Diesen Nutzer von der Gruppe sperren" +msgstr "Widerrufe die \"%s\" Rolle von diesem Benutzer" #: lib/router.php:671 msgid "No single user defined for single-user mode." diff --git a/locale/nb/LC_MESSAGES/statusnet.po b/locale/nb/LC_MESSAGES/statusnet.po index 77588ef05..b687e445e 100644 --- a/locale/nb/LC_MESSAGES/statusnet.po +++ b/locale/nb/LC_MESSAGES/statusnet.po @@ -10,11 +10,11 @@ msgstr "" "Project-Id-Version: StatusNet\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2010-03-06 23:49+0000\n" -"PO-Revision-Date: 2010-03-06 23:50:27+0000\n" +"PO-Revision-Date: 2010-03-08 21:11:29+0000\n" "Language-Team: Norwegian (bokmÃ¥l)‬\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -"X-Generator: MediaWiki 1.17alpha (r63350); Translate extension (2010-01-16)\n" +"X-Generator: MediaWiki 1.17alpha (r63415); Translate extension (2010-01-16)\n" "X-Translation-Project: translatewiki.net at http://translatewiki.net\n" "X-Language-Code: no\n" "X-Message-Group: out-statusnet\n" @@ -43,7 +43,6 @@ msgstr "Forhindre anonyme brukere (ikke innlogget) Ã¥ se nettsted?" #. TRANS: Checkbox label for prohibiting anonymous users from viewing site. #: actions/accessadminpanel.php:167 -#, fuzzy msgctxt "LABEL" msgid "Private" msgstr "Privat" @@ -74,7 +73,6 @@ msgid "Save access settings" msgstr "Lagre tilgangsinnstillinger" #: actions/accessadminpanel.php:203 -#, fuzzy msgctxt "BUTTON" msgid "Save" msgstr "Lagre" @@ -1094,11 +1092,11 @@ msgstr "Av" #: actions/designadminpanel.php:474 lib/designsettings.php:156 msgid "Turn background image on or off." -msgstr "" +msgstr "SlÃ¥ pÃ¥ eller av bakgrunnsbilde." #: actions/designadminpanel.php:479 lib/designsettings.php:161 msgid "Tile background image" -msgstr "" +msgstr "Gjenta bakgrunnsbildet" #: actions/designadminpanel.php:488 lib/designsettings.php:170 msgid "Change colours" @@ -1213,7 +1211,7 @@ msgstr "Organisasjon er for lang (maks 255 tegn)." #: actions/editapplication.php:209 actions/newapplication.php:194 msgid "Organization homepage is required." -msgstr "" +msgstr "Hjemmeside for organisasjon kreves." #: actions/editapplication.php:218 actions/newapplication.php:206 msgid "Callback is too long." @@ -1224,9 +1222,8 @@ msgid "Callback URL is not valid." msgstr "" #: actions/editapplication.php:258 -#, fuzzy msgid "Could not update application." -msgstr "Klarte ikke Ã¥ oppdatere bruker." +msgstr "Kunne ikke oppdatere programmet." #: actions/editgroup.php:56 #, php-format @@ -1320,11 +1317,11 @@ msgstr "innkommende e-post" #: actions/emailsettings.php:138 actions/smssettings.php:157 msgid "Send email to this address to post new notices." -msgstr "" +msgstr "Send e-post til denne adressen for Ã¥ poste nye notiser." #: actions/emailsettings.php:145 actions/smssettings.php:162 msgid "Make a new email address for posting to; cancels the old one." -msgstr "" +msgstr "Angi en ny e-postadresse for Ã¥ poste til; fjerner den gamle." #: actions/emailsettings.php:148 actions/smssettings.php:164 msgid "New" @@ -1341,15 +1338,15 @@ msgstr "" #: actions/emailsettings.php:163 msgid "Send me email when someone adds my notice as a favorite." -msgstr "" +msgstr "Send meg en e-post nÃ¥r noen legger min notis til som favoritt." #: actions/emailsettings.php:169 msgid "Send me email when someone sends me a private message." -msgstr "" +msgstr "Send meg en e-post nÃ¥r noen sender meg en privat melding." #: actions/emailsettings.php:174 msgid "Send me email when someone sends me an \"@-reply\"." -msgstr "" +msgstr "Send meg en e-post nÃ¥r noen sender meg et «@-svar»." #: actions/emailsettings.php:179 msgid "Allow friends to nudge me and send me an email." @@ -1357,7 +1354,7 @@ msgstr "" #: actions/emailsettings.php:185 msgid "I want to post notices by email." -msgstr "" +msgstr "Jeg vil poste notiser med e-post." #: actions/emailsettings.php:191 msgid "Publish a MicroID for my email address." @@ -1387,12 +1384,12 @@ msgstr "Det er allerede din e-postadresse." #: actions/emailsettings.php:337 msgid "That email address already belongs to another user." -msgstr "" +msgstr "Den e-postadressen tilhører allerede en annen bruker." #: actions/emailsettings.php:353 actions/imsettings.php:319 #: actions/smssettings.php:337 msgid "Couldn't insert confirmation code." -msgstr "" +msgstr "Kunne ikke sette inn bekreftelseskode." #: actions/emailsettings.php:359 msgid "" @@ -1427,7 +1424,7 @@ msgstr "Adressen ble fjernet." #: actions/emailsettings.php:446 actions/smssettings.php:518 msgid "No incoming email address." -msgstr "" +msgstr "Ingen innkommende e-postadresse." #: actions/emailsettings.php:456 actions/emailsettings.php:478 #: actions/smssettings.php:528 actions/smssettings.php:552 @@ -1440,15 +1437,15 @@ msgstr "" #: actions/emailsettings.php:481 actions/smssettings.php:555 msgid "New incoming email address added." -msgstr "" +msgstr "Ny innkommende e-postadresse lagt til." #: actions/favor.php:79 msgid "This notice is already a favorite!" -msgstr "" +msgstr "Denne notisen er allerede en favoritt." #: actions/favor.php:92 lib/disfavorform.php:140 msgid "Disfavor favorite" -msgstr "" +msgstr "Fjern favoritt" #: actions/favorited.php:65 lib/popularnoticesection.php:91 #: lib/publicgroupnav.php:93 @@ -1508,14 +1505,12 @@ msgid "A selection of some great users on %s" msgstr "" #: actions/file.php:34 -#, fuzzy msgid "No notice ID." -msgstr "Nytt nick" +msgstr "Ingen notis-ID." #: actions/file.php:38 -#, fuzzy msgid "No notice." -msgstr "Nytt nick" +msgstr "Ingen notis." #: actions/file.php:42 msgid "No attachments." @@ -1566,40 +1561,37 @@ msgid "Cannot read file." msgstr "Kan ikke lese fil." #: actions/grantrole.php:62 actions/revokerole.php:62 -#, fuzzy msgid "Invalid role." -msgstr "Ugyldig symbol." +msgstr "Ugyldig rolle." #: actions/grantrole.php:66 actions/revokerole.php:66 msgid "This role is reserved and cannot be set." -msgstr "" +msgstr "Denne rollen er reservert og kan ikke stilles inn." #: actions/grantrole.php:75 -#, fuzzy msgid "You cannot grant user roles on this site." -msgstr "Du er allerede logget inn!" +msgstr "Du kan ikke tildele brukerroller pÃ¥ dette nettstedet." #: actions/grantrole.php:82 -#, fuzzy msgid "User already has this role." -msgstr "Du er allerede logget inn!" +msgstr "Bruker har allerede denne rollen." #: actions/groupblock.php:71 actions/groupunblock.php:71 #: actions/makeadmin.php:71 actions/subedit.php:46 #: lib/profileformaction.php:70 msgid "No profile specified." -msgstr "" +msgstr "Ingen profil oppgitt." #: actions/groupblock.php:76 actions/groupunblock.php:76 #: actions/makeadmin.php:76 actions/subedit.php:53 actions/tagother.php:46 #: actions/unsubscribe.php:84 lib/profileformaction.php:77 msgid "No profile with that ID." -msgstr "" +msgstr "Ingen profil med den ID'en." #: actions/groupblock.php:81 actions/groupunblock.php:81 #: actions/makeadmin.php:81 msgid "No group specified." -msgstr "" +msgstr "Ingen gruppe oppgitt." #: actions/groupblock.php:91 msgid "Only an admin can block group members." @@ -1612,11 +1604,11 @@ msgstr "Du er allerede logget inn!" #: actions/groupblock.php:100 msgid "User is not a member of group." -msgstr "" +msgstr "Bruker er ikke et medlem av gruppa." #: actions/groupblock.php:136 actions/groupmembers.php:323 msgid "Block user from group" -msgstr "" +msgstr "Blokker bruker fra gruppe" #: actions/groupblock.php:162 #, php-format @@ -1628,7 +1620,7 @@ msgstr "" #: actions/groupblock.php:178 msgid "Do not block this user from this group" -msgstr "" +msgstr "Ikke blokker denne brukeren fra denne gruppa" #: actions/groupblock.php:179 msgid "Block this user from this group" @@ -1977,7 +1969,6 @@ msgstr "" #. TRANS: Send button for inviting friends #: actions/invite.php:198 -#, fuzzy msgctxt "BUTTON" msgid "Send" msgstr "Send" @@ -2044,9 +2035,8 @@ msgid "You must be logged in to join a group." msgstr "Du mÃ¥ være innlogget for Ã¥ bli med i en gruppe." #: actions/joingroup.php:88 actions/leavegroup.php:88 -#, fuzzy msgid "No nickname or ID." -msgstr "Ingen kallenavn." +msgstr "ngen kallenavn eller ID." #: actions/joingroup.php:141 #, php-format @@ -2160,28 +2150,28 @@ msgstr "Klarte ikke Ã¥ lagre avatar-informasjonen" #: actions/newgroup.php:53 msgid "New group" -msgstr "" +msgstr "Ny gruppe" #: actions/newgroup.php:110 msgid "Use this form to create a new group." -msgstr "" +msgstr "Bruk dette skjemaet for Ã¥ opprette en ny gruppe." #: actions/newmessage.php:71 actions/newmessage.php:231 msgid "New message" -msgstr "" +msgstr "Ny melding" #: actions/newmessage.php:121 actions/newmessage.php:161 lib/command.php:358 msgid "You can't send a message to this user." -msgstr "" +msgstr "Du kan ikke sende en melding til denne brukeren." #: actions/newmessage.php:144 actions/newnotice.php:136 lib/command.php:342 #: lib/command.php:475 msgid "No content!" -msgstr "" +msgstr "Inget innhold." #: actions/newmessage.php:158 msgid "No recipient specified." -msgstr "" +msgstr "Ingen mottaker oppgitt." #: actions/newmessage.php:164 lib/command.php:361 msgid "" @@ -2190,7 +2180,7 @@ msgstr "" #: actions/newmessage.php:181 msgid "Message sent" -msgstr "" +msgstr "Melding sendt" #: actions/newmessage.php:185 #, fuzzy, php-format @@ -2199,15 +2189,15 @@ msgstr "Direktemeldinger til %s" #: actions/newmessage.php:210 actions/newnotice.php:245 lib/channel.php:170 msgid "Ajax Error" -msgstr "" +msgstr "Ajax-feil" #: actions/newnotice.php:69 msgid "New notice" -msgstr "" +msgstr "Ny notis" #: actions/newnotice.php:211 msgid "Notice posted" -msgstr "" +msgstr "Notis postet" #: actions/noticesearch.php:68 #, php-format @@ -2345,7 +2335,7 @@ msgstr "" #: actions/othersettings.php:108 msgid " (free service)" -msgstr "" +msgstr " (gratis tjeneste)" #: actions/othersettings.php:116 msgid "Shorten URLs with" @@ -4644,59 +4634,50 @@ msgid "Invite friends and colleagues to join you on %s" msgstr "" #: lib/action.php:456 -#, fuzzy msgctxt "MENU" msgid "Invite" -msgstr "Kun invitasjon" +msgstr "Inviter" #. TRANS: Tooltip for main menu option "Logout" #: lib/action.php:462 -#, fuzzy msgctxt "TOOLTIP" msgid "Logout from the site" -msgstr "Tema for nettstedet." +msgstr "Logg ut fra nettstedet" #: lib/action.php:465 -#, fuzzy msgctxt "MENU" msgid "Logout" msgstr "Logg ut" #. TRANS: Tooltip for main menu option "Register" #: lib/action.php:470 -#, fuzzy msgctxt "TOOLTIP" msgid "Create an account" -msgstr "Opprett en ny konto" +msgstr "Opprett en konto" #: lib/action.php:473 -#, fuzzy msgctxt "MENU" msgid "Register" -msgstr "Registrering" +msgstr "Registrer" #. TRANS: Tooltip for main menu option "Login" #: lib/action.php:476 -#, fuzzy msgctxt "TOOLTIP" msgid "Login to the site" -msgstr "Tema for nettstedet." +msgstr "Log inn pÃ¥ nettstedet" #: lib/action.php:479 -#, fuzzy msgctxt "MENU" msgid "Login" msgstr "Logg inn" #. TRANS: Tooltip for main menu option "Help" #: lib/action.php:482 -#, fuzzy msgctxt "TOOLTIP" msgid "Help me!" -msgstr "Hjelp" +msgstr "Hjelp meg." #: lib/action.php:485 -#, fuzzy msgctxt "MENU" msgid "Help" msgstr "Hjelp" @@ -4705,10 +4686,9 @@ msgstr "Hjelp" #: lib/action.php:488 msgctxt "TOOLTIP" msgid "Search for people or text" -msgstr "" +msgstr "Søk etter personer eller tekst" #: lib/action.php:491 -#, fuzzy msgctxt "MENU" msgid "Search" msgstr "Søk" @@ -4809,11 +4789,11 @@ msgstr "" #: lib/action.php:847 msgid "All " -msgstr "" +msgstr "Alle " #: lib/action.php:853 msgid "license." -msgstr "" +msgstr "lisens." #: lib/action.php:1152 msgid "Pagination" @@ -4821,12 +4801,11 @@ msgstr "" #: lib/action.php:1161 msgid "After" -msgstr "" +msgstr "Etter" #: lib/action.php:1169 -#, fuzzy msgid "Before" -msgstr "Tidligere »" +msgstr "Før" #: lib/activity.php:453 msgid "Can't handle remote content yet." @@ -4843,7 +4822,7 @@ msgstr "" #. TRANS: Client error message #: lib/adminpanelaction.php:98 msgid "You cannot make changes to this site." -msgstr "" +msgstr "Du kan ikke gjøre endringer pÃ¥ dette nettstedet." #. TRANS: Client error message #: lib/adminpanelaction.php:110 @@ -5456,31 +5435,30 @@ msgstr "" #: lib/groupnav.php:85 msgid "Group" -msgstr "" +msgstr "Gruppe" #: lib/groupnav.php:101 msgid "Blocked" -msgstr "" +msgstr "Blokkert" #: lib/groupnav.php:102 #, php-format msgid "%s blocked users" -msgstr "" +msgstr "%s blokkerte brukere" #: lib/groupnav.php:108 #, php-format msgid "Edit %s group properties" -msgstr "" +msgstr "Rediger %s gruppeegenskaper" #: lib/groupnav.php:113 -#, fuzzy msgid "Logo" -msgstr "Logg ut" +msgstr "Logo" #: lib/groupnav.php:114 #, php-format msgid "Add or edit %s logo" -msgstr "" +msgstr "Legg til eller rediger %s logo" #: lib/groupnav.php:120 #, php-format @@ -5489,11 +5467,11 @@ msgstr "" #: lib/groupsbymemberssection.php:71 msgid "Groups with most members" -msgstr "" +msgstr "Grupper med flest medlemmer" #: lib/groupsbypostssection.php:71 msgid "Groups with most posts" -msgstr "" +msgstr "Grupper med flest innlegg" #: lib/grouptagcloudsection.php:56 #, php-format @@ -5502,79 +5480,74 @@ msgstr "" #: lib/htmloutputter.php:103 msgid "This page is not available in a media type you accept" -msgstr "" +msgstr "Denne siden er ikke tilgjengelig i en mediatype du aksepterer" #: lib/imagefile.php:75 #, php-format msgid "That file is too big. The maximum file size is %s." -msgstr "" +msgstr "Filen er for stor. Maks filstørrelse er %s." #: lib/imagefile.php:80 msgid "Partial upload." -msgstr "" +msgstr "Delvis opplasting." #: lib/imagefile.php:88 lib/mediafile.php:170 msgid "System error uploading file." -msgstr "" +msgstr "Systemfeil ved opplasting av fil." #: lib/imagefile.php:96 msgid "Not an image or corrupt file." -msgstr "" +msgstr "Ikke et bilde eller en korrupt fil." #: lib/imagefile.php:109 msgid "Unsupported image file format." -msgstr "" +msgstr "Bildefilformatet støttes ikke." #: lib/imagefile.php:122 -#, fuzzy msgid "Lost our file." -msgstr "Klarte ikke Ã¥ lagre profil." +msgstr "Mistet filen vÃ¥r." #: lib/imagefile.php:166 lib/imagefile.php:231 msgid "Unknown file type" -msgstr "" +msgstr "Ukjent filtype" #: lib/imagefile.php:251 msgid "MB" -msgstr "" +msgstr "MB" #: lib/imagefile.php:253 msgid "kB" -msgstr "" +msgstr "kB" #: lib/jabber.php:220 #, php-format msgid "[%s]" -msgstr "" +msgstr "[%s]" #: lib/jabber.php:400 #, php-format msgid "Unknown inbox source %d." -msgstr "" +msgstr "Ukjent innbokskilde %d." #: lib/joinform.php:114 -#, fuzzy msgid "Join" -msgstr "Logg inn" +msgstr "Bli med" #: lib/leaveform.php:114 -#, fuzzy msgid "Leave" -msgstr "Lagre" +msgstr "Forlat" #: lib/logingroupnav.php:80 -#, fuzzy msgid "Login with a username and password" -msgstr "Ugyldig brukernavn eller passord" +msgstr "Logg inn med brukernavn og passord" #: lib/logingroupnav.php:86 -#, fuzzy msgid "Sign up for a new account" -msgstr "Opprett en ny konto" +msgstr "Registrer deg for en ny konto" #: lib/mail.php:173 msgid "Email address confirmation" -msgstr "" +msgstr "Bekreftelse av e-postadresse" #: lib/mail.php:175 #, php-format @@ -5592,6 +5565,18 @@ msgid "" "Thanks for your time, \n" "%s\n" msgstr "" +"Hei %s.\n" +"\n" +"Noen skrev nettopp inn denne e-postadressen pÃ¥ %s.\n" +"\n" +"Dersom det var deg og du vil bekrefte det, bruk nettadressen under:\n" +"\n" +"%s\n" +"\n" +"Om ikke, bare ignorer denne meldingen.\n" +"\n" +"Takk for tiden din,\n" +"%s\n" #: lib/mail.php:240 #, php-format @@ -5599,7 +5584,7 @@ msgid "%1$s is now listening to your notices on %2$s." msgstr "%1$s lytter nÃ¥ til dine notiser pÃ¥ %2$s." #: lib/mail.php:245 -#, fuzzy, php-format +#, php-format msgid "" "%1$s is now listening to your notices on %2$s.\n" "\n" @@ -5614,20 +5599,24 @@ msgid "" msgstr "" "%1$s lytter nÃ¥ til dine notiser pÃ¥ %2$s.\n" "\n" -"\t%3$s\n" +"%3$s\n" "\n" +"%4$s%5$s%6$s\n" "Vennlig hilsen,\n" -"%4$s.\n" +"%7$s.\n" +"\n" +"----\n" +"Endre e-postadressen din eller dine varslingsvalg pÃ¥ %8$s\n" #: lib/mail.php:262 -#, fuzzy, php-format +#, php-format msgid "Bio: %s" -msgstr "Om meg" +msgstr "Biografi: %s" #: lib/mail.php:290 #, php-format msgid "New email address for posting to %s" -msgstr "" +msgstr "Ny e-postadresse for posting til %s" #: lib/mail.php:293 #, php-format @@ -5641,6 +5630,14 @@ msgid "" "Faithfully yours,\n" "%4$s" msgstr "" +"Du har en ny adresse for posting pÃ¥ %1$s.\n" +"\n" +"Send e-post til %2$s for Ã¥ poste nye meldinger.\n" +"\n" +"Flere e-postinstrukser pÃ¥ %3$s.\n" +"\n" +"Vennlig hilsen,\n" +"%4$s" #: lib/mail.php:417 #, php-format @@ -5649,12 +5646,12 @@ msgstr "%s status" #: lib/mail.php:443 msgid "SMS confirmation" -msgstr "" +msgstr "SMS-bekreftelse" #: lib/mail.php:467 #, php-format msgid "You've been nudged by %s" -msgstr "" +msgstr "Du har blitt knuffet av %s" #: lib/mail.php:471 #, php-format @@ -5671,11 +5668,22 @@ msgid "" "With kind regards,\n" "%4$s\n" msgstr "" +"%1$s (%2$s) lurer pÃ¥ hva du gjør nÃ¥ for tiden og inviterer deg til Ã¥ poste " +"noen nyheter.\n" +"\n" +"La oss høre fra deg :)\n" +"\n" +"%3$s\n" +"\n" +"Ikke svar pÃ¥ denne e-posten; det vil ikke nÃ¥ frem til dem.\n" +"\n" +"Med vennlig hilsen,\n" +"%4$s\n" #: lib/mail.php:517 #, php-format msgid "New private message from %s" -msgstr "" +msgstr "Ny privat melding fra %s" #: lib/mail.php:521 #, php-format @@ -5695,11 +5703,25 @@ msgid "" "With kind regards,\n" "%5$s\n" msgstr "" +"%1$s (%2$s) sendte deg en privat melding:\n" +"\n" +"------------------------------------------------------\n" +"%3$s\n" +"------------------------------------------------------\n" +"\n" +"Du kan svare pÃ¥ deres melding her:\n" +"\n" +"%4$s\n" +"\n" +"Ikke svar pÃ¥ denne e-posten; det vil ikke nÃ¥ frem til dem.\n" +"\n" +"Med vennlig hilsen,\n" +"%5$s\n" #: lib/mail.php:568 #, php-format msgid "%s (@%s) added your notice as a favorite" -msgstr "" +msgstr "%s /@%s) la din notis til som en favoritt" #: lib/mail.php:570 #, php-format @@ -5721,11 +5743,27 @@ msgid "" "Faithfully yours,\n" "%6$s\n" msgstr "" +"%1$s (@%7$s) la akkurat din notis fra %2$s til som en av sine favoritter.\n" +"\n" +"Nettadressen til din notis er:\n" +"\n" +"%3$s\n" +"\n" +"Teksten i din notis er:\n" +"\n" +"%4$s\n" +"\n" +"Du kan se listen over %1$s sine favoritter her:\n" +"\n" +"%5$s\n" +"\n" +"Vennlig hilsen,\n" +"%6$s\n" #: lib/mail.php:635 #, php-format msgid "%s (@%s) sent a notice to your attention" -msgstr "" +msgstr "%s (@%s) sendte en notis for din oppmerksomhet" #: lib/mail.php:637 #, php-format @@ -5741,29 +5779,42 @@ msgid "" "\t%4$s\n" "\n" msgstr "" +"%1$s (@%9$s) sendte deg akkurat en notis for din oppmerksomhet (et '@-svar') " +"pÃ¥ %2$s.\n" +"\n" +"Notisen er her:\n" +"\n" +"%3$s\n" +"\n" +"Den lyder:\n" +"\n" +"%4$s\n" +"\n" #: lib/mailbox.php:89 msgid "Only the user can read their own mailboxes." -msgstr "" +msgstr "Bare brukeren kan lese sine egne postbokser." #: lib/mailbox.php:139 msgid "" "You have no private messages. You can send private message to engage other " "users in conversation. People can send you messages for your eyes only." msgstr "" +"Du har ingen private meldinger. Du kan sende private meldinger for Ã¥ " +"engasjere andre brukere i en samtale. Personer kan sende deg meldinger som " +"bare du kan se." #: lib/mailbox.php:227 lib/noticelist.php:482 -#, fuzzy msgid "from" msgstr "fra" #: lib/mailhandler.php:37 msgid "Could not parse message." -msgstr "" +msgstr "Kunne ikke tolke meldingen." #: lib/mailhandler.php:42 msgid "Not a registered user." -msgstr "" +msgstr "Ikke en registrert bruker." #: lib/mailhandler.php:46 msgid "Sorry, that is not your incoming email address." @@ -5774,9 +5825,9 @@ msgid "Sorry, no incoming email allowed." msgstr "" #: lib/mailhandler.php:228 -#, fuzzy, php-format +#, php-format msgid "Unsupported message type: %s" -msgstr "Direktemeldinger til %s" +msgstr "Meldingstypen støttes ikke: %s" #: lib/mediafile.php:98 lib/mediafile.php:123 msgid "There was a database error while saving your file. Please try again." @@ -5806,103 +5857,100 @@ msgstr "" #: lib/mediafile.php:165 msgid "File upload stopped by extension." -msgstr "" +msgstr "Filopplasting stoppet grunnet filendelse." #: lib/mediafile.php:179 lib/mediafile.php:216 msgid "File exceeds user's quota." -msgstr "" +msgstr "Fil overgår brukers kvote." #: lib/mediafile.php:196 lib/mediafile.php:233 msgid "File could not be moved to destination directory." -msgstr "" +msgstr "Filen kunne ikke flyttes til målmappen." #: lib/mediafile.php:201 lib/mediafile.php:237 -#, fuzzy msgid "Could not determine file's MIME type." -msgstr "Klarte ikke å oppdatere bruker." +msgstr "Kunne ikke avgjøre filens MIME-type." #: lib/mediafile.php:270 #, php-format msgid " Try using another %s format." -msgstr "" +msgstr " Prøv å bruke et annet %s-format." #: lib/mediafile.php:275 #, php-format msgid "%s is not a supported file type on this server." -msgstr "" +msgstr "filtypen %s støttes ikke på denne tjeneren." #: lib/messageform.php:120 msgid "Send a direct notice" -msgstr "" +msgstr "Send en direktenotis" #: lib/messageform.php:146 msgid "To" -msgstr "" +msgstr "Til" #: lib/messageform.php:159 lib/noticeform.php:185 -#, fuzzy msgid "Available characters" -msgstr "6 eller flere tegn" +msgstr "Tilgjengelige tegn" #: lib/messageform.php:178 lib/noticeform.php:236 -#, fuzzy msgctxt "Send button for sending notice" msgid "Send" msgstr "Send" #: lib/noticeform.php:160 msgid "Send a notice" -msgstr "" +msgstr "Send en notis" #: lib/noticeform.php:173 #, php-format msgid "What's up, %s?" -msgstr "" +msgstr "Hva skjer %s?" #: lib/noticeform.php:192 msgid "Attach" -msgstr "" +msgstr "Legg ved" #: lib/noticeform.php:196 msgid "Attach a file" -msgstr "" +msgstr "Legg ved en fil" #: lib/noticeform.php:212 -#, fuzzy msgid "Share my location" -msgstr "Klarte ikke å lagre profil." +msgstr "Del min posisjon" #: lib/noticeform.php:215 -#, fuzzy msgid "Do not share my location" -msgstr "Klarte ikke å lagre profil." +msgstr "Ikke del min posisjon" #: lib/noticeform.php:216 msgid "" "Sorry, retrieving your geo location is taking longer than expected, please " "try again later" msgstr "" +"Beklager, henting av din geoposisjon tar lenger tid enn forventet, prøv " +"igjen senere" #: lib/noticelist.php:429 #, php-format msgid "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" -msgstr "" +msgstr "%1$u°%2$u'%3$u\"%4$s %5$u°%6$u'%7$u\"%8$s" #: lib/noticelist.php:430 msgid "N" -msgstr "" +msgstr "N" #: lib/noticelist.php:430 msgid "S" -msgstr "" +msgstr "S" #: lib/noticelist.php:431 msgid "E" -msgstr "" +msgstr "Ø" #: lib/noticelist.php:431 msgid "W" -msgstr "" +msgstr "V" #: lib/noticelist.php:438 msgid "at" @@ -5913,35 +5961,32 @@ msgid "in context" msgstr "" #: lib/noticelist.php:601 -#, fuzzy msgid "Repeated by" -msgstr "Opprett" +msgstr "Repetert av" #: lib/noticelist.php:628 msgid "Reply to this notice" -msgstr "" +msgstr "Svar på denne notisen" #: lib/noticelist.php:629 -#, fuzzy msgid "Reply" -msgstr "svar" +msgstr "Svar" #: lib/noticelist.php:673 -#, fuzzy msgid "Notice repeated" -msgstr "Nytt nick" +msgstr "Notis repetert" #: lib/nudgeform.php:116 msgid "Nudge this user" -msgstr "" +msgstr "Knuff denne brukeren" #: lib/nudgeform.php:128 msgid "Nudge" -msgstr "" +msgstr "Knuff" #: lib/nudgeform.php:128 msgid "Send a nudge to this user" -msgstr "" +msgstr "Send et knuff til denne brukeren" #: lib/oauthstore.php:283 msgid "Error inserting new profile" @@ -5957,7 +6002,7 @@ msgstr "" #: lib/oauthstore.php:345 msgid "Duplicate notice" -msgstr "" +msgstr "Duplikatnotis" #: lib/oauthstore.php:490 msgid "Couldn't insert new subscription." @@ -5973,23 +6018,23 @@ msgstr "Svar" #: lib/personalgroupnav.php:114 msgid "Favorites" -msgstr "" +msgstr "Favoritter" #: lib/personalgroupnav.php:125 msgid "Inbox" -msgstr "" +msgstr "Innboks" #: lib/personalgroupnav.php:126 msgid "Your incoming messages" -msgstr "" +msgstr "Dine innkommende meldinger" #: lib/personalgroupnav.php:130 msgid "Outbox" -msgstr "" +msgstr "Utboks" #: lib/personalgroupnav.php:131 msgid "Your sent messages" -msgstr "" +msgstr "Dine sendte meldinger" #: lib/personaltagcloudsection.php:56 #, php-format @@ -5998,11 +6043,11 @@ msgstr "" #: lib/plugin.php:114 msgid "Unknown" -msgstr "" +msgstr "Ukjent" #: lib/profileaction.php:109 lib/profileaction.php:194 lib/subgroupnav.php:82 msgid "Subscriptions" -msgstr "" +msgstr "Abonnement" #: lib/profileaction.php:126 msgid "All subscriptions" @@ -6010,16 +6055,15 @@ msgstr "Alle abonnementer" #: lib/profileaction.php:142 lib/profileaction.php:203 lib/subgroupnav.php:90 msgid "Subscribers" -msgstr "" +msgstr "Abonnenter" #: lib/profileaction.php:159 -#, fuzzy msgid "All subscribers" -msgstr "Alle abonnementer" +msgstr "Alle abonnenter" #: lib/profileaction.php:180 msgid "User ID" -msgstr "" +msgstr "Bruker-ID" #: lib/profileaction.php:185 msgid "Member since" @@ -6027,7 +6071,7 @@ msgstr "Medlem siden" #: lib/profileaction.php:247 msgid "All groups" -msgstr "" +msgstr "Alle grupper" #: lib/profileformaction.php:123 msgid "No return-to arguments." @@ -6035,16 +6079,15 @@ msgstr "" #: lib/profileformaction.php:137 msgid "Unimplemented method." -msgstr "" +msgstr "Ikke-implementert metode." #: lib/publicgroupnav.php:78 -#, fuzzy msgid "Public" msgstr "Offentlig" #: lib/publicgroupnav.php:82 msgid "User groups" -msgstr "" +msgstr "Brukergrupper" #: lib/publicgroupnav.php:84 lib/publicgroupnav.php:85 #, fuzzy @@ -6060,14 +6103,12 @@ msgid "Popular" msgstr "" #: lib/repeatform.php:107 -#, fuzzy msgid "Repeat this notice?" -msgstr "Kan ikke slette notisen." +msgstr "Repeter denne notisen?" #: lib/repeatform.php:132 -#, fuzzy msgid "Repeat this notice" -msgstr "Kan ikke slette notisen." +msgstr "Repeter denne notisen" #: lib/revokeroleform.php:91 #, php-format @@ -6088,38 +6129,36 @@ msgid "Sandbox this user" msgstr "Kan ikke slette notisen." #: lib/searchaction.php:120 -#, fuzzy msgid "Search site" -msgstr "Søk" +msgstr "Søk nettsted" #: lib/searchaction.php:126 msgid "Keyword(s)" -msgstr "" +msgstr "Nøkkelord" #: lib/searchaction.php:127 msgid "Search" msgstr "Søk" #: lib/searchaction.php:162 -#, fuzzy msgid "Search help" -msgstr "Søk" +msgstr "Søkehjelp" #: lib/searchgroupnav.php:80 msgid "People" -msgstr "" +msgstr "Personer" #: lib/searchgroupnav.php:81 msgid "Find people on this site" -msgstr "" +msgstr "Finn personer på dette nettstedet" #: lib/searchgroupnav.php:83 msgid "Find content of notices" -msgstr "" +msgstr "Finn innhold i notiser" #: lib/searchgroupnav.php:85 msgid "Find groups on this site" -msgstr "" +msgstr "Finn grupper på dette nettstedet" #: lib/section.php:89 msgid "Untitled section" @@ -6127,7 +6166,7 @@ msgstr "" #: lib/section.php:106 msgid "More..." -msgstr "" +msgstr "Mer..." #: lib/silenceform.php:67 msgid "Silence" @@ -6155,7 +6194,7 @@ msgstr "" #: lib/subgroupnav.php:105 msgid "Invite" -msgstr "" +msgstr "Inviter" #: lib/subgroupnav.php:106 #, php-format @@ -6174,7 +6213,7 @@ msgstr "" #: lib/tagcloudsection.php:56 msgid "None" -msgstr "" +msgstr "Ingen" #: lib/topposterssection.php:74 msgid "Top posters" @@ -6216,40 +6255,38 @@ msgid "User actions" msgstr "" #: lib/userprofile.php:251 -#, fuzzy msgid "Edit profile settings" -msgstr "Endre profilinnstillingene dine" +msgstr "Endre profilinnstillinger" #: lib/userprofile.php:252 msgid "Edit" -msgstr "" +msgstr "Rediger" #: lib/userprofile.php:275 msgid "Send a direct message to this user" -msgstr "" +msgstr "Send en direktemelding til denne brukeren" #: lib/userprofile.php:276 msgid "Message" -msgstr "" +msgstr "Melding" #: lib/userprofile.php:314 msgid "Moderate" -msgstr "" +msgstr "Moderer" #: lib/userprofile.php:352 -#, fuzzy msgid "User role" -msgstr "Klarte ikke å lagre profil." +msgstr "Brukerrolle" #: lib/userprofile.php:354 msgctxt "role" msgid "Administrator" -msgstr "" +msgstr "Administrator" #: lib/userprofile.php:355 msgctxt "role" msgid "Moderator" -msgstr "" +msgstr "Moderator" #: lib/util.php:1015 msgid "a few seconds ago" @@ -6298,14 +6335,14 @@ msgstr "omtrent ett år siden" #: lib/webcolor.php:82 #, php-format msgid "%s is not a valid color!" -msgstr "" +msgstr "%s er ikke en gyldig farge." #: lib/webcolor.php:123 #, php-format msgid "%s is not a valid color! Use 3 or 6 hex chars." -msgstr "" +msgstr "%s er ikke en gyldig farge. Bruk 3 eller 6 heksadesimale tegn." #: lib/xmppmanager.php:402 #, php-format msgid "Message too long - maximum is %1$d characters, you sent %2$d." -msgstr "" +msgstr "Melding for lang - maks er %1$d tegn, du sendte %2$d." diff --git a/locale/statusnet.po b/locale/statusnet.po index 0e0a236c0..61d902a1a 100644 --- a/locale/statusnet.po +++ b/locale/statusnet.po @@ -8,7 +8,7 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2010-03-06 23:49+0000\n" +"POT-Creation-Date: 2010-03-08 21:09+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" -- cgit v1.2.3-54-g00ecf From 51a245f18c1e4a830c5eb94f3e60c6b4b3e560ee Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Thu, 4 Mar 2010 18:24:32 -0500 Subject: Added Memcached plugin (using pecl/memcached versus pecl/memcache) --- lib/statusnet.php | 6 +- plugins/MemcachedPlugin.php | 223 ++++++++++++++++++++++++++++++++++++++++++++ 2 files changed, 228 insertions(+), 1 deletion(-) create mode 100644 plugins/MemcachedPlugin.php diff --git a/lib/statusnet.php b/lib/statusnet.php index eba9ab9b8..ef3adebf9 100644 --- a/lib/statusnet.php +++ b/lib/statusnet.php @@ -342,7 +342,11 @@ class StatusNet if (array_key_exists('memcached', $config)) { if ($config['memcached']['enabled']) { - addPlugin('Memcache', array('servers' => $config['memcached']['server'])); + if(class_exists('Memcached')) { + addPlugin('Memcached', array('servers' => $config['memcached']['server'])); + } else { + addPlugin('Memcache', array('servers' => $config['memcached']['server'])); + } } if (!empty($config['memcached']['base'])) { diff --git a/plugins/MemcachedPlugin.php b/plugins/MemcachedPlugin.php new file mode 100644 index 000000000..707e6db9a --- /dev/null +++ b/plugins/MemcachedPlugin.php @@ -0,0 +1,223 @@ +. + * + * @category Cache + * @package StatusNet + * @author Evan Prodromou , Craig Andrews + * @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')) { + // This check helps protect against security problems; + // your code file can't be executed directly from the web. + exit(1); +} + +/** + * A plugin to use memcached for the cache interface + * + * This used to be encoded as config-variable options in the core code; + * it's now broken out to a separate plugin. The same interface can be + * implemented by other plugins. + * + * @category Cache + * @package StatusNet + * @author Evan Prodromou , Craig Andrews + * @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/ + */ + +class MemcachedPlugin extends Plugin +{ + static $cacheInitialized = false; + + private $_conn = null; + public $servers = array('127.0.0.1;11211'); + + public $defaultExpiry = 86400; // 24h + + /** + * Initialize the plugin + * + * Note that onStartCacheGet() may have been called before this! + * + * @return boolean flag value + */ + + function onInitializePlugin() + { + $this->_ensureConn(); + self::$cacheInitialized = true; + return true; + } + + /** + * Get a value associated with a key + * + * The value should have been set previously. + * + * @param string &$key in; Lookup key + * @param mixed &$value out; value associated with key + * + * @return boolean hook success + */ + + function onStartCacheGet(&$key, &$value) + { + $this->_ensureConn(); + $value = $this->_conn->get($key); + Event::handle('EndCacheGet', array($key, &$value)); + return false; + } + + /** + * Associate a value with a key + * + * @param string &$key in; Key to use for lookups + * @param mixed &$value in; Value to associate + * @param integer &$flag in; Flag empty or Cache::COMPRESSED + * @param integer &$expiry in; Expiry (passed through to Memcache) + * @param boolean &$success out; Whether the set was successful + * + * @return boolean hook success + */ + + function onStartCacheSet(&$key, &$value, &$flag, &$expiry, &$success) + { + $this->_ensureConn(); + if ($expiry === null) { + $expiry = $this->defaultExpiry; + } + $success = $this->_conn->set($key, $value, $expiry); + Event::handle('EndCacheSet', array($key, $value, $flag, + $expiry)); + return false; + } + + /** + * Atomically increment an existing numeric key value. + * Existing expiration time will not be changed. + * + * @param string &$key in; Key to use for lookups + * @param int &$step in; Amount to increment (default 1) + * @param mixed &$value out; Incremented value, or false if key not set. + * + * @return boolean hook success + */ + function onStartCacheIncrement(&$key, &$step, &$value) + { + $this->_ensureConn(); + $value = $this->_conn->increment($key, $step); + Event::handle('EndCacheIncrement', array($key, $step, $value)); + return false; + } + + /** + * Delete a value associated with a key + * + * @param string &$key in; Key to lookup + * @param boolean &$success out; whether it worked + * + * @return boolean hook success + */ + + function onStartCacheDelete(&$key, &$success) + { + $this->_ensureConn(); + $success = $this->_conn->delete($key); + Event::handle('EndCacheDelete', array($key)); + return false; + } + + function onStartCacheReconnect(&$success) + { + // nothing to do + return true; + } + + /** + * Ensure that a connection exists + * + * Checks the instance $_conn variable and connects + * if it is empty. + * + * @return void + */ + + private function _ensureConn() + { + if (empty($this->_conn)) { + $this->_conn = new Memcached(common_config('site', 'nickname')); + + if (!count($this->_conn->getServerList())) { + if (is_array($this->servers)) { + $servers = $this->servers; + } else { + $servers = array($this->servers); + } + foreach ($servers as $server) { + if (strpos($server, ';') !== false) { + list($host, $port) = explode(';', $server); + } else { + $host = $server; + $port = 11211; + } + + $this->_conn->addServer($host, $port); + } + + // Compress items stored in the cache. + + // Allows the cache to store objects larger than 1MB (if they + // compress to less than 1MB), and improves cache memory efficiency. + + $this->_conn->setOption(Memcached::OPT_COMPRESSION, true); + } + } + } + + /** + * Translate general flags to Memcached-specific flags + * @param int $flag + * @return int + */ + protected function flag($flag) + { + //no flags are presently supported + return $flag; + } + + function onPluginVersion(&$versions) + { + $versions[] = array('name' => 'Memcached', + 'version' => STATUSNET_VERSION, + 'author' => 'Evan Prodromou, Craig Andrews', + 'homepage' => 'http://status.net/wiki/Plugin:Memcached', + 'rawdescription' => + _m('Use Memcached to cache query results.')); + return true; + } +} + -- cgit v1.2.3-54-g00ecf From f8c5996758250dce4d0f922cdbc10dff653f73c5 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Mon, 8 Mar 2010 22:53:43 +0000 Subject: Only allow RSSCloud subs to canonical RSS2 profile feeds --- plugins/RSSCloud/RSSCloudRequestNotify.php | 7 ++++--- 1 file changed, 4 insertions(+), 3 deletions(-) diff --git a/plugins/RSSCloud/RSSCloudRequestNotify.php b/plugins/RSSCloud/RSSCloudRequestNotify.php index d76c08d37..030529534 100644 --- a/plugins/RSSCloud/RSSCloudRequestNotify.php +++ b/plugins/RSSCloud/RSSCloudRequestNotify.php @@ -270,13 +270,14 @@ class RSSCloudRequestNotifyAction extends Action function userFromFeed($feed) { - // We only do profile feeds + // We only do canonical RSS2 profile feeds (specified by ID), e.g.: + // http://www.example.com/api/statuses/user_timeline/2.rss $path = common_path('api/statuses/user_timeline/'); - $valid = '%^' . $path . '(?.*)\.rss$%'; + $valid = '%^' . $path . '(?.*)\.rss$%'; if (preg_match($valid, $feed, $matches)) { - $user = User::staticGet('nickname', $matches['nickname']); + $user = User::staticGet('id', $matches['id']); if (!empty($user)) { return $user; } -- cgit v1.2.3-54-g00ecf From 689e2e112bbd84ab05549b83bf99be1d8c1a39e9 Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Mon, 8 Mar 2010 21:42:17 -0500 Subject: make common_copy_args() work when the post/get request includes arrays (form elements with names ending in [] having multiple values) --- lib/util.php | 10 +++++++++- 1 file changed, 9 insertions(+), 1 deletion(-) diff --git a/lib/util.php b/lib/util.php index da2799d4f..c5dacb699 100644 --- a/lib/util.php +++ b/lib/util.php @@ -1462,7 +1462,15 @@ function common_copy_args($from) $to = array(); $strip = get_magic_quotes_gpc(); foreach ($from as $k => $v) { - $to[$k] = ($strip) ? stripslashes($v) : $v; + if($strip) { + if(is_array($v)) { + $to[$k] = common_copy_args($v); + } else { + $to[$k] = stripslashes($v); + } + } else { + $to[$k] = $v; + } } return $to; } -- cgit v1.2.3-54-g00ecf From 9466546705b6849bcc22ab0073bd9e6bfad8f2c8 Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Mon, 8 Mar 2010 21:43:09 -0500 Subject: On the OpenID settings page, allow users to remove trustroots. --- plugins/OpenID/openidsettings.php | 70 +++++++++++++++++++++++++++++++++++++++ 1 file changed, 70 insertions(+) diff --git a/plugins/OpenID/openidsettings.php b/plugins/OpenID/openidsettings.php index 3fc3d6128..16142cf48 100644 --- a/plugins/OpenID/openidsettings.php +++ b/plugins/OpenID/openidsettings.php @@ -176,6 +176,43 @@ class OpenidsettingsAction extends AccountSettingsAction } } } + + $this->elementStart('form', array('method' => 'post', + 'id' => 'form_settings_openid_trustroots', + 'class' => 'form_settings', + 'action' => + common_local_url('openidsettings'))); + $this->elementStart('fieldset', array('id' => 'settings_openid_trustroots')); + $this->element('legend', null, _m('OpenID Trusted Sites')); + $this->hidden('token', common_session_token()); + $this->element('p', 'form_guide', + _m('The following sites are allowed to access your ' . + 'identity and log you in. You can remove a site from ' . + 'this list to deny it access to your OpenID.')); + $this->elementStart('ul', 'form_data'); + $user_openid_trustroot = new User_openid_trustroot(); + $user_openid_trustroot->user_id=$user->id; + if($user_openid_trustroot->find()) { + while($user_openid_trustroot->fetch()) { + $this->elementStart('li'); + $this->element('input', array('name' => 'openid_trustroot[]', + 'type' => 'checkbox', + 'class' => 'checkbox', + 'value' => $user_openid_trustroot->trustroot, + 'id' => 'openid_trustroot_' . crc32($user_openid_trustroot->trustroot))); + $this->element('label', array('class'=>'checkbox', 'for' => 'openid_trustroot_' . crc32($user_openid_trustroot->trustroot)), + $user_openid_trustroot->trustroot); + $this->elementEnd('li'); + } + } + $this->elementEnd('ul'); + $this->element('input', array('type' => 'submit', + 'id' => 'settings_openid_trustroots_action-submit', + 'name' => 'remove_trustroots', + 'class' => 'submit', + 'value' => _m('Remove'))); + $this->elementEnd('fieldset'); + $this->elementEnd('form'); } /** @@ -204,11 +241,44 @@ class OpenidsettingsAction extends AccountSettingsAction } } else if ($this->arg('remove')) { $this->removeOpenid(); + } else if($this->arg('remove_trustroots')) { + $this->removeTrustroots(); } else { $this->showForm(_m('Something weird happened.')); } } + /** + * Handles a request to remove OpenID trustroots from the user's account + * + * Validates input and, if everything is OK, deletes the trustroots. + * Reloads the form with a success or error notification. + * + * @return void + */ + + function removeTrustroots() + { + $user = common_current_user(); + $trustroots = $this->arg('openid_trustroot'); + if($trustroots) { + foreach($trustroots as $trustroot) { + $user_openid_trustroot = User_openid_trustroot::pkeyGet( + array('user_id'=>$user->id, 'trustroot'=>$trustroot)); + if($user_openid_trustroot) { + $user_openid_trustroot->delete(); + } else { + $this->showForm(_m('No such OpenID trustroot.')); + return; + } + } + $this->showForm(_m('Trustroots removed'), true); + } else { + $this->showForm(); + } + return; + } + /** * Handles a request to remove an OpenID from the user's account * -- cgit v1.2.3-54-g00ecf From 311da86762d1cc3baabeca65a5123d15ecbc3a96 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Tue, 9 Mar 2010 11:06:08 +0000 Subject: Use canonical URL for notification in RSSCloud plugin --- plugins/RSSCloud/RSSCloudNotifier.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/plugins/RSSCloud/RSSCloudNotifier.php b/plugins/RSSCloud/RSSCloudNotifier.php index d454691c8..9e7b53680 100644 --- a/plugins/RSSCloud/RSSCloudNotifier.php +++ b/plugins/RSSCloud/RSSCloudNotifier.php @@ -152,7 +152,7 @@ class RSSCloudNotifier function notify($profile) { $feed = common_path('api/statuses/user_timeline/') . - $profile->nickname . '.rss'; + $profile->id . '.rss'; $cloudSub = new RSSCloudSubscription(); -- cgit v1.2.3-54-g00ecf From 053aafe5fbd1a0026831c28bf8b382ff44bb9de6 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Tue, 9 Mar 2010 11:08:21 -0500 Subject: Added a checkbox for subscribing the admin of a StatusNet instance to update@status.net. Checked by default. Subscription optional. --- install.php | 13 ++++++++++--- 1 file changed, 10 insertions(+), 3 deletions(-) diff --git a/install.php b/install.php index 929277e5e..fbedbaf01 100644 --- a/install.php +++ b/install.php @@ -483,6 +483,7 @@ function showForm() $dbRadios .= " $info[name]
    \n"; } } + echo<< @@ -559,6 +560,11 @@ function showForm()

    Optional email address for the initial StatusNet user (administrator)

  • +
  • + + +

    Release and security feed from update@status.net (recommended)

    +
  • @@ -587,6 +593,7 @@ function handlePost() $adminPass = $_POST['admin_password']; $adminPass2 = $_POST['admin_password2']; $adminEmail = $_POST['admin_email']; + $adminUpdates = $_POST['admin_updates']; $server = $_SERVER['HTTP_HOST']; $path = substr(dirname($_SERVER['PHP_SELF']), 1); @@ -657,7 +664,7 @@ STR; } // Okay, cross fingers and try to register an initial user - if (registerInitialUser($adminNick, $adminPass, $adminEmail)) { + if (registerInitialUser($adminNick, $adminPass, $adminEmail, $adminUpdates)) { updateStatus( "An initial user with the administrator role has been created." ); @@ -854,7 +861,7 @@ function runDbScript($filename, $conn, $type = 'mysqli') return true; } -function registerInitialUser($nickname, $password, $email) +function registerInitialUser($nickname, $password, $email, $adminUpdates) { define('STATUSNET', true); define('LACONICA', true); // compatibility @@ -882,7 +889,7 @@ function registerInitialUser($nickname, $password, $email) // Attempt to do a remote subscribe to update@status.net // Will fail if instance is on a private network. - if (class_exists('Ostatus_profile')) { + if (class_exists('Ostatus_profile') && $adminUpdates) { try { $oprofile = Ostatus_profile::ensureProfile('http://update.status.net/'); Subscription::start($user->getProfile(), $oprofile->localProfile()); -- cgit v1.2.3-54-g00ecf From 9653cb9f0a590417245063f905a2089f03b9e7b2 Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Tue, 9 Mar 2010 21:26:12 -0500 Subject: Fix error logging --- plugins/LdapAuthorization/LdapAuthorizationPlugin.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/plugins/LdapAuthorization/LdapAuthorizationPlugin.php b/plugins/LdapAuthorization/LdapAuthorizationPlugin.php index 2608025dd..042b2db8d 100644 --- a/plugins/LdapAuthorization/LdapAuthorizationPlugin.php +++ b/plugins/LdapAuthorization/LdapAuthorizationPlugin.php @@ -131,13 +131,13 @@ class LdapAuthorizationPlugin extends AuthorizationPlugin { $ldap = $this->ldap_get_connection(); $link = $ldap->getLink(); - $r = ldap_compare($link, $groupDn, $this->uniqueMember_attribute, $userDn); + $r = @ldap_compare($link, $groupDn, $this->uniqueMember_attribute, $userDn); if ($r === true){ return true; }else if($r === false){ return false; }else{ - common_log(LOG_ERR, ldap_error($r)); + common_log(LOG_ERR, "LDAP error determining if userDn=$userDn is a member of groupDn=groupDn using uniqueMember_attribute=$this->uniqueMember_attribute error: ".ldap_error($link)); return false; } } -- cgit v1.2.3-54-g00ecf From c4ee2b20bee567e1c41888bb46bfc8d5f98e8951 Mon Sep 17 00:00:00 2001 From: Brenda Wallace Date: Wed, 10 Mar 2010 21:25:44 +1300 Subject: throw an error that looks like mysql errors.. :-S --- lib/pgsqlschema.php | 8 +++++++- 1 file changed, 7 insertions(+), 1 deletion(-) diff --git a/lib/pgsqlschema.php b/lib/pgsqlschema.php index 91bc09667..a4ebafae4 100644 --- a/lib/pgsqlschema.php +++ b/lib/pgsqlschema.php @@ -1,3 +1,4 @@ + conn->query("select *, column_default as default, is_nullable as Null, udt_name as Type, column_name AS Field from INFORMATION_SCHEMA.COLUMNS where table_name = '$name'"); + $res = $this->conn->query("SELECT *, column_default as default, is_nullable as Null, + udt_name as Type, column_name AS Field from INFORMATION_SCHEMA.COLUMNS where table_name = '$name'"); if (PEAR::isError($res)) { throw new Exception($res->getMessage()); @@ -72,6 +74,9 @@ class PgsqlSchema extends Schema $td->name = $name; $td->columns = array(); + if ($res->numRows() == 0 ) { + throw new Exception('no such table'); //pretend to be the msyql error. yeah, this sucks. + } $row = array(); while ($res->fetchInto($row, DB_FETCHMODE_ASSOC)) { @@ -359,6 +364,7 @@ class PgsqlSchema extends Schema try { $td = $this->getTableDef($tableName); + } catch (Exception $e) { if (preg_match('/no such table/', $e->getMessage())) { return $this->createTable($tableName, $columns); -- cgit v1.2.3-54-g00ecf From 7398353c441699acc8b6ed38e221e40e30196208 Mon Sep 17 00:00:00 2001 From: Brenda Wallace Date: Wed, 10 Mar 2010 21:54:30 +1300 Subject: primary keys and unique indexes working in postgres --- lib/pgsqlschema.php | 10 ++++++---- 1 file changed, 6 insertions(+), 4 deletions(-) diff --git a/lib/pgsqlschema.php b/lib/pgsqlschema.php index a4ebafae4..825241902 100644 --- a/lib/pgsqlschema.php +++ b/lib/pgsqlschema.php @@ -171,12 +171,10 @@ class PgsqlSchema extends Schema } if (count($primary) > 0) { // it really should be... - $sql .= ",\nconstraint primary key (" . implode(',', $primary) . ")"; + $sql .= ",\n primary key (" . implode(',', $primary) . ")"; } - foreach ($uniques as $u) { - $sql .= ",\nunique index {$name}_{$u}_idx ($u)"; - } + foreach ($indices as $i) { $sql .= ",\nindex {$name}_{$i}_idx ($i)"; @@ -184,6 +182,10 @@ class PgsqlSchema extends Schema $sql .= "); "; + + foreach ($uniques as $u) { + $sql .= "\n CREATE index {$name}_{$u}_idx ON {$name} ($u); "; + } $res = $this->conn->query($sql); if (PEAR::isError($res)) { -- cgit v1.2.3-54-g00ecf From 75e2be3b71cc5b6114a10e1b5f1e0c9e3074af19 Mon Sep 17 00:00:00 2001 From: Brenda Wallace Date: Wed, 10 Mar 2010 22:02:56 +1300 Subject: map the mysql-ish column types to ones postgres likes --- lib/pgsqlschema.php | 23 ++++++++++++++++++++--- 1 file changed, 20 insertions(+), 3 deletions(-) diff --git a/lib/pgsqlschema.php b/lib/pgsqlschema.php index 825241902..86ffbeb2a 100644 --- a/lib/pgsqlschema.php +++ b/lib/pgsqlschema.php @@ -216,6 +216,22 @@ class PgsqlSchema extends Schema return true; } + /** + * Translate the (mostly) mysql-ish column types into somethings more standard + * @param string column type + * + * @return string postgres happy column type + */ + private function _columnTypeTranslation($type) { + $map = array( + 'datetime' => 'timestamp' + ); + if(!empty($map[$type])) { + return $map[$type]; + } + return $type; + } + /** * Adds an index to a table. * @@ -485,11 +501,12 @@ class PgsqlSchema extends Schema private function _columnSql($cd) { $sql = "{$cd->name} "; - + $type = $this->_columnTypeTranslation($cd->type); +var_dump($type); if (!empty($cd->size)) { - $sql .= "{$cd->type}({$cd->size}) "; + $sql .= "{$type}({$cd->size}) "; } else { - $sql .= "{$cd->type} "; + $sql .= "{$type} "; } if (!empty($cd->default)) { -- cgit v1.2.3-54-g00ecf From 49f1b1e8b290de22381a0e25b2b612bd6ddaf79d Mon Sep 17 00:00:00 2001 From: Brenda Wallace Date: Wed, 10 Mar 2010 22:03:36 +1300 Subject: removed a stay bit of debug --- lib/pgsqlschema.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/pgsqlschema.php b/lib/pgsqlschema.php index 86ffbeb2a..afb498f4a 100644 --- a/lib/pgsqlschema.php +++ b/lib/pgsqlschema.php @@ -502,7 +502,7 @@ class PgsqlSchema extends Schema { $sql = "{$cd->name} "; $type = $this->_columnTypeTranslation($cd->type); -var_dump($type); + if (!empty($cd->size)) { $sql .= "{$type}({$cd->size}) "; } else { -- cgit v1.2.3-54-g00ecf From 55e8473a7a87ebe85bcfa5cfb409ce9a9aeafdd0 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Wed, 10 Mar 2010 03:39:05 +0000 Subject: A blank username should never be allowed. --- lib/apiauth.php | 2 +- lib/util.php | 5 +++++ 2 files changed, 6 insertions(+), 1 deletion(-) diff --git a/lib/apiauth.php b/lib/apiauth.php index f63c84d8f..32502399f 100644 --- a/lib/apiauth.php +++ b/lib/apiauth.php @@ -241,7 +241,7 @@ class ApiAuthAction extends ApiAction $realm = common_config('site', 'name') . ' API'; } - if (!isset($this->auth_user_nickname) && $required) { + if (empty($this->auth_user_nickname) && $required) { header('WWW-Authenticate: Basic realm="' . $realm . '"'); // show error if the user clicks 'cancel' diff --git a/lib/util.php b/lib/util.php index da2799d4f..5bef88ecc 100644 --- a/lib/util.php +++ b/lib/util.php @@ -133,6 +133,11 @@ function common_munge_password($password, $id) function common_check_user($nickname, $password) { + // empty nickname always unacceptable + if (empty($nickname)) { + return false; + } + $authenticatedUser = false; if (Event::handle('StartCheckPassword', array($nickname, $password, &$authenticatedUser))) { -- cgit v1.2.3-54-g00ecf From 532e486a936c78961ff93d5e8de2dc0b86ee8d2a Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Wed, 10 Mar 2010 11:54:00 -0800 Subject: Detect when queuedaemon/xmppdaemon parent processes die and kill the child processes. Keeps stray daemon subprocesses from floating around when we kill the parents via a signal! Accomplished by opening a bidirectional pipe in the parent process; the children close out the writer end and keep the reader in their open sockets list. When the parent dies, the children see that the socket's been closed out and can perform an orderly shutdown. --- lib/processmanager.php | 84 +++++++++++++++++++++++++++++++++++++++++++++++++ lib/spawningdaemon.php | 32 +++++++++++++++++++ scripts/queuedaemon.php | 11 ++++++- scripts/xmppdaemon.php | 11 ++++++- 4 files changed, 136 insertions(+), 2 deletions(-) create mode 100644 lib/processmanager.php diff --git a/lib/processmanager.php b/lib/processmanager.php new file mode 100644 index 000000000..6032bfc5c --- /dev/null +++ b/lib/processmanager.php @@ -0,0 +1,84 @@ +. + * + * @category QueueManager + * @package StatusNet + * @author Brion Vibber + * @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/ + */ + +class ProcessManager extends IoManager +{ + protected $socket; + + public static function get() + { + throw new Exception("Must pass ProcessManager per-instance"); + } + + public function __construct($socket) + { + $this->socket = $socket; + } + + /** + * Tell the i/o queue master if and how we can handle multi-site + * processes. + * + * Return one of: + * IoManager::SINGLE_ONLY + * IoManager::INSTANCE_PER_SITE + * IoManager::INSTANCE_PER_PROCESS + */ + public static function multiSite() + { + return IoManager::INSTANCE_PER_PROCESS; + } + + /** + * We won't get any input on it, but if it's broken we'll + * know something's gone horribly awry. + * + * @return array of resources + */ + function getSockets() + { + return array($this->socket); + } + + /** + * See if the parent died and request a shutdown... + * + * @param resource $socket + * @return boolean success + */ + function handleInput($socket) + { + if (feof($socket)) { + common_log(LOG_INFO, "Parent process exited; shutting down child."); + $this->master->requestShutdown(); + } + return true; + } +} + diff --git a/lib/spawningdaemon.php b/lib/spawningdaemon.php index fd9ae4355..2f9f6e32e 100644 --- a/lib/spawningdaemon.php +++ b/lib/spawningdaemon.php @@ -71,6 +71,8 @@ abstract class SpawningDaemon extends Daemon */ function run() { + $this->initPipes(); + $children = array(); for ($i = 1; $i <= $this->threads; $i++) { $pid = pcntl_fork(); @@ -128,6 +130,34 @@ abstract class SpawningDaemon extends Daemon return true; } + /** + * Create an IPC socket pair which child processes can use to detect + * if the parent process has been killed. + */ + function initPipes() + { + $sockets = stream_socket_pair(STREAM_PF_UNIX, STREAM_SOCK_STREAM, 0); + if ($sockets) { + $this->parentWriter = $sockets[0]; + $this->parentReader = $sockets[1]; + } else { + $this->log(LOG_ERROR, "Couldn't create inter-process sockets"); + exit(1); + } + } + + /** + * Build an IOManager that simply ensures that we have a connection + * to the parent process open. If it breaks, the child process will + * die. + * + * @return ProcessManager + */ + public function processManager() + { + return new ProcessManager($this->parentReader); + } + /** * Determine whether to respawn an exited subprocess based on its exit code. * Otherwise we'll respawn all exits by default. @@ -152,6 +182,8 @@ abstract class SpawningDaemon extends Daemon */ protected function initAndRunChild($thread) { + // Close the writer end of our parent<->children pipe. + fclose($this->parentWriter); $this->set_id($this->get_id() . "." . $thread); $this->resetDb(); $exitCode = $this->runThread(); diff --git a/scripts/queuedaemon.php b/scripts/queuedaemon.php index 6dba16f95..582a3dd88 100755 --- a/scripts/queuedaemon.php +++ b/scripts/queuedaemon.php @@ -105,7 +105,7 @@ class QueueDaemon extends SpawningDaemon { $this->log(LOG_INFO, 'checking for queued notices'); - $master = new QueueMaster($this->get_id()); + $master = new QueueMaster($this->get_id(), $this->processManager()); $master->init($this->allsites); try { $master->service(); @@ -125,6 +125,14 @@ class QueueDaemon extends SpawningDaemon class QueueMaster extends IoMaster { + protected $processManager; + + function __construct($id, $processManager) + { + parent::__construct($id); + $this->processManager = $processManager; + } + /** * Initialize IoManagers which are appropriate to this instance. */ @@ -135,6 +143,7 @@ class QueueMaster extends IoMaster $qm = QueueManager::get(); $qm->setActiveGroup('main'); $managers[] = $qm; + $managers[] = $this->processManager; } Event::handle('EndQueueDaemonIoManagers', array(&$managers)); diff --git a/scripts/xmppdaemon.php b/scripts/xmppdaemon.php index 9302f0c43..26c7991b8 100755 --- a/scripts/xmppdaemon.php +++ b/scripts/xmppdaemon.php @@ -55,7 +55,7 @@ class XMPPDaemon extends SpawningDaemon { common_log(LOG_INFO, 'Waiting to listen to XMPP and queues'); - $master = new XmppMaster($this->get_id()); + $master = new XmppMaster($this->get_id(), $this->processManager()); $master->init($this->allsites); $master->service(); @@ -68,6 +68,14 @@ class XMPPDaemon extends SpawningDaemon class XmppMaster extends IoMaster { + protected $processManager; + + function __construct($id, $processManager) + { + parent::__construct($id); + $this->processManager = $processManager; + } + /** * Initialize IoManagers for the currently configured site * which are appropriate to this instance. @@ -79,6 +87,7 @@ class XmppMaster extends IoMaster $qm->setActiveGroup('xmpp'); $this->instantiate($qm); $this->instantiate(XmppManager::get()); + $this->instantiate($this->processManager); } } } -- cgit v1.2.3-54-g00ecf From 4741683298ac02e14d7380ab20f20fd8a73775e2 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Wed, 10 Mar 2010 22:05:28 +0000 Subject: Allow site-specific doc files --- actions/doc.php | 30 ++++++++++++++++++++++-------- 1 file changed, 22 insertions(+), 8 deletions(-) diff --git a/actions/doc.php b/actions/doc.php index 459f5f096..f876fb8be 100644 --- a/actions/doc.php +++ b/actions/doc.php @@ -13,7 +13,7 @@ * @link http://status.net/ * * StatusNet - the distributed open-source microblogging tool - * Copyright (C) 2008, 2009, StatusNet, Inc. + * Copyright (C) 2008-2010, StatusNet, Inc. * * This program is free software: you can redistribute it and/or modify * it under the terms of the GNU Affero General Public License as published by @@ -168,14 +168,28 @@ class DocAction extends Action function getFilename() { - if (file_exists(INSTALLDIR.'/local/doc-src/'.$this->title)) { - $localDef = INSTALLDIR.'/local/doc-src/'.$this->title; - } + $localDef = null; + $local = null; + + $site = StatusNet::currentSite(); - $local = glob(INSTALLDIR.'/local/doc-src/'.$this->title.'.*'); - if ($local === false) { - // Some systems return false, others array(), if dir didn't exist. - $local = array(); + if (!empty($site) && file_exists(INSTALLDIR.'/local/doc-src/'.$site.'/'.$this->title)) { + $localDef = INSTALLDIR.'/local/doc-src/'.$site.'/'.$this->title; + + $local = glob(INSTALLDIR.'/local/doc-src/'.$site.'/'.$this->title.'.*'); + if ($local === false) { + // Some systems return false, others array(), if dir didn't exist. + $local = array(); + } + } else { + if (file_exists(INSTALLDIR.'/local/doc-src/'.$this->title)) { + $localDef = INSTALLDIR.'/local/doc-src/'.$this->title; + } + + $local = glob(INSTALLDIR.'/local/doc-src/'.$this->title.'.*'); + if ($local === false) { + $local = array(); + } } if (count($local) || isset($localDef)) { -- cgit v1.2.3-54-g00ecf From 2a426f24c0599710ef170b01f7f7124b7166e12e Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Wed, 10 Mar 2010 22:05:28 +0000 Subject: Allow site-specific doc files --- actions/doc.php | 30 ++++++++++++++++++++++-------- 1 file changed, 22 insertions(+), 8 deletions(-) diff --git a/actions/doc.php b/actions/doc.php index 459f5f096..f876fb8be 100644 --- a/actions/doc.php +++ b/actions/doc.php @@ -13,7 +13,7 @@ * @link http://status.net/ * * StatusNet - the distributed open-source microblogging tool - * Copyright (C) 2008, 2009, StatusNet, Inc. + * Copyright (C) 2008-2010, StatusNet, Inc. * * This program is free software: you can redistribute it and/or modify * it under the terms of the GNU Affero General Public License as published by @@ -168,14 +168,28 @@ class DocAction extends Action function getFilename() { - if (file_exists(INSTALLDIR.'/local/doc-src/'.$this->title)) { - $localDef = INSTALLDIR.'/local/doc-src/'.$this->title; - } + $localDef = null; + $local = null; + + $site = StatusNet::currentSite(); - $local = glob(INSTALLDIR.'/local/doc-src/'.$this->title.'.*'); - if ($local === false) { - // Some systems return false, others array(), if dir didn't exist. - $local = array(); + if (!empty($site) && file_exists(INSTALLDIR.'/local/doc-src/'.$site.'/'.$this->title)) { + $localDef = INSTALLDIR.'/local/doc-src/'.$site.'/'.$this->title; + + $local = glob(INSTALLDIR.'/local/doc-src/'.$site.'/'.$this->title.'.*'); + if ($local === false) { + // Some systems return false, others array(), if dir didn't exist. + $local = array(); + } + } else { + if (file_exists(INSTALLDIR.'/local/doc-src/'.$this->title)) { + $localDef = INSTALLDIR.'/local/doc-src/'.$this->title; + } + + $local = glob(INSTALLDIR.'/local/doc-src/'.$this->title.'.*'); + if ($local === false) { + $local = array(); + } } if (count($local) || isset($localDef)) { -- cgit v1.2.3-54-g00ecf From f02cb7c71800e6a4426b92ce04c4b8f89006b10a Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Wed, 10 Mar 2010 13:39:42 -0800 Subject: Fix for attachment "h bug": posting a shortened link to an oembed-able resource that has been previously used in the system would incorrectly save "h" as the item's type and title. --- classes/File.php | 9 +++++++- classes/File_oembed.php | 8 ++++++- classes/File_redirection.php | 51 ++++++++++++++++++++++++++++++++++++++++---- 3 files changed, 62 insertions(+), 6 deletions(-) diff --git a/classes/File.php b/classes/File.php index 1b8ef1b3e..a83ecac4c 100644 --- a/classes/File.php +++ b/classes/File.php @@ -67,7 +67,14 @@ class File extends Memcached_DataObject return $att; } - function saveNew($redir_data, $given_url) { + /** + * Save a new file record. + * + * @param array $redir_data lookup data eg from File_redirection::where() + * @param string $given_url + * @return File + */ + function saveNew(array $redir_data, $given_url) { $x = new File; $x->url = $given_url; if (!empty($redir_data['protected'])) $x->protected = $redir_data['protected']; diff --git a/classes/File_oembed.php b/classes/File_oembed.php index 11f160718..f59eaf24c 100644 --- a/classes/File_oembed.php +++ b/classes/File_oembed.php @@ -81,7 +81,13 @@ class File_oembed extends Memcached_DataObject } } - function saveNew($data, $file_id) { + /** + * Save embedding info for a new file. + * + * @param array $data lookup data as from File_redirection::where + * @param int $file_id + */ + function saveNew(array $data, $file_id) { $file_oembed = new File_oembed; $file_oembed->file_id = $file_id; $file_oembed->version = $data->version; diff --git a/classes/File_redirection.php b/classes/File_redirection.php index 08a6e8d8b..d96979158 100644 --- a/classes/File_redirection.php +++ b/classes/File_redirection.php @@ -115,11 +115,45 @@ class File_redirection extends Memcached_DataObject return $ret; } + /** + * Check if this URL is a redirect and return redir info. + * If a File record is present for this URL, it is not considered a redirect. + * If a File_redirection record is present for this URL, the recorded target is returned. + * + * If no File or File_redirect record is present, the URL is hit and any + * redirects are followed, up to 10 levels or until a protected URL is + * reached. + * + * @param string $in_url + * @return mixed one of: + * string - target URL, if this is a direct link or a known redirect + * array - redirect info if this is an *unknown* redirect: + * associative array with the following elements: + * code: HTTP status code + * redirects: count of redirects followed + * url: URL string of final target + * type (optional): MIME type from Content-Type header + * size (optional): byte size from Content-Length header + * time (optional): timestamp from Last-Modified header + */ function where($in_url) { $ret = File_redirection::_redirectWhere_imp($in_url); return $ret; } + /** + * Shorten a URL with the current user's configured shortening + * options, if applicable. + * + * If it cannot be shortened or the "short" URL is longer than the + * original, the original is returned. + * + * If the referenced item has not been seen before, embedding data + * may be saved. + * + * @param string $long_url + * @return string + */ function makeShort($long_url) { $canon = File_redirection::_canonUrl($long_url); @@ -141,11 +175,20 @@ class File_redirection extends Memcached_DataObject // store it $file = File::staticGet('url', $long_url); if (empty($file)) { + // Check if the target URL is itself a redirect... $redir_data = File_redirection::where($long_url); - $file = File::saveNew($redir_data, $long_url); - $file_id = $file->id; - if (!empty($redir_data['oembed']['json'])) { - File_oembed::saveNew($redir_data['oembed']['json'], $file_id); + if (is_array($redir_data)) { + // We haven't seen the target URL before. + // Save file and embedding data about it! + $file = File::saveNew($redir_data, $long_url); + $file_id = $file->id; + if (!empty($redir_data['oembed']['json'])) { + File_oembed::saveNew($redir_data['oembed']['json'], $file_id); + } + } else if (is_string($redir_data)) { + // The file is a known redirect target. + $file = File::staticGet('url', $redir_data); + $file_id = $file->id; } } else { $file_id = $file->id; -- cgit v1.2.3-54-g00ecf From 294b290dd95a2e4a09026932a2b066ccee587681 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Wed, 10 Mar 2010 14:31:29 -0800 Subject: Fixup script for files w/ bogus data saved into file record ('h bug') --- classes/File.php | 24 +++++++++++++++--- classes/File_oembed.php | 4 +-- classes/File_redirection.php | 60 ++++++++++++++++++++++++++++++-------------- 3 files changed, 64 insertions(+), 24 deletions(-) diff --git a/classes/File.php b/classes/File.php index a83ecac4c..ba8332841 100644 --- a/classes/File.php +++ b/classes/File.php @@ -84,19 +84,36 @@ class File extends Memcached_DataObject if (isset($redir_data['time']) && $redir_data['time'] > 0) $x->date = intval($redir_data['time']); $file_id = $x->insert(); + $x->saveOembed($redir_data, $given_url); + return $x; + } + + /** + * Save embedding information for this file, if applicable. + * + * Normally this won't need to be called manually, as File::saveNew() + * takes care of it. + * + * @param array $redir_data lookup data eg from File_redirection::where() + * @param string $given_url + * @return boolean success + */ + public function saveOembed($redir_data, $given_url) + { if (isset($redir_data['type']) && (('text/html' === substr($redir_data['type'], 0, 9) || 'application/xhtml+xml' === substr($redir_data['type'], 0, 21))) && ($oembed_data = File_oembed::_getOembed($given_url))) { - $fo = File_oembed::staticGet('file_id', $file_id); + $fo = File_oembed::staticGet('file_id', $this->id); if (empty($fo)) { - File_oembed::saveNew($oembed_data, $file_id); + File_oembed::saveNew($oembed_data, $this->id); + return true; } else { common_log(LOG_WARNING, "Strangely, a File_oembed object exists for new file $file_id", __FILE__); } } - return $x; + return false; } function processNew($given_url, $notice_id=null) { @@ -112,6 +129,7 @@ class File extends Memcached_DataObject $redir_url = $redir_data['url']; } elseif (is_string($redir_data)) { $redir_url = $redir_data; + $redir_data = array(); } else { throw new ServerException("Can't process url '$given_url'"); } diff --git a/classes/File_oembed.php b/classes/File_oembed.php index f59eaf24c..041b44740 100644 --- a/classes/File_oembed.php +++ b/classes/File_oembed.php @@ -84,10 +84,10 @@ class File_oembed extends Memcached_DataObject /** * Save embedding info for a new file. * - * @param array $data lookup data as from File_redirection::where + * @param object $data Services_oEmbed_Object_* * @param int $file_id */ - function saveNew(array $data, $file_id) { + function saveNew($data, $file_id) { $file_oembed = new File_oembed; $file_oembed->file_id = $file_id; $file_oembed->version = $data->version; diff --git a/classes/File_redirection.php b/classes/File_redirection.php index d96979158..f128b3e07 100644 --- a/classes/File_redirection.php +++ b/classes/File_redirection.php @@ -58,24 +58,30 @@ class File_redirection extends Memcached_DataObject return $request; } - function _redirectWhere_imp($short_url, $redirs = 10, $protected = false) { + /** + * Check if this URL is a redirect and return redir info. + * + * Most code should call File_redirection::where instead, to check if we + * already know that redirection and avoid extra hits to the web. + * + * The URL is hit and any redirects are followed, up to 10 levels or until + * a protected URL is reached. + * + * @param string $in_url + * @return mixed one of: + * string - target URL, if this is a direct link or can't be followed + * array - redirect info if this is an *unknown* redirect: + * associative array with the following elements: + * code: HTTP status code + * redirects: count of redirects followed + * url: URL string of final target + * type (optional): MIME type from Content-Type header + * size (optional): byte size from Content-Length header + * time (optional): timestamp from Last-Modified header + */ + public function lookupWhere($short_url, $redirs = 10, $protected = false) { if ($redirs < 0) return false; - // let's see if we know this... - $a = File::staticGet('url', $short_url); - - if (!empty($a)) { - // this is a direct link to $a->url - return $a->url; - } else { - $b = File_redirection::staticGet('url', $short_url); - if (!empty($b)) { - // this is a redirect to $b->file_id - $a = File::staticGet('id', $b->file_id); - return $a->url; - } - } - if(strpos($short_url,'://') === false){ return $short_url; } @@ -93,12 +99,13 @@ class File_redirection extends Memcached_DataObject } } catch (Exception $e) { // Invalid URL or failure to reach server + common_log(LOG_ERR, "Error while following redirects for $short_url: " . $e->getMessage()); return $short_url; } if ($response->getRedirectCount() && File::isProtected($response->getUrl())) { // Bump back up the redirect chain until we find a non-protected URL - return self::_redirectWhere_imp($short_url, $response->getRedirectCount() - 1, true); + return self::lookupWhere($short_url, $response->getRedirectCount() - 1, true); } $ret = array('code' => $response->getStatus() @@ -136,8 +143,23 @@ class File_redirection extends Memcached_DataObject * size (optional): byte size from Content-Length header * time (optional): timestamp from Last-Modified header */ - function where($in_url) { - $ret = File_redirection::_redirectWhere_imp($in_url); + public function where($in_url) { + // let's see if we know this... + $a = File::staticGet('url', $in_url); + + if (!empty($a)) { + // this is a direct link to $a->url + return $a->url; + } else { + $b = File_redirection::staticGet('url', $in_url); + if (!empty($b)) { + // this is a redirect to $b->file_id + $a = File::staticGet('id', $b->file_id); + return $a->url; + } + } + + $ret = File_redirection::lookupWhere($in_url); return $ret; } -- cgit v1.2.3-54-g00ecf From 5cd020bf299619ca2844f4d14418891a59a0dd22 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Wed, 10 Mar 2010 15:08:40 -0800 Subject: Workaround intermittent bugs with HEAD requests by disabling keepalive in HTTPClient. I think this is a bug in Youtube's web server (sending chunked encoding of an empty body with a HEAD response, leaving the connection out of sync when it doesn't attempt to read a body) but the HTTP_Request2 library may need to be adjusted to watch out for that. --- lib/httpclient.php | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/lib/httpclient.php b/lib/httpclient.php index 4c3af8d7d..64a51353c 100644 --- a/lib/httpclient.php +++ b/lib/httpclient.php @@ -120,6 +120,16 @@ class HTTPClient extends HTTP_Request2 { $this->config['max_redirs'] = 10; $this->config['follow_redirects'] = true; + + // We've had some issues with keepalive breaking with + // HEAD requests, such as to youtube which seems to be + // emitting chunked encoding info for an empty body + // instead of not emitting anything. This may be a + // bug on YouTube's end, but the upstream libray + // ought to be investigated to see if we can handle + // it gracefully in that case as well. + $this->config['protocol_version'] = '1.0'; + parent::__construct($url, $method, $config); $this->setHeader('User-Agent', $this->userAgent()); } -- cgit v1.2.3-54-g00ecf From 66518df4356ea878bfd8693191f0354caebfb549 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Wed, 10 Mar 2010 17:00:05 -0800 Subject: OStatus: reject attempts to create a remote profile for a local user or group. Some stray shadow entries were ending up getting created, which would steal group posts from remote users. Run plugins/OStatus/scripts/fixup-shadow.php for each site to remove any existing ones. --- plugins/OStatus/OStatusPlugin.php | 37 ++++++++++++++++ plugins/OStatus/classes/Ostatus_profile.php | 19 +++++--- plugins/OStatus/scripts/fixup-shadow.php | 69 +++++++++++++++++++++++++++++ 3 files changed, 118 insertions(+), 7 deletions(-) create mode 100644 plugins/OStatus/scripts/fixup-shadow.php diff --git a/plugins/OStatus/OStatusPlugin.php b/plugins/OStatus/OStatusPlugin.php index a97f3475b..ef28ab22e 100644 --- a/plugins/OStatus/OStatusPlugin.php +++ b/plugins/OStatus/OStatusPlugin.php @@ -929,4 +929,41 @@ class OStatusPlugin extends Plugin return true; } + + /** + * Utility function to check if the given URL is a canonical group profile + * page, and if so return the ID number. + * + * @param string $url + * @return mixed int or false + */ + public static function localGroupFromUrl($url) + { + $template = common_local_url('groupbyid', array('id' => '31337')); + $template = preg_quote($template, '/'); + $template = str_replace('31337', '(\d+)', $template); + if (preg_match("/$template/", $url, $matches)) { + return intval($matches[1]); + } + return false; + } + + /** + * Utility function to check if the given URL is a canonical user profile + * page, and if so return the ID number. + * + * @param string $url + * @return mixed int or false + */ + public static function localProfileFromUrl($url) + { + $template = common_local_url('userbyid', array('id' => '31337')); + $template = preg_quote($template, '/'); + $template = str_replace('31337', '(\d+)', $template); + if (preg_match("/$template/", $url, $matches)) { + return intval($matches[1]); + } + return false; + } + } diff --git a/plugins/OStatus/classes/Ostatus_profile.php b/plugins/OStatus/classes/Ostatus_profile.php index abc8100ce..6ae8e4fd5 100644 --- a/plugins/OStatus/classes/Ostatus_profile.php +++ b/plugins/OStatus/classes/Ostatus_profile.php @@ -675,13 +675,10 @@ class Ostatus_profile extends Memcached_DataObject } // Is the recipient a local group? - // @fixme we need a uri on user_group + // @fixme uri on user_group isn't reliable yet // $group = User_group::staticGet('uri', $recipient); - $template = common_local_url('groupbyid', array('id' => '31337')); - $template = preg_quote($template, '/'); - $template = str_replace('31337', '(\d+)', $template); - if (preg_match("/$template/", $recipient, $matches)) { - $id = $matches[1]; + $id = OStatusPlugin::localGroupFromUrl($recipient); + if ($id) { $group = User_group::staticGet('id', $id); if ($group) { // Deliver to all members of this local group if allowed. @@ -992,7 +989,15 @@ class Ostatus_profile extends Memcached_DataObject if (!$homeuri) { common_log(LOG_DEBUG, __METHOD__ . " empty actor profile URI: " . var_export($activity, true)); - throw new ServerException("No profile URI"); + throw new Exception("No profile URI"); + } + + if (OStatusPlugin::localProfileFromUrl($homeuri)) { + throw new Exception("Local user can't be referenced as remote."); + } + + if (OStatusPlugin::localGroupFromUrl($homeuri)) { + throw new Exception("Local group can't be referenced as remote."); } if (array_key_exists('feedurl', $hints)) { diff --git a/plugins/OStatus/scripts/fixup-shadow.php b/plugins/OStatus/scripts/fixup-shadow.php new file mode 100644 index 000000000..0171b77bc --- /dev/null +++ b/plugins/OStatus/scripts/fixup-shadow.php @@ -0,0 +1,69 @@ +#!/usr/bin/env php +. + */ + +define('INSTALLDIR', realpath(dirname(__FILE__) . '/../../..')); + +$longoptions = array('dry-run'); + +$helptext = << $marker)); +$encProfile = $oprofile->escape($profileTemplate, true); +$encProfile = str_replace($marker, '%', $encProfile); + +$groupTemplate = common_local_url('groupbyid', array('id' => $marker)); +$encGroup = $oprofile->escape($groupTemplate, true); +$encGroup = str_replace($marker, '%', $encGroup); + +$sql = "SELECT * FROM ostatus_profile WHERE uri LIKE '%s' OR uri LIKE '%s'"; +$oprofile->query(sprintf($sql, $encProfile, $encGroup)); + +echo "Found $oprofile->N bogus ostatus_profile entries:\n"; + +while ($oprofile->fetch()) { + echo "$oprofile->uri"; + + if ($dry) { + echo " (unchanged)\n"; + } else { + echo " deleting..."; + $evil = clone($oprofile); + $evil->delete(); + echo " ok\n"; + } +} + +echo "done.\n"; + -- cgit v1.2.3-54-g00ecf From ce92bc71431ec878c391b1ac6e16fd59cafd50b1 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Thu, 11 Mar 2010 11:01:01 -0800 Subject: Drop timestamp cutoff parameter from User::getCurrentNotice() and Profile::getCurrentNotice(). It's not currently used, and won't be efficient when we update the notice.profile_id_idx index to optimize for our id-based sorting when pulling user post lists for profile pages, feeds etc. --- classes/Profile.php | 12 +++++++----- classes/User.php | 9 +++++++-- 2 files changed, 14 insertions(+), 7 deletions(-) diff --git a/classes/Profile.php b/classes/Profile.php index 0322c9358..91f6e4692 100644 --- a/classes/Profile.php +++ b/classes/Profile.php @@ -147,14 +147,16 @@ class Profile extends Memcached_DataObject return ($this->fullname) ? $this->fullname : $this->nickname; } - # Get latest notice on or before date; default now - function getCurrentNotice($dt=null) + /** + * Get the most recent notice posted by this user, if any. + * + * @return mixed Notice or null + */ + function getCurrentNotice() { $notice = new Notice(); $notice->profile_id = $this->id; - if ($dt) { - $notice->whereAdd('created < "' . $dt . '"'); - } + // @fixme change this to sort on notice.id only when indexes are updated $notice->orderBy('created DESC, notice.id DESC'); $notice->limit(1); if ($notice->find(true)) { diff --git a/classes/User.php b/classes/User.php index aa9fbf948..330da039b 100644 --- a/classes/User.php +++ b/classes/User.php @@ -132,13 +132,18 @@ class User extends Memcached_DataObject return !in_array($nickname, $blacklist); } - function getCurrentNotice($dt=null) + /** + * Get the most recent notice posted by this user, if any. + * + * @return mixed Notice or null + */ + function getCurrentNotice() { $profile = $this->getProfile(); if (!$profile) { return null; } - return $profile->getCurrentNotice($dt); + return $profile->getCurrentNotice(); } function getCarrier() -- cgit v1.2.3-54-g00ecf From 89582e72262bdba65e6b07699536555d5fa6a497 Mon Sep 17 00:00:00 2001 From: James Walker Date: Tue, 9 Mar 2010 18:12:37 -0500 Subject: base64_encode/decode -> base64_url_encode/decode --- plugins/OStatus/lib/magicenvelope.php | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/plugins/OStatus/lib/magicenvelope.php b/plugins/OStatus/lib/magicenvelope.php index fb8c57c71..e8835165c 100644 --- a/plugins/OStatus/lib/magicenvelope.php +++ b/plugins/OStatus/lib/magicenvelope.php @@ -70,7 +70,7 @@ class MagicEnvelope public function signMessage($text, $mimetype, $keypair) { $signature_alg = Magicsig::fromString($keypair); - $armored_text = base64_encode($text); + $armored_text = base64_url_encode($text); return array( 'data' => $armored_text, @@ -108,7 +108,7 @@ class MagicEnvelope public function unfold($env) { $dom = new DOMDocument(); - $dom->loadXML(base64_decode($env['data'])); + $dom->loadXML(base64_url_decode($env['data'])); if ($dom->documentElement->tagName != 'entry') { return false; @@ -165,7 +165,7 @@ class MagicEnvelope return false; } - $text = base64_decode($env['data']); + $text = base64_url_decode($env['data']); $signer_uri = $this->getAuthor($text); try { -- cgit v1.2.3-54-g00ecf From 06612e35e433109e00167ac62d65299210ef0032 Mon Sep 17 00:00:00 2001 From: James Walker Date: Tue, 9 Mar 2010 18:47:20 -0500 Subject: remove hard-coded me:env check in magicenvelope --- plugins/OStatus/lib/magicenvelope.php | 9 +++++---- 1 file changed, 5 insertions(+), 4 deletions(-) diff --git a/plugins/OStatus/lib/magicenvelope.php b/plugins/OStatus/lib/magicenvelope.php index e8835165c..c927209e4 100644 --- a/plugins/OStatus/lib/magicenvelope.php +++ b/plugins/OStatus/lib/magicenvelope.php @@ -193,11 +193,12 @@ class MagicEnvelope public function fromDom($dom) { - if ($dom->documentElement->tagName == 'entry') { + $env_element = $dom->getElementsByTagNameNS(MagicEnvelope::NS, 'env')->item(0); + if (!$env_element) { $env_element = $dom->getElementsByTagNameNS(MagicEnvelope::NS, 'provenance')->item(0); - } else if ($dom->documentElement->tagName == 'me:env') { - $env_element = $dom->documentElement; - } else { + } + + if (!$env_element) { return false; } -- cgit v1.2.3-54-g00ecf From 512e51105372daf9c85af9284de1463084f03aa9 Mon Sep 17 00:00:00 2001 From: James Walker Date: Thu, 11 Mar 2010 14:32:22 -0500 Subject: fix invalid separator in magic-public-key XRD and matching parsing. --- plugins/OStatus/lib/magicenvelope.php | 6 +++++- plugins/OStatus/lib/xrdaction.php | 2 +- 2 files changed, 6 insertions(+), 2 deletions(-) diff --git a/plugins/OStatus/lib/magicenvelope.php b/plugins/OStatus/lib/magicenvelope.php index c927209e4..9266cab5c 100644 --- a/plugins/OStatus/lib/magicenvelope.php +++ b/plugins/OStatus/lib/magicenvelope.php @@ -59,7 +59,11 @@ class MagicEnvelope } if ($xrd->links) { if ($link = Discovery::getService($xrd->links, Magicsig::PUBLICKEYREL)) { - list($type, $keypair) = explode(';', $link['href']); + list($type, $keypair) = explode(',', $link['href']); + if (empty($keypair)) { + // Backwards compatibility check for separator bug in 0.9.0 + list($type, $keypair) = explode(';', $link['href']); + } return $keypair; } } diff --git a/plugins/OStatus/lib/xrdaction.php b/plugins/OStatus/lib/xrdaction.php index 6881292ad..b3c1d8453 100644 --- a/plugins/OStatus/lib/xrdaction.php +++ b/plugins/OStatus/lib/xrdaction.php @@ -91,7 +91,7 @@ class XrdAction extends Action } $xrd->links[] = array('rel' => Magicsig::PUBLICKEYREL, - 'href' => 'data:application/magic-public-key;'. $magickey->toString(false)); + 'href' => 'data:application/magic-public-key,'. $magickey->toString(false)); // TODO - finalize where the redirect should go on the publisher $url = common_local_url('ostatussub') . '?profile={uri}'; -- cgit v1.2.3-54-g00ecf From ded26ae8f55496e67e19515e1d73cfa41f6b2c75 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Thu, 11 Mar 2010 16:40:16 -0500 Subject: Fixes the indenting bug for geo anchor. Also mention in trac ticket 2235 --- lib/noticelist.php | 12 +++++++----- 1 file changed, 7 insertions(+), 5 deletions(-) diff --git a/lib/noticelist.php b/lib/noticelist.php index 88a925241..811b7e4f1 100644 --- a/lib/noticelist.php +++ b/lib/noticelist.php @@ -442,11 +442,13 @@ class NoticeListItem extends Widget 'title' => $latlon), $name); } else { - $this->out->elementStart('a', array('href' => $url)); - $this->out->element('abbr', array('class' => 'geo', - 'title' => $latlon), - $name); - $this->out->elementEnd('a'); + $xstr = new XMLStringer(false); + $xstr->elementStart('a', array('href' => $url)); + $xstr->element('abbr', array('class' => 'geo', + 'title' => $latlon), + $name); + $xstr->elementEnd('a'); + $this->out->raw($xstr->getString()); } $this->out->elementEnd('span'); } -- cgit v1.2.3-54-g00ecf From 00fa7d4b0b2078f3e85693e98c6b284664cc9767 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Thu, 11 Mar 2010 16:41:40 -0500 Subject: Updated theme dates --- theme/base/css/display.css | 4 ++-- theme/default/css/display.css | 2 +- theme/identica/css/display.css | 2 +- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/theme/base/css/display.css b/theme/base/css/display.css index 0246065a7..782d3dc71 100644 --- a/theme/base/css/display.css +++ b/theme/base/css/display.css @@ -1,8 +1,8 @@ /** theme: base * * @package StatusNet - * @author Sarven Capadisli - * @copyright 2009 StatusNet, Inc. + * @author Sarven Capadisli + * @copyright 2009-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/ */ diff --git a/theme/default/css/display.css b/theme/default/css/display.css index be341813a..d92a53965 100644 --- a/theme/default/css/display.css +++ b/theme/default/css/display.css @@ -2,7 +2,7 @@ * * @package StatusNet * @author Sarven Capadisli - * @copyright 2009 StatusNet, Inc. + * @copyright 2009-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/ */ diff --git a/theme/identica/css/display.css b/theme/identica/css/display.css index db85408eb..59cb3c38a 100644 --- a/theme/identica/css/display.css +++ b/theme/identica/css/display.css @@ -2,7 +2,7 @@ * * @package StatusNet * @author Sarven Capadisli - * @copyright 2009 StatusNet, Inc. + * @copyright 2009-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/ */ -- cgit v1.2.3-54-g00ecf From 20cb9fa28f865ecfcec31d5285950516172b8326 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Thu, 11 Mar 2010 17:16:37 -0500 Subject: foaf:holdsAccount is deprecated in favour of foaf:account. See http://lists.foaf-project.org/pipermail/foaf-dev/2009-December/009903.html for the news. Patch by Toby Inkster . --- actions/foaf.php | 4 ++-- actions/foafgroup.php | 6 +++--- 2 files changed, 5 insertions(+), 5 deletions(-) diff --git a/actions/foaf.php b/actions/foaf.php index e9f67b7f2..fc2ec9b12 100644 --- a/actions/foaf.php +++ b/actions/foaf.php @@ -251,7 +251,7 @@ class FoafAction extends Action } // Their account - $this->elementStart('holdsAccount'); + $this->elementStart('account'); $this->elementStart('OnlineAccount', $attr); if ($service) { $this->element('accountServiceHomepage', array('rdf:resource' => @@ -306,7 +306,7 @@ class FoafAction extends Action } $this->elementEnd('OnlineAccount'); - $this->elementEnd('holdsAccount'); + $this->elementEnd('account'); return $person; } diff --git a/actions/foafgroup.php b/actions/foafgroup.php index ebdf1cee2..d685554ac 100644 --- a/actions/foafgroup.php +++ b/actions/foafgroup.php @@ -146,7 +146,7 @@ class FoafGroupAction extends Action { $this->elementStart('Agent', array('rdf:about' => $uri)); $this->element('nick', null, $details['nickname']); - $this->elementStart('holdsAccount'); + $this->elementStart('account'); $this->elementStart('sioc:User', array('rdf:about'=>$uri.'#acct')); $this->elementStart('sioc:has_function'); $this->elementStart('statusnet:GroupAdminRole'); @@ -154,7 +154,7 @@ class FoafGroupAction extends Action $this->elementEnd('statusnet:GroupAdminRole'); $this->elementEnd('sioc:has_function'); $this->elementEnd('sioc:User'); - $this->elementEnd('holdsAccount'); + $this->elementEnd('account'); $this->elementEnd('Agent'); } else @@ -177,4 +177,4 @@ class FoafGroupAction extends Action $this->elementEnd('Document'); } -} \ No newline at end of file +} -- cgit v1.2.3-54-g00ecf From 74fd75555669cfe0a53b6cbc50a425e6f9f093d1 Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Thu, 11 Mar 2010 17:26:59 -0500 Subject: A null mimetype is not an enclosure (more likely than not means there was an error) --- classes/File.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/classes/File.php b/classes/File.php index 8c788c007..33273bbdc 100644 --- a/classes/File.php +++ b/classes/File.php @@ -285,7 +285,7 @@ class File extends Memcached_DataObject $enclosure->mimetype=$this->mimetype; if(! isset($this->filename)){ - $notEnclosureMimeTypes = array('text/html','application/xhtml+xml'); + $notEnclosureMimeTypes = array(null,'text/html','application/xhtml+xml'); $mimetype = strtolower($this->mimetype); $semicolon = strpos($mimetype,';'); if($semicolon){ -- cgit v1.2.3-54-g00ecf From 023f258b63c2c47b1af74811c39ab274b170e6b0 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Thu, 11 Mar 2010 23:05:56 +0000 Subject: - Output georss xmlns in rss element - Only output geopoint in rss if one is set --- lib/apiaction.php | 22 ++++++++++++++-------- 1 file changed, 14 insertions(+), 8 deletions(-) diff --git a/lib/apiaction.php b/lib/apiaction.php index e4a1df3d1..fd09f3d42 100644 --- a/lib/apiaction.php +++ b/lib/apiaction.php @@ -541,13 +541,12 @@ class ApiAction extends Action function showGeoRSS($geo) { - if (empty($geo)) { - // empty geo element - $this->element('geo'); - } else { - $this->elementStart('geo', array('xmlns:georss' => 'http://www.georss.org/georss')); - $this->element('georss:point', null, $geo['coordinates'][0] . ' ' . $geo['coordinates'][1]); - $this->elementEnd('geo'); + if (!empty($geo)) { + $this->element( + 'georss:point', + null, + $geo['coordinates'][0] . ' ' . $geo['coordinates'][1] + ); } } @@ -1138,7 +1137,14 @@ class ApiAction extends Action function initTwitterRss() { $this->startXML(); - $this->elementStart('rss', array('version' => '2.0', 'xmlns:atom'=>'http://www.w3.org/2005/Atom')); + $this->elementStart( + 'rss', + array( + 'version' => '2.0', + 'xmlns:atom' => 'http://www.w3.org/2005/Atom', + 'xmlns:georss' => 'http://www.georss.org/georss' + ) + ); $this->elementStart('channel'); Event::handle('StartApiRss', array($this)); } -- cgit v1.2.3-54-g00ecf From 7e1a1506f5afd26da8dbe654f5f67f5c11d9d6e9 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Thu, 11 Mar 2010 23:28:41 +0000 Subject: Output self link in rss2 feeds, if available --- lib/apiaction.php | 14 +++++++++++++- 1 file changed, 13 insertions(+), 1 deletion(-) diff --git a/lib/apiaction.php b/lib/apiaction.php index fd09f3d42..73777f4e8 100644 --- a/lib/apiaction.php +++ b/lib/apiaction.php @@ -618,13 +618,25 @@ class ApiAction extends Action $this->endDocument('xml'); } - function showRssTimeline($notice, $title, $link, $subtitle, $suplink=null, $logo=null) + function showRssTimeline($notice, $title, $link, $subtitle, $suplink = null, $logo = null, $self = null) { $this->initDocument('rss'); $this->element('title', null, $title); $this->element('link', null, $link); + + if (!is_null($self)) { + $this->element( + 'atom:link', + array( + 'type' => 'application/rss+xml', + 'href' => $self, + 'rel' => 'self' + ) + ); + } + if (!is_null($suplink)) { // For FriendFeed's SUP protocol $this->element('link', array('xmlns' => 'http://www.w3.org/2005/Atom', -- cgit v1.2.3-54-g00ecf From 212b20e876fac3b989cd79b1b896b88f50995a37 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Thu, 11 Mar 2010 23:43:03 +0000 Subject: Add self link to user and group rss2 feeds --- actions/apitimelinegroup.php | 23 ++++++++++------------- actions/apitimelineuser.php | 31 +++++++++++++++++-------------- 2 files changed, 27 insertions(+), 27 deletions(-) diff --git a/actions/apitimelinegroup.php b/actions/apitimelinegroup.php index 8f971392b..c4f8cbc65 100644 --- a/actions/apitimelinegroup.php +++ b/actions/apitimelinegroup.php @@ -107,6 +107,14 @@ class ApiTimelineGroupAction extends ApiPrivateAuthAction // We'll pull common formatting out of this for other formats $atom = new AtomGroupNoticeFeed($this->group); + // Calculate self link + $id = $this->arg('id'); + $aargs = array('format' => $this->format); + if (!empty($id)) { + $aargs['id'] = $id; + } + $self = $this->getSelfUri('ApiTimelineGroup', $aargs); + switch($this->format) { case 'xml': $this->showXmlTimeline($this->notices); @@ -118,7 +126,8 @@ class ApiTimelineGroupAction extends ApiPrivateAuthAction $this->group->homeUrl(), $atom->subtitle, null, - $atom->logo + $atom->logo, + $self ); break; case 'atom': @@ -126,24 +135,12 @@ class ApiTimelineGroupAction extends ApiPrivateAuthAction header('Content-Type: application/atom+xml; charset=utf-8'); try { - $atom->addAuthorRaw($this->group->asAtomAuthor()); $atom->setActivitySubject($this->group->asActivitySubject()); - - $id = $this->arg('id'); - $aargs = array('format' => 'atom'); - if (!empty($id)) { - $aargs['id'] = $id; - } - $self = $this->getSelfUri('ApiTimelineGroup', $aargs); - $atom->setId($self); $atom->setSelfLink($self); - $atom->addEntryFromNotices($this->notices); - $this->raw($atom->getString()); - } catch (Atom10FeedException $e) { $this->serverError( 'Could not generate feed for group - ' . $e->getMessage() diff --git a/actions/apitimelineuser.php b/actions/apitimelineuser.php index 2d0047c04..5c4bcace4 100644 --- a/actions/apitimelineuser.php +++ b/actions/apitimelineuser.php @@ -116,13 +116,19 @@ class ApiTimelineUserAction extends ApiBareAuthAction // We'll use the shared params from the Atom stub // for other feed types. $atom = new AtomUserNoticeFeed($this->user); - $title = $atom->title; - $link = common_local_url( + + $link = common_local_url( 'showstream', array('nickname' => $this->user->nickname) ); - $subtitle = $atom->subtitle; - $logo = $atom->logo; + + // Calculate self link + $id = $this->arg('id'); + $aargs = array('format' => $this->format); + if (!empty($id)) { + $aargs['id'] = $id; + } + $self = $this->getSelfUri('ApiTimelineUser', $aargs); // FriendFeed's SUP protocol // Also added RSS and Atom feeds @@ -136,25 +142,22 @@ class ApiTimelineUserAction extends ApiBareAuthAction break; case 'rss': $this->showRssTimeline( - $this->notices, $title, $link, - $subtitle, $suplink, $logo + $this->notices, + $atom->title, + $link, + $atom->subtitle, + $suplink, + $atom->logo, + $self ); break; case 'atom': header('Content-Type: application/atom+xml; charset=utf-8'); - $id = $this->arg('id'); - $aargs = array('format' => 'atom'); - if (!empty($id)) { - $aargs['id'] = $id; - } - $self = $this->getSelfUri('ApiTimelineUser', $aargs); $atom->setId($self); $atom->setSelfLink($self); - $atom->addEntryFromNotices($this->notices); - $this->raw($atom->getString()); break; -- cgit v1.2.3-54-g00ecf From b12c3449309870c7c391ed0e2c7783f7a05a2334 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Thu, 11 Mar 2010 23:44:50 +0000 Subject: Generator tag should have 'uri' attr not 'url' --- lib/atom10feed.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/atom10feed.php b/lib/atom10feed.php index 2d342e785..a46d49f35 100644 --- a/lib/atom10feed.php +++ b/lib/atom10feed.php @@ -178,7 +178,7 @@ class Atom10Feed extends XMLStringer $this->element( 'generator', array( - 'url' => 'http://status.net', + 'uri' => 'http://status.net', 'version' => STATUSNET_VERSION ), 'StatusNet' -- cgit v1.2.3-54-g00ecf From 7cdcb89dc9d8dcc04848928c5b765f99566d2a4d Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 12 Mar 2010 00:36:26 +0000 Subject: Add id and updated elements to atom source --- classes/Notice.php | 2 ++ classes/User_group.php | 9 ++++----- 2 files changed, 6 insertions(+), 5 deletions(-) diff --git a/classes/Notice.php b/classes/Notice.php index 4c7e6ab4b..40a6263e5 100644 --- a/classes/Notice.php +++ b/classes/Notice.php @@ -1128,6 +1128,7 @@ class Notice extends Memcached_DataObject if ($source) { $xs->elementStart('source'); + $xs->element('id', null, $profile->profileurl); $xs->element('title', null, $profile->nickname . " - " . common_config('site', 'name')); $xs->element('link', array('href' => $profile->profileurl)); $user = User::staticGet('id', $profile->id); @@ -1143,6 +1144,7 @@ class Notice extends Memcached_DataObject } $xs->element('icon', null, $profile->avatarUrl(AVATAR_PROFILE_SIZE)); + $xs->element('updated', null, common_date_w3dtf($this->created)); } if ($source) { diff --git a/classes/User_group.php b/classes/User_group.php index 0460c9870..f29594502 100644 --- a/classes/User_group.php +++ b/classes/User_group.php @@ -295,7 +295,7 @@ class User_group extends Memcached_DataObject } // If not, check local groups. - + $group = Local_group::staticGet('nickname', $nickname); if (!empty($group)) { return User_group::staticGet('id', $group->group_id); @@ -371,11 +371,10 @@ class User_group extends Memcached_DataObject if ($source) { $xs->elementStart('source'); + $xs->element('id', null, $this->permalink()); $xs->element('title', null, $profile->nickname . " - " . common_config('site', 'name')); $xs->element('link', array('href' => $this->permalink())); - } - - if ($source) { + $xs->element('updated', null, $this->modified); $xs->elementEnd('source'); } @@ -455,7 +454,7 @@ class User_group extends Memcached_DataObject $group = new User_group(); $group->query('BEGIN'); - + if (empty($uri)) { // fill in later... $uri = null; -- cgit v1.2.3-54-g00ecf From 78f0d6bbd21ed84733e960201c4652e69c565450 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 12 Mar 2010 01:12:30 +0000 Subject: Scrub all atom output with common_xml_safe_str() --- classes/Notice.php | 8 ++++++-- classes/User_group.php | 8 ++++++-- lib/activity.php | 23 +++++++++++++++++------ lib/apiaction.php | 12 ++++++++---- 4 files changed, 37 insertions(+), 14 deletions(-) diff --git a/classes/Notice.php b/classes/Notice.php index 40a6263e5..a704053a0 100644 --- a/classes/Notice.php +++ b/classes/Notice.php @@ -1151,7 +1151,7 @@ class Notice extends Memcached_DataObject $xs->elementEnd('source'); } - $xs->element('title', null, $this->content); + $xs->element('title', null, common_xml_safe_str($this->content)); if ($author) { $xs->raw($profile->asAtomAuthor()); @@ -1227,7 +1227,11 @@ class Notice extends Memcached_DataObject } } - $xs->element('content', array('type' => 'html'), $this->rendered); + $xs->element( + 'content', + array('type' => 'html'), + common_xml_safe_str($this->rendered) + ); $tag = new Notice_tag(); $tag->notice_id = $this->id; diff --git a/classes/User_group.php b/classes/User_group.php index f29594502..63a407b4c 100644 --- a/classes/User_group.php +++ b/classes/User_group.php @@ -379,7 +379,7 @@ class User_group extends Memcached_DataObject } $xs->element('title', null, $this->nickname); - $xs->element('summary', null, $this->description); + $xs->element('summary', null, common_xml_safe_str($this->description)); $xs->element('link', array('rel' => 'alternate', 'href' => $this->permalink())); @@ -389,7 +389,11 @@ class User_group extends Memcached_DataObject $xs->element('published', null, common_date_w3dtf($this->created)); $xs->element('updated', null, common_date_w3dtf($this->modified)); - $xs->element('content', array('type' => 'html'), $this->description); + $xs->element( + 'content', + array('type' => 'html'), + common_xml_safe_str($this->description) + ); $xs->elementEnd('entry'); diff --git a/lib/activity.php b/lib/activity.php index 2cb80f9e1..125d391b0 100644 --- a/lib/activity.php +++ b/lib/activity.php @@ -78,7 +78,7 @@ class PoCoAddress if (!empty($this->formatted)) { $xs = new XMLStringer(true); $xs->elementStart('poco:address'); - $xs->element('poco:formatted', null, $this->formatted); + $xs->element('poco:formatted', null, common_xml_safe_str($this->formatted)); $xs->elementEnd('poco:address'); return $xs->getString(); } @@ -279,7 +279,7 @@ class PoCo ); if (!empty($this->note)) { - $xs->element('poco:note', null, $this->note); + $xs->element('poco:note', null, common_xml_safe_str($this->note)); } if (!empty($this->address)) { @@ -805,7 +805,6 @@ class ActivityObject return $object; } - function asString($tag='activity:object') { $xs = new XMLStringer(true); @@ -817,16 +816,28 @@ class ActivityObject $xs->element(self::ID, null, $this->id); if (!empty($this->title)) { - $xs->element(self::TITLE, null, $this->title); + $xs->element( + self::TITLE, + null, + common_xml_safe_str($this->title) + ); } if (!empty($this->summary)) { - $xs->element(self::SUMMARY, null, $this->summary); + $xs->element( + self::SUMMARY, + null, + common_xml_safe_str($this->summary) + ); } if (!empty($this->content)) { // XXX: assuming HTML content here - $xs->element(ActivityUtils::CONTENT, array('type' => 'html'), $this->content); + $xs->element( + ActivityUtils::CONTENT, + array('type' => 'html'), + common_xml_safe_str($this->content) + ); } if (!empty($this->link)) { diff --git a/lib/apiaction.php b/lib/apiaction.php index 73777f4e8..cef5d1c1e 100644 --- a/lib/apiaction.php +++ b/lib/apiaction.php @@ -743,8 +743,12 @@ class ApiAction extends Action function showTwitterAtomEntry($entry) { $this->elementStart('entry'); - $this->element('title', null, $entry['title']); - $this->element('content', array('type' => 'html'), $entry['content']); + $this->element('title', null, common_xml_safe_str($entry['title'])); + $this->element( + 'content', + array('type' => 'html'), + common_xml_safe_str($entry['content']) + ); $this->element('id', null, $entry['id']); $this->element('published', null, $entry['published']); $this->element('updated', null, $entry['updated']); @@ -859,7 +863,7 @@ class ApiAction extends Action $this->initDocument('atom'); - $this->element('title', null, $title); + $this->element('title', null, common_xml_safe_str($title)); $this->element('id', null, $id); $this->element('link', array('href' => $link, 'rel' => 'alternate', 'type' => 'text/html'), null); @@ -869,7 +873,7 @@ class ApiAction extends Action } $this->element('updated', null, common_date_iso8601('now')); - $this->element('subtitle', null, $subtitle); + $this->element('subtitle', null, common_xml_safe_str($subtitle)); if (is_array($group)) { foreach ($group as $g) { -- cgit v1.2.3-54-g00ecf From d6e0640251b91928fc65324438000d91f12cecf0 Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Thu, 11 Mar 2010 20:12:32 -0500 Subject: move image type checking to constructor, so checking will be done in all cases check if the relevant image handling function exists when deciding if the image type is supported --- lib/imagefile.php | 28 +++++++++++++++------------- 1 file changed, 15 insertions(+), 13 deletions(-) diff --git a/lib/imagefile.php b/lib/imagefile.php index 7b0479455..2134623b1 100644 --- a/lib/imagefile.php +++ b/lib/imagefile.php @@ -60,6 +60,21 @@ class ImageFile $this->filepath = $filepath; $info = @getimagesize($this->filepath); + + if (!( + ($info[2] == IMAGETYPE_GIF && function_exists('imagecreatefromgif')) || + ($info[2] == IMAGETYPE_JPEG && function_exists('imagecreatefromjpeg')) || + $info[2] == IMAGETYPE_BMP || + ($info[2] == IMAGETYPE_WBMP && function_exists('imagecreatefromwbmp')) || + ($info[2] == IMAGETYPE_XBM && function_exists('imagecreatefromxbm')) || + ($info[2] == IMAGETYPE_XPM && function_exists('imagecreatefromxpm')) || + ($info[2] == IMAGETYPE_PNG && function_exists('imagecreatefrompng')))) { + + @unlink($_FILES[$param]['tmp_name']); + throw new Exception(_('Unsupported image file format.')); + return; + } + $this->type = ($info) ? $info[2]:$type; $this->width = ($info) ? $info[0]:$width; $this->height = ($info) ? $info[1]:$height; @@ -97,19 +112,6 @@ class ImageFile return; } - if ($info[2] !== IMAGETYPE_GIF && - $info[2] !== IMAGETYPE_JPEG && - $info[2] !== IMAGETYPE_BMP && - $info[2] !== IMAGETYPE_WBMP && - $info[2] !== IMAGETYPE_XBM && - $info[2] !== IMAGETYPE_XPM && - $info[2] !== IMAGETYPE_PNG) { - - @unlink($_FILES[$param]['tmp_name']); - throw new Exception(_('Unsupported image file format.')); - return; - } - return new ImageFile(null, $_FILES[$param]['tmp_name']); } -- cgit v1.2.3-54-g00ecf From a715271f847fed7d7c725c5b752ea7a00800520a Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Thu, 11 Mar 2010 20:40:25 -0500 Subject: reuse Subscription::cancel instead of reimplementing it. I didn't know this method existed before... pretty neat. --- lib/command.php | 2 +- lib/subs.php | 43 ------------------------------------------- 2 files changed, 1 insertion(+), 44 deletions(-) diff --git a/lib/command.php b/lib/command.php index 0b3b3c95a..3809c98cc 100644 --- a/lib/command.php +++ b/lib/command.php @@ -729,7 +729,7 @@ class LoseCommand extends Command return; } - $result=subs_unsubscribe_from($this->user, $this->other); + $result = Subscription::cancel($this->other, $this->user); if ($result) { $channel->output($this->user, sprintf(_('Unsubscribed %s'), $this->other)); diff --git a/lib/subs.php b/lib/subs.php index e2ce0667e..165bbaa8f 100644 --- a/lib/subs.php +++ b/lib/subs.php @@ -43,46 +43,3 @@ function subs_unsubscribe_to($user, $other) return $e->getMessage(); } } - -function subs_unsubscribe_from($user, $other){ - $local = User::staticGet("nickname",$other); - if($local){ - return subs_unsubscribe_to($local,$user); - } else { - try { - $remote = Profile::staticGet("nickname",$other); - if(is_string($remote)){ - return $remote; - } - if (Event::handle('StartUnsubscribe', array($remote,$user))) { - - $sub = DB_DataObject::factory('subscription'); - - $sub->subscriber = $remote->id; - $sub->subscribed = $user->id; - - $sub->find(true); - - // note we checked for existence above - - if (!$sub->delete()) - return _('Couldn\'t delete subscription.'); - - $cache = common_memcache(); - - if ($cache) { - $cache->delete(common_cache_key('user:notices_with_friends:' . $remote->id)); - } - - - $user->blowSubscribersCount(); - $remote->blowSubscribersCount(); - - Event::handle('EndUnsubscribe', array($remote, $user)); - } - } catch (Exception $e) { - return $e->getMessage(); - } - } -} - -- cgit v1.2.3-54-g00ecf From e1537d83871811cf3446a592e44f56d26e961afe Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 12 Mar 2010 01:40:52 +0000 Subject: More generalized method for calculating Atom rel="self" links --- actions/apitimelinegroup.php | 8 +------- actions/apitimelineuser.php | 8 +------- lib/apiaction.php | 16 +++++++++++++++- 3 files changed, 17 insertions(+), 15 deletions(-) diff --git a/actions/apitimelinegroup.php b/actions/apitimelinegroup.php index c4f8cbc65..da816c40a 100644 --- a/actions/apitimelinegroup.php +++ b/actions/apitimelinegroup.php @@ -107,13 +107,7 @@ class ApiTimelineGroupAction extends ApiPrivateAuthAction // We'll pull common formatting out of this for other formats $atom = new AtomGroupNoticeFeed($this->group); - // Calculate self link - $id = $this->arg('id'); - $aargs = array('format' => $this->format); - if (!empty($id)) { - $aargs['id'] = $id; - } - $self = $this->getSelfUri('ApiTimelineGroup', $aargs); + $self = $this->getSelfUri(); switch($this->format) { case 'xml': diff --git a/actions/apitimelineuser.php b/actions/apitimelineuser.php index 5c4bcace4..11431a82c 100644 --- a/actions/apitimelineuser.php +++ b/actions/apitimelineuser.php @@ -122,13 +122,7 @@ class ApiTimelineUserAction extends ApiBareAuthAction array('nickname' => $this->user->nickname) ); - // Calculate self link - $id = $this->arg('id'); - $aargs = array('format' => $this->format); - if (!empty($id)) { - $aargs['id'] = $id; - } - $self = $this->getSelfUri('ApiTimelineUser', $aargs); + $self = $this->getSelfUri(); // FriendFeed's SUP protocol // Also added RSS and Atom feeds diff --git a/lib/apiaction.php b/lib/apiaction.php index cef5d1c1e..a01809ed9 100644 --- a/lib/apiaction.php +++ b/lib/apiaction.php @@ -1358,8 +1358,22 @@ class ApiAction extends Action } } - function getSelfUri($action, $aargs) + /** + * Calculate the complete URI that called up this action. Used for + * Atom rel="self" links. Warning: this is funky. + * + * @return string URL a URL suitable for rel="self" Atom links + */ + function getSelfUri() { + $action = mb_substr(get_class($this), 0, -6); // remove 'Action' + + $id = $this->arg('id'); + $aargs = array('format' => $this->format); + if (!empty($id)) { + $aargs['id'] = $id; + } + parse_str($_SERVER['QUERY_STRING'], $params); $pstring = ''; if (!empty($params)) { -- cgit v1.2.3-54-g00ecf From d10cb89f6ad13729de8ac620560f53a3f0d968c2 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 12 Mar 2010 02:00:53 +0000 Subject: - Output correct content type header for public timeline Atom feed - Also calculate Atom link and self links properly --- actions/apitimelinepublic.php | 25 ++++++++++++++----------- 1 file changed, 14 insertions(+), 11 deletions(-) diff --git a/actions/apitimelinepublic.php b/actions/apitimelinepublic.php index 3e4dad690..903461425 100644 --- a/actions/apitimelinepublic.php +++ b/actions/apitimelinepublic.php @@ -107,7 +107,8 @@ class ApiTimelinePublicAction extends ApiPrivateAuthAction $title = sprintf(_("%s public timeline"), $sitename); $taguribase = TagURI::base(); $id = "tag:$taguribase:PublicTimeline"; - $link = common_root_url(); + $link = common_local_url('public'); + $self = $this->getSelfUri(); $subtitle = sprintf(_("%s updates from everyone!"), $sitename); switch($this->format) { @@ -115,10 +116,20 @@ class ApiTimelinePublicAction extends ApiPrivateAuthAction $this->showXmlTimeline($this->notices); break; case 'rss': - $this->showRssTimeline($this->notices, $title, $link, $subtitle, null, $sitelogo); + $this->showRssTimeline( + $this->notices, + $title, + $link, + $subtitle, + null, + $sitelogo, + $self + ); break; case 'atom': + header('Content-Type: application/atom+xml; charset=utf-8'); + $atom = new AtomNoticeFeed(); $atom->setId($id); @@ -126,16 +137,8 @@ class ApiTimelinePublicAction extends ApiPrivateAuthAction $atom->setSubtitle($subtitle); $atom->setLogo($sitelogo); $atom->setUpdated('now'); - $atom->addLink(common_local_url('public')); - - $atom->addLink( - $this->getSelfUri( - 'ApiTimelinePublic', array('format' => 'atom') - ), - array('rel' => 'self', 'type' => 'application/atom+xml') - ); - + $atom->setSelfLink($self); $atom->addEntryFromNotices($this->notices); $this->raw($atom->getString()); -- cgit v1.2.3-54-g00ecf From b9e903020137540ec629abb1089de276ba41cfc4 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Thu, 11 Mar 2010 18:01:50 -0800 Subject: Fixes for password recovery; lookups for unconfirmed addresses were failing or inconsistent (using staticGet with unindexed fields, which would not get decached correctly and could get confused if multiple pending confirmations of different types are around). Also uses updated email functions to include extra headers and ensure the proper address is used. --- actions/recoverpassword.php | 27 ++++++++++++++++++++------- 1 file changed, 20 insertions(+), 7 deletions(-) diff --git a/actions/recoverpassword.php b/actions/recoverpassword.php index 1e2775e7a..f9956897f 100644 --- a/actions/recoverpassword.php +++ b/actions/recoverpassword.php @@ -262,10 +262,20 @@ class RecoverpasswordAction extends Action # See if it's an unconfirmed email address if (!$user) { - $confirm_email = Confirm_address::staticGet('address', common_canonical_email($nore)); - if ($confirm_email && $confirm_email->address_type == 'email') { + // Warning: it may actually be legit to have multiple folks + // who have claimed, but not yet confirmed, the same address. + // We'll only send to the first one that comes up. + $confirm_email = new Confirm_address(); + $confirm_email->address = common_canonical_email($nore); + $confirm_email->address_type = 'email'; + $confirm_email->find(); + if ($confirm_email->fetch()) { $user = User::staticGet($confirm_email->user_id); + } else { + $confirm_email = null; } + } else { + $confirm_email = null; } if (!$user) { @@ -276,9 +286,11 @@ class RecoverpasswordAction extends Action # Try to get an unconfirmed email address if they used a user name if (!$user->email && !$confirm_email) { - $confirm_email = Confirm_address::staticGet('user_id', $user->id); - if ($confirm_email && $confirm_email->address_type != 'email') { - # Skip non-email confirmations + $confirm_email = new Confirm_address(); + $confirm_email->user_id = $user->id; + $confirm_email->address_type = 'email'; + $confirm_email->find(); + if (!$confirm_email->fetch()) { $confirm_email = null; } } @@ -294,7 +306,7 @@ class RecoverpasswordAction extends Action $confirm->code = common_confirmation_code(128); $confirm->address_type = 'recover'; $confirm->user_id = $user->id; - $confirm->address = (isset($user->email)) ? $user->email : $confirm_email->address; + $confirm->address = (!empty($user->email)) ? $user->email : $confirm_email->address; if (!$confirm->insert()) { common_log_db_error($confirm, 'INSERT', __FILE__); @@ -319,7 +331,8 @@ class RecoverpasswordAction extends Action $body .= common_config('site', 'name'); $body .= "\n"; - mail_to_user($user, _('Password recovery requested'), $body, $confirm->address); + $headers = _mail_prepare_headers('recoverpassword', $user->nickname, $user->nickname); + mail_to_user($user, _('Password recovery requested'), $body, $headers, $confirm->address); $this->mode = 'sent'; $this->msg = _('Instructions for recovering your password ' . -- cgit v1.2.3-54-g00ecf From 2179aae7582ec470a28f61d086d226fdb02e35e7 Mon Sep 17 00:00:00 2001 From: Craig Andrews Date: Thu, 11 Mar 2010 21:02:41 -0500 Subject: fubared a715271f847fed7d7c725c5b752ea7a00800520a - this is the fix --- lib/command.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/lib/command.php b/lib/command.php index 3809c98cc..f7421269d 100644 --- a/lib/command.php +++ b/lib/command.php @@ -729,7 +729,7 @@ class LoseCommand extends Command return; } - $result = Subscription::cancel($this->other, $this->user); + $result = Subscription::cancel($this->getProfile($this->other), $this->user->getProfile()); if ($result) { $channel->output($this->user, sprintf(_('Unsubscribed %s'), $this->other)); -- cgit v1.2.3-54-g00ecf From fe7b063b85647264f1988fba966502a1b0287511 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Thu, 11 Mar 2010 18:07:00 -0800 Subject: Remove stray whitespace at file start that snuck into last update --- lib/pgsqlschema.php | 1 - 1 file changed, 1 deletion(-) diff --git a/lib/pgsqlschema.php b/lib/pgsqlschema.php index afb498f4a..715065d77 100644 --- a/lib/pgsqlschema.php +++ b/lib/pgsqlschema.php @@ -1,4 +1,3 @@ - Date: Thu, 11 Mar 2010 18:10:41 -0800 Subject: Don't switch people from the Memcache to Memcached plugin without their knowledge when using back-compatibility $config['memcached']['enabled']. Performance characteristics for Memcached version on large-scale sites not tested yet. New installations should be using addPlugin explicitly. --- lib/statusnet.php | 6 +----- 1 file changed, 1 insertion(+), 5 deletions(-) diff --git a/lib/statusnet.php b/lib/statusnet.php index ef3adebf9..eba9ab9b8 100644 --- a/lib/statusnet.php +++ b/lib/statusnet.php @@ -342,11 +342,7 @@ class StatusNet if (array_key_exists('memcached', $config)) { if ($config['memcached']['enabled']) { - if(class_exists('Memcached')) { - addPlugin('Memcached', array('servers' => $config['memcached']['server'])); - } else { - addPlugin('Memcache', array('servers' => $config['memcached']['server'])); - } + addPlugin('Memcache', array('servers' => $config['memcached']['server'])); } if (!empty($config['memcached']['base'])) { -- cgit v1.2.3-54-g00ecf From 0444cc7bfb7cf3b7353385180e0ec6e19385b2eb Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 12 Mar 2010 02:18:53 +0000 Subject: Calculate Atom self link for friends timeline --- actions/apitimelinefriends.php | 39 +++++++++++++-------------------------- 1 file changed, 13 insertions(+), 26 deletions(-) diff --git a/actions/apitimelinefriends.php b/actions/apitimelinefriends.php index 9ef3ace60..ac350ab1b 100644 --- a/actions/apitimelinefriends.php +++ b/actions/apitimelinefriends.php @@ -117,9 +117,17 @@ class ApiTimelineFriendsAction extends ApiBareAuthAction $subtitle = sprintf( _('Updates from %1$s and friends on %2$s!'), - $this->user->nickname, $sitename + $this->user->nickname, + $sitename ); + $link = common_local_url( + 'all', + array('nickname' => $this->user->nickname) + ); + + $self = $this->getSelfUri(); + $logo = (!empty($avatar)) ? $avatar->displayUrl() : Avatar::defaultImage(AVATAR_PROFILE_SIZE); @@ -130,19 +138,14 @@ class ApiTimelineFriendsAction extends ApiBareAuthAction break; case 'rss': - $link = common_local_url( - 'all', array( - 'nickname' => $this->user->nickname - ) - ); - $this->showRssTimeline( $this->notices, $title, $link, $subtitle, null, - $logo + $logo, + $self ); break; case 'atom': @@ -156,24 +159,8 @@ class ApiTimelineFriendsAction extends ApiBareAuthAction $atom->setSubtitle($subtitle); $atom->setLogo($logo); $atom->setUpdated('now'); - - $atom->addLink( - common_local_url( - 'all', - array('nickname' => $this->user->nickname) - ) - ); - - $id = $this->arg('id'); - $aargs = array('format' => 'atom'); - if (!empty($id)) { - $aargs['id'] = $id; - } - - $atom->addLink( - $this->getSelfUri('ApiTimelineFriends', $aargs), - array('rel' => 'self', 'type' => 'application/atom+xml') - ); + $atom->addLink($link); + $atom->setSelfLink($self); $atom->addEntryFromNotices($this->notices); -- cgit v1.2.3-54-g00ecf From 849d0b5dcddccd935270f079fc1279d726eb2853 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 12 Mar 2010 03:15:51 +0000 Subject: Output Atom self link in home timeline --- actions/apitimelinehome.php | 39 ++++++++++++++------------------------- 1 file changed, 14 insertions(+), 25 deletions(-) diff --git a/actions/apitimelinehome.php b/actions/apitimelinehome.php index abd387786..1618c9923 100644 --- a/actions/apitimelinehome.php +++ b/actions/apitimelinehome.php @@ -72,7 +72,7 @@ class ApiTimelineHomeAction extends ApiBareAuthAction function prepare($args) { parent::prepare($args); - common_debug("api home_timeline"); + $this->user = $this->getTargetUser($this->arg('id')); if (empty($this->user)) { @@ -121,8 +121,15 @@ class ApiTimelineHomeAction extends ApiBareAuthAction $this->user->nickname, $sitename ); - $logo = (!empty($avatar)) - ? $avatar->displayUrl() + $link = common_local_url( + 'all', + array('nickname' => $this->user->nickname) + ); + + $self = $this->getSelfUri(); + + $logo = (!empty($avatar)) + ? $avatar->displayUrl() : Avatar::defaultImage(AVATAR_PROFILE_SIZE); switch($this->format) { @@ -130,17 +137,14 @@ class ApiTimelineHomeAction extends ApiBareAuthAction $this->showXmlTimeline($this->notices); break; case 'rss': - $link = common_local_url( - 'all', - array('nickname' => $this->user->nickname) - ); $this->showRssTimeline( $this->notices, $title, $link, $subtitle, null, - $logo + $logo, + $self ); break; case 'atom': @@ -155,23 +159,8 @@ class ApiTimelineHomeAction extends ApiBareAuthAction $atom->setLogo($logo); $atom->setUpdated('now'); - $atom->addLink( - common_local_url( - 'all', - array('nickname' => $this->user->nickname) - ) - ); - - $id = $this->arg('id'); - $aargs = array('format' => 'atom'); - if (!empty($id)) { - $aargs['id'] = $id; - } - - $atom->addLink( - $this->getSelfUri('ApiTimelineHome', $aargs), - array('rel' => 'self', 'type' => 'application/atom+xml') - ); + $atom->addLink($link); + $atom->setSelfLink($self); $atom->addEntryFromNotices($this->notices); $this->raw($atom->getString()); -- cgit v1.2.3-54-g00ecf From 4b41a8ebbfea7211ea10b867c3cb825737b2ccfe Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 12 Mar 2010 03:27:37 +0000 Subject: - Output correct content header for Atom output in mentions timeline - Add self link --- actions/apitimelinementions.php | 34 ++++++++++++++++------------------ 1 file changed, 16 insertions(+), 18 deletions(-) diff --git a/actions/apitimelinementions.php b/actions/apitimelinementions.php index 31627ab7b..c3aec7c5a 100644 --- a/actions/apitimelinementions.php +++ b/actions/apitimelinementions.php @@ -123,6 +123,9 @@ class ApiTimelineMentionsAction extends ApiBareAuthAction 'replies', array('nickname' => $this->user->nickname) ); + + $self = $this->getSelfUri(); + $subtitle = sprintf( _('%1$s updates that reply to updates from %2$s / %3$s.'), $sitename, $this->user->nickname, $profile->getBestName() @@ -134,10 +137,20 @@ class ApiTimelineMentionsAction extends ApiBareAuthAction $this->showXmlTimeline($this->notices); break; case 'rss': - $this->showRssTimeline($this->notices, $title, $link, $subtitle, null, $logo); + $this->showRssTimeline( + $this->notices, + $title, + $link, + $subtitle, + null, + $logo, + $self + ); break; case 'atom': + header('Content-Type: application/atom+xml; charset=utf-8'); + $atom = new AtomNoticeFeed(); $atom->setId($id); @@ -146,23 +159,8 @@ class ApiTimelineMentionsAction extends ApiBareAuthAction $atom->setLogo($logo); $atom->setUpdated('now'); - $atom->addLink( - common_local_url( - 'replies', - array('nickname' => $this->user->nickname) - ) - ); - - $id = $this->arg('id'); - $aargs = array('format' => 'atom'); - if (!empty($id)) { - $aargs['id'] = $id; - } - - $atom->addLink( - $this->getSelfUri('ApiTimelineMentions', $aargs), - array('rel' => 'self', 'type' => 'application/atom+xml') - ); + $atom->addLink($link); + $atom->setSelfLink($self); $atom->addEntryFromNotices($this->notices); $this->raw($atom->getString()); -- cgit v1.2.3-54-g00ecf From d31004653f51eadd5b26bfb34474387a834811a3 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 12 Mar 2010 03:42:00 +0000 Subject: Add Atom self link to favorites timeline --- actions/apitimelinefavorites.php | 36 +++++++++++++----------------------- 1 file changed, 13 insertions(+), 23 deletions(-) diff --git a/actions/apitimelinefavorites.php b/actions/apitimelinefavorites.php index c89d02247..8cb2e808d 100644 --- a/actions/apitimelinefavorites.php +++ b/actions/apitimelinefavorites.php @@ -23,7 +23,8 @@ * @package StatusNet * @author Craig Andrews * @author Evan Prodromou - * @author Zach Copley * @copyright 2009 StatusNet, Inc. + * @author Zach Copley + * @copyright 2009-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/ */ @@ -123,22 +124,26 @@ class ApiTimelineFavoritesAction extends ApiBareAuthAction ? $avatar->displayUrl() : Avatar::defaultImage(AVATAR_PROFILE_SIZE); + $link = common_local_url( + 'showfavorites', + array('nickname' => $this->user->nickname) + ); + + $self = $this->getSelfUri(); + switch($this->format) { case 'xml': $this->showXmlTimeline($this->notices); break; case 'rss': - $link = common_local_url( - 'showfavorites', - array('nickname' => $this->user->nickname) - ); $this->showRssTimeline( $this->notices, $title, $link, $subtitle, null, - $logo + $logo, + $self ); break; case 'atom': @@ -153,23 +158,8 @@ class ApiTimelineFavoritesAction extends ApiBareAuthAction $atom->setLogo($logo); $atom->setUpdated('now'); - $atom->addLink( - common_local_url( - 'showfavorites', - array('nickname' => $this->user->nickname) - ) - ); - - $id = $this->arg('id'); - $aargs = array('format' => 'atom'); - if (!empty($id)) { - $aargs['id'] = $id; - } - - $atom->addLink( - $this->getSelfUri('ApiTimelineFavorites', $aargs), - array('rel' => 'self', 'type' => 'application/atom+xml') - ); + $atom->addLink($link); + $atom->setSelfLink($self); $atom->addEntryFromNotices($this->notices); -- cgit v1.2.3-54-g00ecf From 13556e7ba967c4184009688348082fed1480a5d4 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 12 Mar 2010 04:08:31 +0000 Subject: Add Atom self link to tag timeline --- actions/apitimelinetag.php | 38 ++++++++++++++++---------------------- lib/apiaction.php | 5 +++++ 2 files changed, 21 insertions(+), 22 deletions(-) diff --git a/actions/apitimelinetag.php b/actions/apitimelinetag.php index a29061fcc..fed1437ea 100644 --- a/actions/apitimelinetag.php +++ b/actions/apitimelinetag.php @@ -25,7 +25,7 @@ * @author Evan Prodromou * @author Jeffery To * @author Zach Copley - * @copyright 2009 StatusNet, Inc. + * @copyright 2009-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/ */ @@ -67,6 +67,8 @@ class ApiTimelineTagAction extends ApiPrivateAuthAction { parent::prepare($args); + common_debug("apitimelinetag prepare()"); + $this->tag = $this->arg('tag'); $this->notices = $this->getNotices(); @@ -108,22 +110,28 @@ class ApiTimelineTagAction extends ApiPrivateAuthAction $taguribase = TagURI::base(); $id = "tag:$taguribase:TagTimeline:".$tag; + $link = common_local_url( + 'tag', + array('tag' => $this->tag) + ); + + $self = $this->getSelfUri(); + + common_debug("self link is: $self"); + switch($this->format) { case 'xml': $this->showXmlTimeline($this->notices); break; case 'rss': - $link = common_local_url( - 'tag', - array('tag' => $this->tag) - ); $this->showRssTimeline( $this->notices, $title, $link, $subtitle, null, - $sitelogo + $sitelogo, + $self ); break; case 'atom': @@ -138,22 +146,8 @@ class ApiTimelineTagAction extends ApiPrivateAuthAction $atom->setLogo($logo); $atom->setUpdated('now'); - $atom->addLink( - common_local_url( - 'tag', - array('tag' => $this->tag) - ) - ); - - $aargs = array('format' => 'atom'); - if (!empty($this->tag)) { - $aargs['tag'] = $this->tag; - } - - $atom->addLink( - $this->getSelfUri('ApiTimelineTag', $aargs), - array('rel' => 'self', 'type' => 'application/atom+xml') - ); + $atom->addLink($link); + $atom->setSelfLink($self); $atom->addEntryFromNotices($this->notices); $this->raw($atom->getString()); diff --git a/lib/apiaction.php b/lib/apiaction.php index a01809ed9..b90607862 100644 --- a/lib/apiaction.php +++ b/lib/apiaction.php @@ -1374,6 +1374,11 @@ class ApiAction extends Action $aargs['id'] = $id; } + $tag = $this->arg('tag'); + if (!empty($tag)) { + $aargs['tag'] = $tag; + } + parse_str($_SERVER['QUERY_STRING'], $params); $pstring = ''; if (!empty($params)) { -- cgit v1.2.3-54-g00ecf From 3dc84dd02d5558b7e2e9de903eac04edcd73aec7 Mon Sep 17 00:00:00 2001 From: Zach Copley Date: Fri, 12 Mar 2010 05:39:36 +0000 Subject: Output enclosing geo elements and GeoRSS xmlns in XML timelines --- lib/apiaction.php | 14 +++++++++++++- 1 file changed, 13 insertions(+), 1 deletion(-) diff --git a/lib/apiaction.php b/lib/apiaction.php index b90607862..e6aaf9316 100644 --- a/lib/apiaction.php +++ b/lib/apiaction.php @@ -491,7 +491,7 @@ class ApiAction extends Action $this->showXmlAttachments($twitter_status['attachments']); break; case 'geo': - $this->showGeoRSS($value); + $this->showGeoXML($value); break; case 'retweeted_status': $this->showTwitterXmlStatus($value, 'retweeted_status'); @@ -539,6 +539,18 @@ class ApiAction extends Action } } + function showGeoXML($geo) + { + if (empty($geo)) { + // empty geo element + $this->element('geo'); + } else { + $this->elementStart('geo', array('xmlns:georss' => 'http://www.georss.org/georss')); + $this->element('georss:point', null, $geo['coordinates'][0] . ' ' . $geo['coordinates'][1]); + $this->elementEnd('geo'); + } + } + function showGeoRSS($geo) { if (!empty($geo)) { -- cgit v1.2.3-54-g00ecf From ea7c1bab2e9b17ab6101f4143fcee02d93357930 Mon Sep 17 00:00:00 2001 From: Sarven Capadisli Date: Fri, 12 Mar 2010 11:13:05 -0500 Subject: Plugin to open up rel="external" links on a new window or tab --- .../OpenExternalLinkTargetPlugin.php | 64 ++++++++++++++++++++++ 1 file changed, 64 insertions(+) create mode 100644 plugins/OpenExternalLinkTarget/OpenExternalLinkTargetPlugin.php diff --git a/plugins/OpenExternalLinkTarget/OpenExternalLinkTargetPlugin.php b/plugins/OpenExternalLinkTarget/OpenExternalLinkTargetPlugin.php new file mode 100644 index 000000000..ebb0189e0 --- /dev/null +++ b/plugins/OpenExternalLinkTarget/OpenExternalLinkTargetPlugin.php @@ -0,0 +1,64 @@ +. + * + * @category Action + * @package StatusNet + * @author Sarven Capadisli + * @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') && !defined('LACONICA')) { + exit(1); +} + +/** + * Opens links with rel=external on a new window or tab + * + * @category Plugin + * @package StatusNet + * @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/ + */ + +class OpenExternalLinkTargetPlugin extends Plugin +{ + function onEndShowScripts($action) + { + $action->inlineScript('$("a[rel~=external]").click(function(){ window.open(this.href); return false; });'); + + return true; + } + + function onPluginVersion(&$versions) + { + $versions[] = array('name' => 'OpenExternalLinkTarget', + 'version' => STATUSNET_VERSION, + 'author' => 'Sarven Capadisli', + 'homepage' => 'http://status.net/wiki/Plugin:OpenExternalLinkTarget', + 'rawdescription' => + _m('Opens external links (i.e., with rel=external) on a new window or tab')); + return true; + } +} + -- cgit v1.2.3-54-g00ecf From 4d7479dcbc3d0f658de230c139242e7176d0ba16 Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Fri, 12 Mar 2010 10:07:32 -0800 Subject: OpenID fixes: - avoid notice spew when checking sreg items that weren't provided - fix keys spec for user_openid, clears up problems with removing openid associations - fix keys spec for user_openid_trustroot --- plugins/OpenID/User_openid.php | 5 +++++ plugins/OpenID/User_openid_trustroot.php | 5 +++++ plugins/OpenID/openid.php | 6 +++--- 3 files changed, 13 insertions(+), 3 deletions(-) diff --git a/plugins/OpenID/User_openid.php b/plugins/OpenID/User_openid.php index 5ef05b4c7..1beff9ea3 100644 --- a/plugins/OpenID/User_openid.php +++ b/plugins/OpenID/User_openid.php @@ -44,6 +44,11 @@ class User_openid extends Memcached_DataObject * Unique keys used for lookup *MUST* be listed to ensure proper caching. */ function keys() + { + return array_keys($this->keyTypes()); + } + + function keyTypes() { return array('canonical' => 'K', 'display' => 'U', 'user_id' => 'U'); } diff --git a/plugins/OpenID/User_openid_trustroot.php b/plugins/OpenID/User_openid_trustroot.php index 0b411b8f7..17c03afb0 100644 --- a/plugins/OpenID/User_openid_trustroot.php +++ b/plugins/OpenID/User_openid_trustroot.php @@ -42,6 +42,11 @@ class User_openid_trustroot extends Memcached_DataObject } function keys() + { + return array_keys($this->keyTypes()); + } + + function keyTypes() { return array('trustroot' => 'K', 'user_id' => 'K'); } diff --git a/plugins/OpenID/openid.php b/plugins/OpenID/openid.php index 8f949c9c5..9e02c7a88 100644 --- a/plugins/OpenID/openid.php +++ b/plugins/OpenID/openid.php @@ -225,11 +225,11 @@ function oid_update_user(&$user, &$sreg) $orig_profile = clone($profile); - if ($sreg['fullname'] && strlen($sreg['fullname']) <= 255) { + if (!empty($sreg['fullname']) && strlen($sreg['fullname']) <= 255) { $profile->fullname = $sreg['fullname']; } - if ($sreg['country']) { + if (!empty($sreg['country'])) { if ($sreg['postcode']) { # XXX: use postcode to get city and region # XXX: also, store postcode somewhere -- it's valuable! @@ -249,7 +249,7 @@ function oid_update_user(&$user, &$sreg) $orig_user = clone($user); - if ($sreg['email'] && Validate::email($sreg['email'], common_config('email', 'check_domain'))) { + if (!empty($sreg['email']) && Validate::email($sreg['email'], common_config('email', 'check_domain'))) { $user->email = $sreg['email']; } -- cgit v1.2.3-54-g00ecf From 9e9ab23e1f936eb62014d8f7b0051f0314ae482c Mon Sep 17 00:00:00 2001 From: Brion Vibber Date: Fri, 12 Mar 2010 11:19:56 -0800 Subject: Fixes for updating indices, charset/collation and engine type on plugin-created tables. Under MySQL, new tables will be created as InnoDB with UTF-8 (utf8/utf8_bin) same as core tables. Existing plugin tables will have table engine and default charset/collation updated, and string columns will have charset updated, at checkschema time. Switched from 'DESCRIBE' to INFORMATION_SCHEMA for pulling column information in order to get charset. A second hit to INFORMATION_SCHEMA is also needed to get table properties. Indices were only being created at table creation time, which ain't so hot. Now also adding/dropping indices when they change. Fixed up some schema defs in OStatus plugin that were a bit flaky, causing extra alter tables to be run. TODO: Generalize this infrastructure a bit more up to base schema & pg schema classes. --- lib/mysqlschema.php | 236 +++++++++++++++++++++++++++++------ lib/schema.php | 6 + plugins/OStatus/classes/FeedSub.php | 3 +- plugins/OStatus/classes/HubSub.php | 2 +- plugins/OStatus/classes/Magicsig.php | 4 +- 5 files changed, 209 insertions(+), 42 deletions(-) diff --git a/lib/mysqlschema.php b/lib/mysqlschema.php index 485096ac4..455695366 100644 --- a/lib/mysqlschema.php +++ b/lib/mysqlschema.php @@ -90,15 +90,24 @@ class MysqlSchema extends Schema * @param string $name Name of the table to get * * @return TableDef tabledef for that table. + * @throws SchemaTableMissingException */ public function getTableDef($name) { - $res = $this->conn->query('DESCRIBE ' . $name); + $query = "SELECT * FROM INFORMATION_SCHEMA.COLUMNS " . + "WHERE TABLE_SCHEMA='%s' AND TABLE_NAME='%s'"; + $schema = $this->conn->dsn['database']; + $sql = sprintf($query, $schema, $name); + $res = $this->conn->query($sql); if (PEAR::isError($res)) { throw new Exception($res->getMessage()); } + if ($res->numRows() == 0) { + $res->free(); + throw new SchemaTableMissingException("No such table: $name"); + } $td = new TableDef(); @@ -111,9 +120,9 @@ class MysqlSchema extends Schema $cd = new ColumnDef(); - $cd->name = $row['Field']; + $cd->name = $row['COLUMN_NAME']; - $packed = $row['Type']; + $packed = $row['COLUMN_TYPE']; if (preg_match('/^(\w+)\((\d+)\)$/', $packed, $match)) { $cd->type = $match[1]; @@ -122,17 +131,57 @@ class MysqlSchema extends Schema $cd->type = $packed; } - $cd->nullable = ($row['Null'] == 'YES') ? true : false; - $cd->key = $row['Key']; - $cd->default = $row['Default']; - $cd->extra = $row['Extra']; + $cd->nullable = ($row['IS_NULLABLE'] == 'YES') ? true : false; + $cd->key = $row['COLUMN_KEY']; + $cd->default = $row['COLUMN_DEFAULT']; + $cd->extra = $row['EXTRA']; + + // Autoincrement is stuck into the extra column. + // Pull it out so we don't accidentally mod it every time... + $extra = preg_replace('/(^|\s)auto_increment(\s|$)/i', '$1$2', $cd->extra); + if ($extra != $cd->extra) { + $cd->extra = trim($extra); + $cd->auto_increment = true; + } + + // mysql extensions -- not (yet) used by base class + $cd->charset = $row['CHARACTER_SET_NAME']; + $cd->collate = $row['COLLATION_NAME']; $td->columns[] = $cd; } + $res->free(); return $td; } + /** + * Pull the given table properties from INFORMATION_SCHEMA. + * Most of the good stuff is MySQL extensions. + * + * @return array + * @throws Exception if table info can't be looked up + */ + + function getTableProperties($table, $props) + { + $query = "SELECT %s FROM INFORMATION_SCHEMA.TABLES " . + "WHERE TABLE_SCHEMA='%s' AND TABLE_NAME='%s'"; + $schema = $this->conn->dsn['database']; + $sql = sprintf($query, implode(',', $props), $schema, $table); + $res = $this->conn->query($sql); + + $row = array(); + $ok = $res->fetchInto($row, DB_FETCHMODE_ASSOC); + $res->free(); + + if ($ok) { + return $row; + } else { + throw new SchemaTableMissingException("No such table: $table"); + } + } + /** * Gets a ColumnDef object for a single column. * @@ -185,35 +234,26 @@ class MysqlSchema extends Schema } $sql .= $this->_columnSql($cd); - - switch ($cd->key) { - case 'UNI': - $uniques[] = $cd->name; - break; - case 'PRI': - $primary[] = $cd->name; - break; - case 'MUL': - $indices[] = $cd->name; - break; - } } - if (count($primary) > 0) { // it really should be... - $sql .= ",\nconstraint primary key (" . implode(',', $primary) . ")"; + $idx = $this->_indexList($columns); + + if ($idx['primary']) { + $sql .= ",\nconstraint primary key (" . implode(',', $idx['primary']) . ")"; } - foreach ($uniques as $u) { - $sql .= ",\nunique index {$name}_{$u}_idx ($u)"; + foreach ($idx['uniques'] as $u) { + $key = $this->_uniqueKey($name, $u); + $sql .= ",\nunique index $key ($u)"; } - foreach ($indices as $i) { - $sql .= ",\nindex {$name}_{$i}_idx ($i)"; + foreach ($idx['indices'] as $i) { + $key = $this->_key($name, $i); + $sql .= ",\nindex $key ($i)"; } - $sql .= "); "; + $sql .= ") ENGINE=InnoDB CHARACTER SET utf8 COLLATE utf8_bin; "; - common_log(LOG_INFO, $sql); $res = $this->conn->query($sql); if (PEAR::isError($res)) { @@ -223,6 +263,47 @@ class MysqlSchema extends Schema return true; } + /** + * Look over a list of column definitions and list up which + * indices will be present + */ + private function _indexList(array $columns) + { + $list = array('uniques' => array(), + 'primary' => array(), + 'indices' => array()); + foreach ($columns as $cd) { + switch ($cd->key) { + case 'UNI': + $list['uniques'][] = $cd->name; + break; + case 'PRI': + $list['primary'][] = $cd->name; + break; + case 'MUL': + $list['indices'][] = $cd->name; + break; + } + } + return $list; + } + + /** + * Get the unique index key name for a given column on this table + */ + function _uniqueKey($tableName, $columnName) + { + return $this->_key($tableName, $columnName); + } + + /** + * Get the index key name for a given column on this table + */ + function _key($tableName, $columnName) + { + return "{$tableName}_{$columnName}_idx"; + } + /** * Drops a table from the schema * @@ -394,21 +475,20 @@ class MysqlSchema extends Schema try { $td = $this->getTableDef($tableName); - } catch (Exception $e) { - if (preg_match('/no such table/', $e->getMessage())) { - return $this->createTable($tableName, $columns); - } else { - throw $e; - } + } catch (SchemaTableMissingException $e) { + return $this->createTable($tableName, $columns); } $cur = $this->_names($td->columns); $new = $this->_names($columns); - $toadd = array_diff($new, $cur); - $todrop = array_diff($cur, $new); - $same = array_intersect($new, $cur); - $tomod = array(); + $dropIndex = array(); + $toadd = array_diff($new, $cur); + $todrop = array_diff($cur, $new); + $same = array_intersect($new, $cur); + $tomod = array(); + $addIndex = array(); + $tableProps = array(); foreach ($same as $m) { $curCol = $this->_byName($td->columns, $m); @@ -416,10 +496,64 @@ class MysqlSchema extends Schema if (!$newCol->equals($curCol)) { $tomod[] = $newCol->name; + continue; + } + + // Earlier versions may have accidentally left tables at default + // charsets which might be latin1 or other freakish things. + if ($this->_isString($curCol)) { + if ($curCol->charset != 'utf8') { + $tomod[] = $newCol->name; + continue; + } + } + } + + // Find any indices we have to change... + $curIdx = $this->_indexList($td->columns); + $newIdx = $this->_indexList($columns); + + if ($curIdx['primary'] != $newIdx['primary']) { + if ($curIdx['primary']) { + $dropIndex[] = 'drop primary key'; + } + if ($newIdx['primary']) { + $keys = implode(',', $newIdx['primary']); + $addIndex[] = "add constraint primary key ($keys)"; } } - if (count($toadd) + count($todrop) + count($tomod) == 0) { + $dropUnique = array_diff($curIdx['uniques'], $newIdx['uniques']); + $addUnique = array_diff($newIdx['uniques'], $curIdx['uniques']); + foreach ($dropUnique as $columnName) { + $dropIndex[] = 'drop key ' . $this->_uniqueKey($tableName, $columnName); + } + foreach ($addUnique as $columnName) { + $addIndex[] = 'add constraint unique key ' . $this->_uniqueKey($tableName, $columnName) . " ($columnName)";; + } + + $dropMultiple = array_diff($curIdx['indices'], $newIdx['indices']); + $addMultiple = array_diff($newIdx['indices'], $curIdx['indices']); + foreach ($dropMultiple as $columnName) { + $dropIndex[] = 'drop key ' . $this->_key($tableName, $columnName); + } + foreach ($addMultiple as $columnName) { + $addIndex[] = 'add key ' . $this->_key($tableName, $columnName) . " ($columnName)"; + } + + // Check for table properties: make sure we're using a sane + // engine type and charset/collation. + // @fixme make the default engine configurable? + $oldProps = $this->getTableProperties($tableName, array('ENGINE', 'TABLE_COLLATION')); + if (strtolower($oldProps['ENGINE']) != 'innodb') { + $tableProps['ENGINE'] = 'InnoDB'; + } + if (strtolower($oldProps['TABLE_COLLATION']) != 'utf8_bin') { + $tableProps['DEFAULT CHARSET'] = 'utf8'; + $tableProps['COLLATE'] = 'utf8_bin'; + } + + if (count($dropIndex) + count($toadd) + count($todrop) + count($tomod) + count($addIndex) + count($tableProps) == 0) { // nothing to do return true; } @@ -429,6 +563,10 @@ class MysqlSchema extends Schema $phrase = array(); + foreach ($dropIndex as $indexSql) { + $phrase[] = $indexSql; + } + foreach ($toadd as $columnName) { $cd = $this->_byName($columns, $columnName); @@ -445,8 +583,17 @@ class MysqlSchema extends Schema $phrase[] = 'MODIFY COLUMN ' . $this->_columnSql($cd); } + foreach ($addIndex as $indexSql) { + $phrase[] = $indexSql; + } + + foreach ($tableProps as $key => $val) { + $phrase[] = "$key=$val"; + } + $sql = 'ALTER TABLE ' . $tableName . ' ' . implode(', ', $phrase); + common_log(LOG_DEBUG, __METHOD__ . ': ' . $sql); $res = $this->conn->query($sql); if (PEAR::isError($res)) { @@ -519,6 +666,10 @@ class MysqlSchema extends Schema $sql .= "{$cd->type} "; } + if ($this->_isString($cd)) { + $sql .= " CHARACTER SET utf8 "; + } + if (!empty($cd->default)) { $sql .= "default {$cd->default} "; } else { @@ -535,4 +686,13 @@ class MysqlSchema extends Schema return $sql; } + + /** + * Is this column a string type? + */ + private function _isString(ColumnDef $cd) + { + $strings = array('char', 'varchar', 'text'); + return in_array(strtolower($cd->type), $strings); + } } diff --git a/lib/schema.php b/lib/schema.php index 137b814e0..1503c96d4 100644 --- a/lib/schema.php +++ b/lib/schema.php @@ -485,3 +485,9 @@ class Schema return $sql; } } + +class SchemaTableMissingException extends Exception +{ + // no-op +} + diff --git a/plugins/OStatus/classes/FeedSub.php b/plugins/OStatus/classes/FeedSub.php index b848b6b1d..80ba37bc1 100644 --- a/plugins/OStatus/classes/FeedSub.php +++ b/plugins/OStatus/classes/FeedSub.php @@ -110,7 +110,7 @@ class FeedSub extends Memcached_DataObject /*size*/ null, /*nullable*/ false, /*key*/ 'PRI', - /*default*/ '0', + /*default*/ null, /*extra*/ null, /*auto_increment*/ true), new ColumnDef('uri', 'varchar', @@ -450,3 +450,4 @@ class FeedSub extends Memcached_DataObject } } + diff --git a/plugins/OStatus/classes/HubSub.php b/plugins/OStatus/classes/HubSub.php index c420b3eef..cdace3c1f 100644 --- a/plugins/OStatus/classes/HubSub.php +++ b/plugins/OStatus/classes/HubSub.php @@ -77,7 +77,7 @@ class HubSub extends Memcached_DataObject new ColumnDef('topic', 'varchar', /*size*/255, /*nullable*/false, - /*key*/'KEY'), + /*key*/'MUL'), new ColumnDef('callback', 'varchar', 255, false), new ColumnDef('secret', 'text', diff --git a/plugins/OStatus/classes/Magicsig.php b/plugins/OStatus/classes/Magicsig.php index 5a46aeeb6..b0a411e5d 100644 --- a/plugins/OStatus/classes/Magicsig.php +++ b/plugins/OStatus/classes/Magicsig.php @@ -70,7 +70,7 @@ class Magicsig extends Memcached_DataObject static function schemaDef() { return array(new ColumnDef('user_id', 'integer', - null, true, 'PRI'), + null, false, 'PRI'), new ColumnDef('keypair', 'varchar', 255, false), new ColumnDef('alg', 'varchar', @@ -230,4 +230,4 @@ function base64_url_encode($input) function base64_url_decode($input) { return base64_decode(strtr($input, '-_', '+/')); -} \ No newline at end of file +} -- cgit v1.2.3-54-g00ecf